From 51ec7f04b428dfa06ce277001fb7cfaa38afb1c8 Mon Sep 17 00:00:00 2001 From: Richard van der Hoff <1389908+richvdh@users.noreply.github.com> Date: Wed, 20 Sep 2023 13:34:18 +0200 Subject: [PATCH 01/16] DeviceListener: Remove usage of deprecated keybackup API (#11614) Primarily this means calling `CryptoApi.getActiveSessionBackupVersion` instead of `MatrixClisnt.getKeyBackupEnabled` --- src/DeviceListener.ts | 32 +++++++++++++++++++++----------- test/DeviceListener-test.ts | 32 ++++++++------------------------ 2 files changed, 29 insertions(+), 35 deletions(-) diff --git a/src/DeviceListener.ts b/src/DeviceListener.ts index f947c1b9ed..db3c0bf1f4 100644 --- a/src/DeviceListener.ts +++ b/src/DeviceListener.ts @@ -25,7 +25,7 @@ import { } from "matrix-js-sdk/src/matrix"; import { logger } from "matrix-js-sdk/src/logger"; import { CryptoEvent } from "matrix-js-sdk/src/crypto"; -import { IKeyBackupInfo } from "matrix-js-sdk/src/crypto/keybackup"; +import { KeyBackupInfo } from "matrix-js-sdk/src/crypto-api"; import dis from "./dispatcher/dispatcher"; import { @@ -62,10 +62,10 @@ export default class DeviceListener { private dismissed = new Set(); // has the user dismissed any of the various nag toasts to setup encryption on this device? private dismissedThisDeviceToast = false; - // cache of the key backup info - private keyBackupInfo: IKeyBackupInfo | null = null; + /** Cache of the info about the current key backup on the server. */ + private keyBackupInfo: KeyBackupInfo | null = null; + /** When `keyBackupInfo` was last updated */ private keyBackupFetchedAt: number | null = null; - private keyBackupStatusChecked = false; // We keep a list of our own device IDs so we can batch ones that were already // there the last time the app launched into a single toast, but display new // ones in their own toasts. @@ -243,9 +243,14 @@ export default class DeviceListener { this.updateClientInformation(); }; - // The server doesn't tell us when key backup is set up, so we poll - // & cache the result - private async getKeyBackupInfo(): Promise { + /** + * Fetch the key backup information from the server. + * + * The result is cached for `KEY_BACKUP_POLL_INTERVAL` ms to avoid repeated API calls. + * + * @returns The key backup info from the server, or `null` if there is no key backup. + */ + private async getKeyBackupInfo(): Promise { if (!this.client) return null; const now = new Date().getTime(); if ( @@ -402,18 +407,23 @@ export default class DeviceListener { this.displayingToastsForDeviceIds = newUnverifiedDeviceIds; } + /** + * Check if key backup is enabled, and if not, raise an `Action.ReportKeyBackupNotEnabled` event (which will + * trigger an auto-rageshake). + */ private checkKeyBackupStatus = async (): Promise => { if (this.keyBackupStatusChecked || !this.client) { return; } - // returns null when key backup status hasn't finished being checked - const isKeyBackupEnabled = this.client.getKeyBackupEnabled(); - this.keyBackupStatusChecked = isKeyBackupEnabled !== null; + const activeKeyBackupVersion = await this.client.getCrypto()?.getActiveSessionBackupVersion(); + // if key backup is enabled, no need to check this ever again (XXX: why only when it is enabled?) + this.keyBackupStatusChecked = !!activeKeyBackupVersion; - if (isKeyBackupEnabled === false) { + if (!activeKeyBackupVersion) { dis.dispatch({ action: Action.ReportKeyBackupNotEnabled }); } }; + private keyBackupStatusChecked = false; private onRecordClientInformationSettingChange: CallbackFn = ( _originalSettingName, diff --git a/test/DeviceListener-test.ts b/test/DeviceListener-test.ts index e1d7c1414c..aa6b14af7b 100644 --- a/test/DeviceListener-test.ts +++ b/test/DeviceListener-test.ts @@ -92,6 +92,7 @@ describe("DeviceListener", () => { isCrossSigningReady: jest.fn().mockResolvedValue(true), isSecretStorageReady: jest.fn().mockResolvedValue(true), userHasCrossSigningKeys: jest.fn(), + getActiveSessionBackupVersion: jest.fn(), } as unknown as Mocked; mockClient = getMockClientWithEventEmitter({ isGuest: jest.fn(), @@ -101,7 +102,6 @@ describe("DeviceListener", () => { getRooms: jest.fn().mockReturnValue([]), isVersionSupported: jest.fn().mockResolvedValue(true), isInitialSyncComplete: jest.fn().mockReturnValue(true), - getKeyBackupEnabled: jest.fn(), waitForClientWellKnown: jest.fn(), isRoomEncrypted: jest.fn(), getClientWellKnown: jest.fn(), @@ -337,7 +337,7 @@ describe("DeviceListener", () => { mockCrypto!.userHasCrossSigningKeys.mockResolvedValue(true); await createAndStart(); - expect(mockClient!.getKeyBackupEnabled).toHaveBeenCalled(); + expect(mockCrypto!.getActiveSessionBackupVersion).toHaveBeenCalled(); }); }); @@ -362,8 +362,7 @@ describe("DeviceListener", () => { it("checks keybackup status when cross signing and secret storage are ready", async () => { // default mocks set cross signing and secret storage to ready await createAndStart(); - expect(mockClient!.getKeyBackupEnabled).toHaveBeenCalled(); - expect(mockDispatcher.dispatch).not.toHaveBeenCalled(); + expect(mockCrypto.getActiveSessionBackupVersion).toHaveBeenCalled(); }); it("checks keybackup status when setup encryption toast has been dismissed", async () => { @@ -373,40 +372,25 @@ describe("DeviceListener", () => { instance.dismissEncryptionSetup(); await flushPromises(); - expect(mockClient!.getKeyBackupEnabled).toHaveBeenCalled(); - }); - - it("does not dispatch keybackup event when key backup check is not finished", async () => { - // returns null when key backup status hasn't finished being checked - mockClient!.getKeyBackupEnabled.mockReturnValue(null); - await createAndStart(); - expect(mockDispatcher.dispatch).not.toHaveBeenCalled(); + expect(mockCrypto.getActiveSessionBackupVersion).toHaveBeenCalled(); }); it("dispatches keybackup event when key backup is not enabled", async () => { - mockClient!.getKeyBackupEnabled.mockReturnValue(false); + mockCrypto.getActiveSessionBackupVersion.mockResolvedValue(null); await createAndStart(); expect(mockDispatcher.dispatch).toHaveBeenCalledWith({ action: Action.ReportKeyBackupNotEnabled }); }); it("does not check key backup status again after check is complete", async () => { - mockClient!.getKeyBackupEnabled.mockReturnValue(null); + mockCrypto.getActiveSessionBackupVersion.mockResolvedValue("1"); const instance = await createAndStart(); - expect(mockClient!.getKeyBackupEnabled).toHaveBeenCalled(); - - // keyback check now complete - mockClient!.getKeyBackupEnabled.mockReturnValue(true); + expect(mockCrypto.getActiveSessionBackupVersion).toHaveBeenCalled(); // trigger a recheck instance.dismissEncryptionSetup(); await flushPromises(); - expect(mockClient!.getKeyBackupEnabled).toHaveBeenCalledTimes(2); - - // trigger another recheck - instance.dismissEncryptionSetup(); - await flushPromises(); // not called again, check was complete last time - expect(mockClient!.getKeyBackupEnabled).toHaveBeenCalledTimes(2); + expect(mockCrypto.getActiveSessionBackupVersion).toHaveBeenCalledTimes(1); }); }); From 1c16eab1cdf1fac9a4488c85c5950f07e9b404bc Mon Sep 17 00:00:00 2001 From: Michael Telatynski <7t3chguy@gmail.com> Date: Wed, 20 Sep 2023 12:45:24 +0100 Subject: [PATCH 02/16] Undo Localazy key clobber (#11630) * Iterate Signed-off-by: Michael Telatynski <7t3chguy@gmail.com> * Iterate Signed-off-by: Michael Telatynski <7t3chguy@gmail.com> * Iterate Signed-off-by: Michael Telatynski <7t3chguy@gmail.com> * Iterate Signed-off-by: Michael Telatynski <7t3chguy@gmail.com> --------- Signed-off-by: Michael Telatynski <7t3chguy@gmail.com> --- src/components/structures/auth/Registration.tsx | 4 ++-- src/i18n/strings/bg.json | 2 +- src/i18n/strings/cs.json | 2 ++ src/i18n/strings/de_DE.json | 2 ++ src/i18n/strings/el.json | 3 ++- src/i18n/strings/en_EN.json | 4 +++- src/i18n/strings/eo.json | 2 ++ src/i18n/strings/es.json | 3 ++- src/i18n/strings/et.json | 2 ++ src/i18n/strings/fa.json | 3 ++- src/i18n/strings/fi.json | 3 ++- src/i18n/strings/fr.json | 2 ++ src/i18n/strings/ga.json | 2 ++ src/i18n/strings/gl.json | 3 ++- src/i18n/strings/he.json | 2 ++ src/i18n/strings/hu.json | 2 ++ src/i18n/strings/id.json | 2 ++ src/i18n/strings/is.json | 2 ++ src/i18n/strings/it.json | 2 ++ src/i18n/strings/ja.json | 4 +++- src/i18n/strings/kab.json | 3 ++- src/i18n/strings/lo.json | 3 ++- src/i18n/strings/lt.json | 5 +++-- src/i18n/strings/lv.json | 2 +- src/i18n/strings/nb_NO.json | 2 +- src/i18n/strings/nl.json | 3 ++- src/i18n/strings/pl.json | 2 ++ src/i18n/strings/pt.json | 2 ++ src/i18n/strings/pt_BR.json | 3 ++- src/i18n/strings/ru.json | 3 ++- src/i18n/strings/sk.json | 2 ++ src/i18n/strings/sq.json | 2 ++ src/i18n/strings/sv.json | 2 ++ src/i18n/strings/uk.json | 2 ++ src/i18n/strings/vi.json | 2 ++ src/i18n/strings/zh_Hans.json | 3 ++- src/i18n/strings/zh_Hant.json | 2 ++ 37 files changed, 74 insertions(+), 20 deletions(-) diff --git a/src/components/structures/auth/Registration.tsx b/src/components/structures/auth/Registration.tsx index 7a19848a56..12be6eb756 100644 --- a/src/components/structures/auth/Registration.tsx +++ b/src/components/structures/auth/Registration.tsx @@ -591,7 +591,7 @@ export default class Registration extends React.Component { const signIn = ( {_t( - "auth|sign_in_instead", + "auth|sign_in_instead_prompt", {}, { a: (sub) => ( @@ -682,7 +682,7 @@ export default class Registration extends React.Component { title={_t("Create account")} serverPicker={ Влезте от тук", + "sign_in_instead_prompt": "Вече имате профил? Влезте от тук", "account_clash": "Новият ви профил (%(newAccountId)s) е регистриран, но вече сте влезли с друг профил (%(loggedInUserId)s).", "account_clash_previous_account": "Продължи с предишния профил", "log_in_new_account": "Влезте в новия си профил.", diff --git a/src/i18n/strings/cs.json b/src/i18n/strings/cs.json index 50dd13d520..69696f4d3c 100644 --- a/src/i18n/strings/cs.json +++ b/src/i18n/strings/cs.json @@ -3844,11 +3844,13 @@ "reset_password_title": "Obnovení vašeho hesla", "continue_with_sso": "Pokračovat s %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s nebo %(usernamePassword)s", + "sign_in_instead_prompt": "Namísto toho se přihlásit", "sign_in_instead": "Namísto toho se přihlásit", "account_clash": "nový účet (%(newAccountId)s) je registrován, ale už jste přihlášeni pod jiným účtem (%(loggedInUserId)s).", "account_clash_previous_account": "Pokračovat s předchozím účtem", "log_in_new_account": "Přihlaste se svým novým účtem.", "registration_successful": "Úspěšná registrace", + "server_picker_title_registration": "Hostovat účet na", "server_picker_title": "Přihlaste se do svého domovského serveru", "server_picker_dialog_title": "Rozhodněte, kde je váš účet hostován", "footer_powered_by_matrix": "používá protokol Matrix", diff --git a/src/i18n/strings/de_DE.json b/src/i18n/strings/de_DE.json index 18a519979b..f007c62f29 100644 --- a/src/i18n/strings/de_DE.json +++ b/src/i18n/strings/de_DE.json @@ -3844,11 +3844,13 @@ "reset_password_title": "Setze dein Passwort zurück", "continue_with_sso": "Mit %(ssoButtons)s anmelden", "sso_or_username_password": "%(ssoButtons)s oder %(usernamePassword)s", + "sign_in_instead_prompt": "Stattdessen anmelden", "sign_in_instead": "Stattdessen anmelden", "account_clash": "Dein neues Konto (%(newAccountId)s) ist registriert, aber du hast dich bereits in mit einem anderen Konto (%(loggedInUserId)s) angemeldet.", "account_clash_previous_account": "Mit vorherigem Konto fortfahren", "log_in_new_account": "Mit deinem neuen Konto anmelden.", "registration_successful": "Registrierung erfolgreich", + "server_picker_title_registration": "Konto betreiben auf", "server_picker_title": "Melde dich bei deinem Heim-Server an", "server_picker_dialog_title": "Entscheide, wo sich dein Konto befinden soll", "footer_powered_by_matrix": "Betrieben mit Matrix", diff --git a/src/i18n/strings/el.json b/src/i18n/strings/el.json index c81f86de12..8674ae327f 100644 --- a/src/i18n/strings/el.json +++ b/src/i18n/strings/el.json @@ -3186,11 +3186,12 @@ "sso": "Single Sign On", "continue_with_sso": "Συνέχεια με %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s Ή %(usernamePassword)s", - "sign_in_instead": "Έχετε ήδη λογαριασμό; Συνδεθείτε εδώ", + "sign_in_instead_prompt": "Έχετε ήδη λογαριασμό; Συνδεθείτε εδώ", "account_clash": "Ο νέος λογαριασμός σας (%(newAccountId)s) έχει εγγραφεί, αλλά έχετε ήδη συνδεθεί με διαφορετικό λογαριασμό (%(loggedInUserId)s).", "account_clash_previous_account": "Συνέχεια με τον προηγούμενο λογαριασμό", "log_in_new_account": "Συνδεθείτε στον νέο σας λογαριασμό.", "registration_successful": "Επιτυχής Εγγραφή", + "server_picker_title_registration": "Φιλοξενία λογαριασμού στο", "server_picker_title": "Σύνδεση στον κεντρικό διακομιστή σας", "server_picker_dialog_title": "Αποφασίστε πού θα φιλοξενείται ο λογαριασμός σας", "footer_powered_by_matrix": "λειτουργεί με το Matrix", diff --git a/src/i18n/strings/en_EN.json b/src/i18n/strings/en_EN.json index 1ed5d60ff9..5388bec732 100644 --- a/src/i18n/strings/en_EN.json +++ b/src/i18n/strings/en_EN.json @@ -42,11 +42,12 @@ "3pid_in_use": "That e-mail address or phone number is already in use.", "continue_with_sso": "Continue with %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s Or %(usernamePassword)s", - "sign_in_instead": "Sign in instead", + "sign_in_instead_prompt": "Already have an account? Sign in here", "account_clash": "Your new account (%(newAccountId)s) is registered, but you're already logged into a different account (%(loggedInUserId)s).", "account_clash_previous_account": "Continue with previous account", "log_in_new_account": "Log in to your new account.", "registration_successful": "Registration Successful", + "server_picker_title_registration": "Host account on", "server_picker_dialog_title": "Decide where your account is hosted", "incorrect_password": "Incorrect password", "failed_soft_logout_auth": "Failed to re-authenticate", @@ -64,6 +65,7 @@ "enter_email_explainer": "%(homeserver)s will send you a verification link to let you reset your password.", "forgot_password_email_required": "The email address linked to your account must be entered.", "forgot_password_email_invalid": "The email address doesn't appear to be valid.", + "sign_in_instead": "Sign in instead", "verify_email_heading": "Verify your email to continue", "verify_email_explainer": "We need to know it’s you before resetting your password. Click the link in the email we just sent to %(email)s" }, diff --git a/src/i18n/strings/eo.json b/src/i18n/strings/eo.json index 9b605de9ab..f747a72e06 100644 --- a/src/i18n/strings/eo.json +++ b/src/i18n/strings/eo.json @@ -2844,11 +2844,13 @@ "reset_password_title": "Restarigu vian pasvorton", "continue_with_sso": "Daŭrigi per %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s aŭ %(usernamePassword)s", + "sign_in_instead_prompt": "Aliĝu anstataŭe", "sign_in_instead": "Aliĝu anstataŭe", "account_clash": "Via nova konto (%(newAccountId)s) estas registrita, sed vi jam salutis per alia konto (%(loggedInUserId)s).", "account_clash_previous_account": "Daŭrigi per antaŭa konto", "log_in_new_account": "Saluti per via nova konto.", "registration_successful": "Registro sukcesis", + "server_picker_title_registration": "Gastigi konton ĉe", "server_picker_title": "Salutu vian hejmservilon", "server_picker_dialog_title": "Decidu, kie via konto gastiĝos", "footer_powered_by_matrix": "funkciigata de Matrix", diff --git a/src/i18n/strings/es.json b/src/i18n/strings/es.json index 40a61d9db6..40a6d0c9e7 100644 --- a/src/i18n/strings/es.json +++ b/src/i18n/strings/es.json @@ -3659,11 +3659,12 @@ "sso": "Single Sign On", "continue_with_sso": "Continuar con %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s o %(usernamePassword)s", - "sign_in_instead": "¿Ya tienes una cuenta? Inicia sesión aquí", + "sign_in_instead_prompt": "¿Ya tienes una cuenta? Inicia sesión aquí", "account_clash": "Su nueva cuenta (%(newAccountId)s) está registrada, pero ya inició sesión en una cuenta diferente (%(loggedInUserId)s).", "account_clash_previous_account": "Continuar con la cuenta anterior", "log_in_new_account": "Inicie sesión en su nueva cuenta.", "registration_successful": "Registro exitoso", + "server_picker_title_registration": "Alojar la cuenta en", "server_picker_title": "Inicia sesión en tu servidor base", "server_picker_dialog_title": "Decide dónde quieres alojar tu cuenta", "footer_powered_by_matrix": "con el poder de Matrix", diff --git a/src/i18n/strings/et.json b/src/i18n/strings/et.json index 0b61bfe0d2..94c9f2b64c 100644 --- a/src/i18n/strings/et.json +++ b/src/i18n/strings/et.json @@ -3839,11 +3839,13 @@ "reset_password_title": "Lähtesta oma salasõna", "continue_with_sso": "Jätkamiseks kasuta %(ssoButtons)s teenuseid", "sso_or_username_password": "%(ssoButtons)s või %(usernamePassword)s", + "sign_in_instead_prompt": "Pigem logi sisse", "sign_in_instead": "Pigem logi sisse", "account_clash": "Sinu uus kasutajakonto (%(newAccountId)s) on registreeritud, kuid sa jube oled sisse loginud teise kasutajakontoga (%(loggedInUserId)s).", "account_clash_previous_account": "Jätka senise konto kasutamist", "log_in_new_account": "Logi sisse oma uuele kasutajakontole.", "registration_successful": "Registreerimine õnnestus", + "server_picker_title_registration": "Sinu kasutajakontot teenindab", "server_picker_title": "Logi sisse oma koduserverisse", "server_picker_dialog_title": "Vali kes võiks sinu kasutajakontot teenindada", "footer_powered_by_matrix": "põhineb Matrix'il", diff --git a/src/i18n/strings/fa.json b/src/i18n/strings/fa.json index 47d575f150..387a3dc189 100644 --- a/src/i18n/strings/fa.json +++ b/src/i18n/strings/fa.json @@ -2548,11 +2548,12 @@ "sso": "ورود یکپارچه", "continue_with_sso": "با %(ssoButtons)s ادامه بده", "sso_or_username_password": "%(ssoButtons)s یا %(usernamePassword)s", - "sign_in_instead": "حساب کاربری دارید؟ وارد شوید", + "sign_in_instead_prompt": "حساب کاربری دارید؟ وارد شوید", "account_clash": "حساب جدید شما (%(newAccountId)s) s) ثبت شده‌است ، اما شما قبلاً به حساب کاربری دیگری (%(loggedInUserId)s) وارد شده‌اید.", "account_clash_previous_account": "با حساب کاربری قبلی ادامه دهید", "log_in_new_account": "به حساب کاربری جدید خود وارد شوید.", "registration_successful": "ثبت‌نام موفقیت‌آمیز بود", + "server_picker_title_registration": "ساختن حساب کاربری بر روی", "server_picker_title": "وارد سرور خود شوید", "server_picker_dialog_title": "حساب کاربری شما بر روی کجا ساخته شود", "footer_powered_by_matrix": "قدرت‌یافته از ماتریکس", diff --git a/src/i18n/strings/fi.json b/src/i18n/strings/fi.json index 12f8e6313f..2150d135db 100644 --- a/src/i18n/strings/fi.json +++ b/src/i18n/strings/fi.json @@ -3485,11 +3485,12 @@ "reset_password_title": "Nollaa salasanasi", "continue_with_sso": "Jatka %(ssoButtons)slla", "sso_or_username_password": "%(ssoButtons)s Tai %(usernamePassword)s", - "sign_in_instead": "Onko sinulla jo tili? Kirjaudu tästä", + "sign_in_instead_prompt": "Onko sinulla jo tili? Kirjaudu tästä", "account_clash": "Uusi tilisi (%(newAccountId)s) on rekisteröity, mutta olet jo kirjautuneena toisella tilillä (%(loggedInUserId)s).", "account_clash_previous_account": "Jatka aiemmalla tilillä", "log_in_new_account": "Kirjaudu uudelle tilillesi.", "registration_successful": "Rekisteröityminen onnistui", + "server_picker_title_registration": "Ylläpidä tiliä osoitteessa", "server_picker_title": "Kirjaudu sisään kotipalvelimellesi", "server_picker_dialog_title": "Päätä, missä tiliäsi isännöidään", "footer_powered_by_matrix": "moottorina Matrix", diff --git a/src/i18n/strings/fr.json b/src/i18n/strings/fr.json index 55f8ad15ac..2972fa05d2 100644 --- a/src/i18n/strings/fr.json +++ b/src/i18n/strings/fr.json @@ -3839,11 +3839,13 @@ "reset_password_title": "Réinitialise votre mot de passe", "continue_with_sso": "Continuer avec %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s ou %(usernamePassword)s", + "sign_in_instead_prompt": "Se connecter à la place", "sign_in_instead": "Se connecter à la place", "account_clash": "Votre nouveau compte (%(newAccountId)s) est créé, mais vous êtes déjà connecté avec un autre compte (%(loggedInUserId)s).", "account_clash_previous_account": "Continuer avec le compte précédent", "log_in_new_account": "Connectez-vous à votre nouveau compte.", "registration_successful": "Inscription réussie", + "server_picker_title_registration": "Héberger le compte sur", "server_picker_title": "Connectez-vous sur votre serveur d’accueil", "server_picker_dialog_title": "Décidez où votre compte est hébergé", "footer_powered_by_matrix": "propulsé par Matrix", diff --git a/src/i18n/strings/ga.json b/src/i18n/strings/ga.json index 0822f3501d..0a6cdb61ec 100644 --- a/src/i18n/strings/ga.json +++ b/src/i18n/strings/ga.json @@ -789,6 +789,8 @@ }, "auth": { "sso": "Single Sign On", + "sign_in_instead_prompt": "An bhfuil cuntas agat cheana? Sínigh isteach anseo", + "server_picker_title_registration": "Óstáil cuntas ar", "sign_in_instead": "An bhfuil cuntas agat cheana? Sínigh isteach anseo", "server_picker_title": "Óstáil cuntas ar", "failed_query_registration_methods": "Ní féidir iarratas a dhéanamh faoi modhanna cláraithe tacaithe.", diff --git a/src/i18n/strings/gl.json b/src/i18n/strings/gl.json index f342163bf7..cfa531b2f2 100644 --- a/src/i18n/strings/gl.json +++ b/src/i18n/strings/gl.json @@ -3400,11 +3400,12 @@ "sso": "Single Sign On", "continue_with_sso": "Continúa con %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s Ou %(usernamePassword)s", - "sign_in_instead": "Xa tes unha conta? Conecta aquí", + "sign_in_instead_prompt": "Xa tes unha conta? Conecta aquí", "account_clash": "A tú conta (%(newAccountId)s) foi rexistrada, pero iniciaches sesión usando outra conta (%(loggedInUserId)s).", "account_clash_previous_account": "Continúa coa conta anterior", "log_in_new_account": "Accede usando a conta nova.", "registration_successful": "Rexistro correcto", + "server_picker_title_registration": "Crea a conta en", "server_picker_title": "Conecta co teu servidor de inicio", "server_picker_dialog_title": "Decide onde queres crear a túa conta", "footer_powered_by_matrix": "funciona grazas a Matrix", diff --git a/src/i18n/strings/he.json b/src/i18n/strings/he.json index 3fce3c3c64..22fdc6cd2b 100644 --- a/src/i18n/strings/he.json +++ b/src/i18n/strings/he.json @@ -2697,11 +2697,13 @@ "sso": "כניסה חד שלבית", "continue_with_sso": "המשך עם %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s או %(usernamePassword)s", + "sign_in_instead_prompt": "התחבר במקום זאת", "sign_in_instead": "התחבר במקום זאת", "account_clash": "החשבון החדש שלך (%(newAccountId)s) רשום, אך אתה כבר מחובר לחשבון אחר (%(loggedInUserId)s).", "account_clash_previous_account": "המשך בחשבון הקודם", "log_in_new_account": " היכנס לחשבונך החדש.", "registration_successful": "ההרשמה בוצעה בהצלחה", + "server_picker_title_registration": "חשבון מארח ב", "server_picker_title": "היכנס לשרת הבית שלך", "server_picker_dialog_title": "החלט היכן מתארח חשבונך", "footer_powered_by_matrix": "מופעל ע\"י Matrix", diff --git a/src/i18n/strings/hu.json b/src/i18n/strings/hu.json index 86a6df6f50..4329eb71be 100644 --- a/src/i18n/strings/hu.json +++ b/src/i18n/strings/hu.json @@ -3744,11 +3744,13 @@ "reset_password_title": "Jelszó megváltoztatása", "continue_with_sso": "Folytatás ezzel: %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s vagy %(usernamePassword)s", + "sign_in_instead_prompt": "Bejelentkezés inkább", "sign_in_instead": "Bejelentkezés inkább", "account_clash": "Az új (%(newAccountId)s) fiókod elkészült, de jelenleg egy másik fiókba (%(loggedInUserId)s) vagy bejelentkezve.", "account_clash_previous_account": "Folytatás az előző fiókkal", "log_in_new_account": "Belépés az új fiókodba.", "registration_successful": "Regisztráció sikeres", + "server_picker_title_registration": "Fiók létrehozása itt:", "server_picker_title": "Bejelentkezés a Matrix-kiszolgálójába", "server_picker_dialog_title": "Döntse el, hol szeretne fiókot létrehozni", "footer_powered_by_matrix": "a gépházban: Matrix", diff --git a/src/i18n/strings/id.json b/src/i18n/strings/id.json index f5b71d10f0..d4033c08fc 100644 --- a/src/i18n/strings/id.json +++ b/src/i18n/strings/id.json @@ -3844,11 +3844,13 @@ "reset_password_title": "Atur ulang kata sandi Anda", "continue_with_sso": "Lanjutkan dengan %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s Atau %(usernamePassword)s", + "sign_in_instead_prompt": "Masuk saja", "sign_in_instead": "Masuk saja", "account_clash": "Akun Anda yang baru (%(newAccountId)s) telah didaftarkan, tetapi Anda telah masuk ke akun yang lain (%(loggedInUserId)s).", "account_clash_previous_account": "Lanjutkan dengan akun sebelumnya", "log_in_new_account": "Masuk ke akun yang baru.", "registration_successful": "Pendaftaran Berhasil", + "server_picker_title_registration": "Host akun di", "server_picker_title": "Masuk ke homeserver Anda", "server_picker_dialog_title": "Putuskan di mana untuk menghost akun Anda", "footer_powered_by_matrix": "diberdayakan oleh Matrix", diff --git a/src/i18n/strings/is.json b/src/i18n/strings/is.json index f9255d51d9..9bd425bdcd 100644 --- a/src/i18n/strings/is.json +++ b/src/i18n/strings/is.json @@ -3267,11 +3267,13 @@ "reset_password_title": "Endurstilltu lykilorðið þitt", "continue_with_sso": "Halda áfram með %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s eða %(usernamePassword)s", + "sign_in_instead_prompt": "Skrá inn í staðinn", "sign_in_instead": "Skrá inn í staðinn", "account_clash": "Nýi aðgangurinn þinn (%(newAccountId)s) er skráður, eð þú ert þegar skráð/ur inn á öðrum notandaaðgangi (%(loggedInUserId)s).", "account_clash_previous_account": "Halda áfram með fyrri aðgangi", "log_in_new_account": "Skráðu þig inn í nýja notandaaðganginn þinn.", "registration_successful": "Nýskráning tókst", + "server_picker_title_registration": "Hýsa notandaaðgang á", "server_picker_title": "Skráðu þig inn á heimaþjóninn þinn", "server_picker_dialog_title": "Ákveddu hvar aðgangurinn þinn er hýstur", "footer_powered_by_matrix": "keyrt með Matrix", diff --git a/src/i18n/strings/it.json b/src/i18n/strings/it.json index fef0da1da1..7dd607fcae 100644 --- a/src/i18n/strings/it.json +++ b/src/i18n/strings/it.json @@ -3844,11 +3844,13 @@ "reset_password_title": "Reimposta la tua password", "continue_with_sso": "Continua con %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s o %(usernamePassword)s", + "sign_in_instead_prompt": "Oppure accedi", "sign_in_instead": "Oppure accedi", "account_clash": "Il tuo nuovo account (%(newAccountId)s) è registrato, ma hai già fatto l'accesso in un account diverso (%(loggedInUserId)s).", "account_clash_previous_account": "Continua con l'account precedente", "log_in_new_account": "Accedi al tuo nuovo account.", "registration_successful": "Registrazione riuscita", + "server_picker_title_registration": "Ospita account su", "server_picker_title": "Accedi al tuo homeserver", "server_picker_dialog_title": "Decidi dove ospitare il tuo account", "footer_powered_by_matrix": "offerto da Matrix", diff --git a/src/i18n/strings/ja.json b/src/i18n/strings/ja.json index e33e1045f9..2e0f1dae1b 100644 --- a/src/i18n/strings/ja.json +++ b/src/i18n/strings/ja.json @@ -3646,6 +3646,8 @@ "reset_password_title": "パスワードを再設定", "continue_with_sso": "以下のサービスにより続行%(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)sあるいは、以下に入力して登録%(usernamePassword)s", + "server_picker_title_registration": "アカウントを以下のホームサーバーでホスト", + "sign_in_instead_prompt": "サインイン", "sign_in_instead": "サインイン", "account_clash": "新しいアカウント(%(newAccountId)s)が登録されましたが、あなたは別のアカウント(%(loggedInUserId)s)でログインしています。", "account_clash_previous_account": "以前のアカウントで続行", @@ -3959,4 +3961,4 @@ "setup_rooms_private_heading": "あなたのチームはどのようなプロジェクトに取り組みますか?", "setup_rooms_private_description": "それぞれのプロジェクトにルームを作りましょう。" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/kab.json b/src/i18n/strings/kab.json index 6813302180..5a0ba018d9 100644 --- a/src/i18n/strings/kab.json +++ b/src/i18n/strings/kab.json @@ -2033,11 +2033,12 @@ "sso": "Anekcum asuf", "continue_with_sso": "Kemmel s %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s neɣ %(usernamePassword)s", - "sign_in_instead": "Tesεiḍ yakan amiḍan? Kcem ɣer da", + "sign_in_instead_prompt": "Tesεiḍ yakan amiḍan? Kcem ɣer da", "account_clash": "Amiḍan-ik·im amaynut (%(newAccountId)s) yettwaseklas, maca teqqneḍ yakan ɣer umiḍan wayeḍ (%(loggedInUserId)s).", "account_clash_previous_account": "Kemmel s umiḍan yezrin", "log_in_new_account": "Kcem ɣer umiḍan-ik·im amaynut.", "registration_successful": "Asekles yemmed akken iwata", + "server_picker_title_registration": "Sezdeɣ amiḍan deg", "server_picker_title": "Sezdeɣ amiḍan deg", "server_picker_dialog_title": "Wali anida ara yezdeɣ umiḍan-ik·im", "footer_powered_by_matrix": "s lmendad n Matrix", diff --git a/src/i18n/strings/lo.json b/src/i18n/strings/lo.json index 233318a57d..62a873e418 100644 --- a/src/i18n/strings/lo.json +++ b/src/i18n/strings/lo.json @@ -3200,11 +3200,12 @@ "sso": "ເຂົ້າລະບົບແບບປະຕູດຽວ (SSO)", "continue_with_sso": "ສືບຕໍ່ດ້ວຍ %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s ຫຼື %(usernamePassword)s", - "sign_in_instead": "ມີບັນຊີແລ້ວບໍ? ເຂົ້າສູ່ລະບົບທີ່ນີ້", + "sign_in_instead_prompt": "ມີບັນຊີແລ້ວບໍ? ເຂົ້າສູ່ລະບົບທີ່ນີ້", "account_clash": "ບັນຊີໃຫມ່ຂອງທ່ານ (%(newAccountId)s) ໄດ້ລົງທະບຽນ, ແຕ່ວ່າທ່ານໄດ້ເຂົ້າສູ່ລະບົບບັນຊີອື່ນແລ້ວ (%(loggedInUserId)s).", "account_clash_previous_account": "ສືບຕໍ່ກັບບັນຊີທີ່ຜ່ານມາ", "log_in_new_account": "ເຂົ້າສູ່ລະບົບ ບັນຊີໃໝ່ຂອງທ່ານ.", "registration_successful": "ການລົງທະບຽນສຳເລັດແລ້ວ", + "server_picker_title_registration": "ບັນຊີເຈົ້າພາບເປີດຢູ່", "server_picker_title": "ເຂົ້າສູ່ລະບົບ homeserver ຂອງທ່ານ", "server_picker_dialog_title": "ຕັດສິນໃຈວ່າບັນຊີຂອງທ່ານໃຊ້ເປັນເຈົ້າພາບຢູ່ໃສ", "footer_powered_by_matrix": "ຂັບເຄື່ອນໂດຍ Matrix", diff --git a/src/i18n/strings/lt.json b/src/i18n/strings/lt.json index 5c8b70e000..7c71e4b3fa 100644 --- a/src/i18n/strings/lt.json +++ b/src/i18n/strings/lt.json @@ -2528,7 +2528,8 @@ }, "auth": { "sso": "Vienas Prisijungimas", - "sign_in_instead": "Jau turite paskyrą? Prisijunkite čia", + "server_picker_title_registration": "Kurti paskyrą serveryje", + "sign_in_instead_prompt": "Jau turite paskyrą? Prisijunkite čia", "log_in_new_account": "Prisijunkite prie naujos paskyros.", "registration_successful": "Registracija sėkminga", "server_picker_title": "Prisijunkite prie savo namų serverio", @@ -2692,4 +2693,4 @@ "private_heading": "Jūsų privati erdvė", "add_details_prompt": "Pridėkite šiek tiek detalių, kad žmonės galėtų ją atpažinti." } -} \ No newline at end of file +} diff --git a/src/i18n/strings/lv.json b/src/i18n/strings/lv.json index 076e30b9bb..90f9aba57e 100644 --- a/src/i18n/strings/lv.json +++ b/src/i18n/strings/lv.json @@ -1811,7 +1811,7 @@ "sso": "Vienotā pieteikšanās", "continue_with_sso": "Turpināt ar %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s vai %(usernamePassword)s", - "sign_in_instead": "Jau ir konts? Pierakstieties šeit", + "sign_in_instead_prompt": "Jau ir konts? Pierakstieties šeit", "account_clash": "Jūsu jaunais konts (%(newAccountId)s) ir reģistrēts, bet jūs jau esat pierakstījies citā kontā (%(loggedInUserId)s).", "account_clash_previous_account": "Turpināt ar iepriekšējo kontu", "log_in_new_account": "Pierakstīties jaunajā kontā.", diff --git a/src/i18n/strings/nb_NO.json b/src/i18n/strings/nb_NO.json index 6e7dc3d3bd..ae84715b03 100644 --- a/src/i18n/strings/nb_NO.json +++ b/src/i18n/strings/nb_NO.json @@ -1627,7 +1627,7 @@ "continue_with_idp": "Fortsett med %(provider)s", "sso": "Single Sign On", "sso_or_username_password": "%(ssoButtons)s eller %(usernamePassword)s", - "sign_in_instead": "Har du allerede en konto? Logg på", + "sign_in_instead_prompt": "Har du allerede en konto? Logg på", "account_clash_previous_account": "Fortsett med tidligere konto", "registration_successful": "Registreringen var vellykket", "footer_powered_by_matrix": "Drevet av Matrix", diff --git a/src/i18n/strings/nl.json b/src/i18n/strings/nl.json index 4ef1eb8604..1981b98243 100644 --- a/src/i18n/strings/nl.json +++ b/src/i18n/strings/nl.json @@ -3474,11 +3474,12 @@ "sso": "Eenmalige aanmelding", "continue_with_sso": "Ga verder met %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s of %(usernamePassword)s", - "sign_in_instead": "Heb je al een account? Inloggen", + "sign_in_instead_prompt": "Heb je al een account? Inloggen", "account_clash": "Jouw nieuwe account (%(newAccountId)s) is geregistreerd, maar je bent al ingelogd met een andere account (%(loggedInUserId)s).", "account_clash_previous_account": "Doorgaan met vorige account", "log_in_new_account": "Login met je nieuwe account.", "registration_successful": "Registratie geslaagd", + "server_picker_title_registration": "Host je account op", "server_picker_title": "Login op jouw homeserver", "server_picker_dialog_title": "Kies waar je account wordt gehost", "footer_powered_by_matrix": "draait op Matrix", diff --git a/src/i18n/strings/pl.json b/src/i18n/strings/pl.json index 99c0a20135..64e4a6c7d1 100644 --- a/src/i18n/strings/pl.json +++ b/src/i18n/strings/pl.json @@ -3821,11 +3821,13 @@ "reset_password_title": "Resetuj swoje hasło", "continue_with_sso": "Kontynuuj z %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s lub %(usernamePassword)s", + "sign_in_instead_prompt": "Zamiast tego zaloguj się", "sign_in_instead": "Zamiast tego zaloguj się", "account_clash": "Twoje nowe konto (%(newAccountId)s) zostało zarejestrowane, lecz jesteś już zalogowany na innym koncie (%(loggedInUserId)s).", "account_clash_previous_account": "Kontynuuj, używając poprzedniego konta", "log_in_new_account": "Zaloguj się do nowego konta.", "registration_successful": "Pomyślnie zarejestrowano", + "server_picker_title_registration": "Przechowuj konto na", "server_picker_title": "Zaloguj się do swojego serwera domowego", "server_picker_dialog_title": "Decyduj, gdzie Twoje konto jest hostowane", "footer_powered_by_matrix": "napędzany przez Matrix", diff --git a/src/i18n/strings/pt.json b/src/i18n/strings/pt.json index d820c593fb..d5a961b3fe 100644 --- a/src/i18n/strings/pt.json +++ b/src/i18n/strings/pt.json @@ -801,6 +801,8 @@ "auth": { "sso": "Single Sign On", "sso_or_username_password": "%(ssoButtons)s Ou %(usernamePassword)s", + "sign_in_instead_prompt": "Já tem uma conta? Entre aqui", + "server_picker_title_registration": "Hospedar conta em", "sign_in_instead": "Já tem uma conta? Entre aqui", "server_picker_title": "Hospedar conta em", "footer_powered_by_matrix": "potenciado por Matrix", diff --git a/src/i18n/strings/pt_BR.json b/src/i18n/strings/pt_BR.json index 1926d61249..b998aff916 100644 --- a/src/i18n/strings/pt_BR.json +++ b/src/i18n/strings/pt_BR.json @@ -2853,11 +2853,12 @@ "sso": "Autenticação Única", "continue_with_sso": "Continuar com %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s ou %(usernamePassword)s", - "sign_in_instead": "Já tem uma conta? Entre aqui", + "sign_in_instead_prompt": "Já tem uma conta? Entre aqui", "account_clash": "Sua nova conta (%(newAccountId)s) foi registrada, mas você já está conectado a uma conta diferente (%(loggedInUserId)s).", "account_clash_previous_account": "Continuar com a conta anterior", "log_in_new_account": "Entrar em sua nova conta.", "registration_successful": "Registro bem-sucedido", + "server_picker_title_registration": "Hospedar conta em", "server_picker_title": "Faça login em seu servidor local", "server_picker_dialog_title": "Decida onde a sua conta será hospedada", "footer_powered_by_matrix": "oferecido por Matrix", diff --git a/src/i18n/strings/ru.json b/src/i18n/strings/ru.json index d1395d426f..214570350c 100644 --- a/src/i18n/strings/ru.json +++ b/src/i18n/strings/ru.json @@ -3553,11 +3553,12 @@ "sso": "Единая точка входа", "continue_with_sso": "Продолжить с %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s или %(usernamePassword)s", - "sign_in_instead": "Уже есть учётная запись? Войдите здесь", + "sign_in_instead_prompt": "Уже есть учётная запись? Войдите здесь", "account_clash": "Учётная запись (%(newAccountId)s) зарегистрирована, но вы уже вошли в другую учётную запись (%(loggedInUserId)s).", "account_clash_previous_account": "Продолжить с предыдущей учётной записью", "log_in_new_account": "Войти в новую учётную запись.", "registration_successful": "Регистрация успешно завершена", + "server_picker_title_registration": "Ваша учётная запись обслуживается", "server_picker_title": "Войдите на свой домашний сервер", "server_picker_dialog_title": "Выберите, кто обслуживает вашу учётную запись", "footer_powered_by_matrix": "основано на Matrix", diff --git a/src/i18n/strings/sk.json b/src/i18n/strings/sk.json index 2e94d9440e..1e49e17e96 100644 --- a/src/i18n/strings/sk.json +++ b/src/i18n/strings/sk.json @@ -3839,11 +3839,13 @@ "reset_password_title": "Obnovte svoje heslo", "continue_with_sso": "Pokračovať s %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s alebo %(usernamePassword)s", + "sign_in_instead_prompt": "Radšej sa prihlásiť", "sign_in_instead": "Radšej sa prihlásiť", "account_clash": "Váš nový účet (%(newAccountId)s) je registrovaný, ale už ste prihlásený pod iným účtom (%(loggedInUserId)s).", "account_clash_previous_account": "Pokračovať s predošlým účtom", "log_in_new_account": "Prihláste sa do vášho nového účtu.", "registration_successful": "Úspešná registrácia", + "server_picker_title_registration": "Hostiteľský účet na", "server_picker_title": "Prihláste sa do svojho domovského servera", "server_picker_dialog_title": "Rozhodnite sa, kde bude váš účet hostovaný", "footer_powered_by_matrix": "používa protokol Matrix", diff --git a/src/i18n/strings/sq.json b/src/i18n/strings/sq.json index ffca531348..e05e046b5a 100644 --- a/src/i18n/strings/sq.json +++ b/src/i18n/strings/sq.json @@ -3737,11 +3737,13 @@ "reset_password_title": "Ricaktoni fjalëkalimin tuaj", "continue_with_sso": "Vazhdo me %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s Ose %(usernamePassword)s", + "sign_in_instead_prompt": "Në vend të kësaj, hyni", "sign_in_instead": "Në vend të kësaj, hyni", "account_clash": "Llogaria juaj e re (%(newAccountId)s) është e regjistruar, por jeni i futur në një tjetër llogari (%(loggedInUserId)s).", "account_clash_previous_account": "Vazhdoni me llogarinë e mëparshme", "log_in_new_account": "Bëni hyrjen te llogaria juaj e re.", "registration_successful": "Regjistrim i Suksesshëm", + "server_picker_title_registration": "Strehoni llogari në", "server_picker_title": "Bëni hyrjen te shërbyesi juaj Home", "server_picker_dialog_title": "Vendosni se ku të ruhet llogaria juaj", "footer_powered_by_matrix": "bazuar në Matrix", diff --git a/src/i18n/strings/sv.json b/src/i18n/strings/sv.json index e2c582ae9f..b03a1f365f 100644 --- a/src/i18n/strings/sv.json +++ b/src/i18n/strings/sv.json @@ -3780,11 +3780,13 @@ "reset_password_title": "Återställ ditt lösenord", "continue_with_sso": "Fortsätt med %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s Eller %(usernamePassword)s", + "sign_in_instead_prompt": "Logga in istället", "sign_in_instead": "Logga in istället", "account_clash": "Ditt nya konto (%(newAccountId)s) är registrerat, men du är redan inloggad på ett annat konto (%(loggedInUserId)s).", "account_clash_previous_account": "Fortsätt med de tidigare kontot", "log_in_new_account": "Logga in i ditt nya konto.", "registration_successful": "Registrering lyckades", + "server_picker_title_registration": "Skapa kontot på", "server_picker_title": "Logga in på din hemserver", "server_picker_dialog_title": "Bestäm var ditt konto finns", "footer_powered_by_matrix": "drivs av Matrix", diff --git a/src/i18n/strings/uk.json b/src/i18n/strings/uk.json index e967ed77fb..b4641a2147 100644 --- a/src/i18n/strings/uk.json +++ b/src/i18n/strings/uk.json @@ -3839,11 +3839,13 @@ "reset_password_title": "Скиньте свій пароль", "continue_with_sso": "Продовжити з %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s або %(usernamePassword)s", + "sign_in_instead_prompt": "Натомість увійти", "sign_in_instead": "Натомість увійти", "account_clash": "Ваш новий обліковий запис (%(newAccountId)s) зареєстровано, проте ви вже ввійшли до іншого облікового запису (%(loggedInUserId)s).", "account_clash_previous_account": "Продовжити з попереднім обліковим записом", "log_in_new_account": "Увійти до нового облікового запису.", "registration_successful": "Реєстрацію успішно виконано", + "server_picker_title_registration": "Розмістити обліковий запис на", "server_picker_title": "Увійдіть на ваш домашній сервер", "server_picker_dialog_title": "Оберіть, де розмістити ваш обліковий запис", "footer_powered_by_matrix": "працює на Matrix", diff --git a/src/i18n/strings/vi.json b/src/i18n/strings/vi.json index 7b2ac94f32..db128cf5e0 100644 --- a/src/i18n/strings/vi.json +++ b/src/i18n/strings/vi.json @@ -3557,11 +3557,13 @@ "reset_password_title": "Đặt lại mật khẩu của bạn", "continue_with_sso": "Tiếp tục với %(ssoButtons)s", "sso_or_username_password": "%(ssoButtons)s Hoặc %(usernamePassword)s", + "sign_in_instead_prompt": "Đăng nhập", "sign_in_instead": "Đăng nhập", "account_clash": "Tài khoản mới của bạn (%(newAccountId)s) đã được đăng ký, nhưng bạn đã đăng nhập vào một tài khoản khác (%(loggedInUserId)s).", "account_clash_previous_account": "Tiếp tục với tài khoản trước", "log_in_new_account": "Sign in để vào tài khoản mới của bạn.", "registration_successful": "Đăng ký thành công", + "server_picker_title_registration": "Tài khoản máy chủ trên", "server_picker_title": "Đăng nhập vào máy chủ của bạn", "server_picker_dialog_title": "Quyết định nơi tài khoản của bạn được lưu trữ", "footer_powered_by_matrix": "cung cấp bởi Matrix", diff --git a/src/i18n/strings/zh_Hans.json b/src/i18n/strings/zh_Hans.json index 2b555a1ee2..f7ee2af296 100644 --- a/src/i18n/strings/zh_Hans.json +++ b/src/i18n/strings/zh_Hans.json @@ -3452,11 +3452,12 @@ "sso": "单点登录", "continue_with_sso": "使用 %(ssoButtons)s 继续", "sso_or_username_password": "%(ssoButtons)s 或 %(usernamePassword)s", - "sign_in_instead": "已有账户?在此登录", + "sign_in_instead_prompt": "已有账户?在此登录", "account_clash": "你的新账户(%(newAccountId)s)已注册,但你已经登录了一个不同的账户(%(loggedInUserId)s)。", "account_clash_previous_account": "用之前的账户继续", "log_in_new_account": "登录到你的新账户。", "registration_successful": "注册成功", + "server_picker_title_registration": "账户托管于", "server_picker_title": "登录你的家服务器", "server_picker_dialog_title": "决定账户托管位置", "footer_powered_by_matrix": "由 Matrix 驱动", diff --git a/src/i18n/strings/zh_Hant.json b/src/i18n/strings/zh_Hant.json index 8e6109ecab..3945cf1bd9 100644 --- a/src/i18n/strings/zh_Hant.json +++ b/src/i18n/strings/zh_Hant.json @@ -3839,11 +3839,13 @@ "reset_password_title": "重新設定您的密碼", "continue_with_sso": "使用 %(ssoButtons)s 繼續", "sso_or_username_password": "%(ssoButtons)s 或 %(usernamePassword)s", + "sign_in_instead_prompt": "改為登入", "sign_in_instead": "改為登入", "account_clash": "您的新帳號 %(newAccountId)s 已註冊,但您已經登入到不同的帳號 (%(loggedInUserId)s)。", "account_clash_previous_account": "使用先前的帳號繼續", "log_in_new_account": "登入到您的新帳號。", "registration_successful": "註冊成功", + "server_picker_title_registration": "帳號託管於", "server_picker_title": "登入您的家伺服器", "server_picker_dialog_title": "決定託管帳號的位置", "footer_powered_by_matrix": "由 Matrix 提供", From fc9caa3269473cd9f9c839342d80e9f4f0c01cc9 Mon Sep 17 00:00:00 2001 From: Germain Date: Wed, 20 Sep 2023 12:51:15 +0100 Subject: [PATCH 03/16] Linkify room topic (#11631) --- src/components/views/rooms/RoomHeader.tsx | 8 +++++++- src/hooks/room/useTopic.ts | 5 +++++ test/components/views/rooms/RoomHeader-test.tsx | 4 +++- 3 files changed, 15 insertions(+), 2 deletions(-) diff --git a/src/components/views/rooms/RoomHeader.tsx b/src/components/views/rooms/RoomHeader.tsx index bb8dd49182..a51b2a88db 100644 --- a/src/components/views/rooms/RoomHeader.tsx +++ b/src/components/views/rooms/RoomHeader.tsx @@ -47,6 +47,7 @@ import { useRoomState } from "../../../hooks/useRoomState"; import RoomAvatar from "../avatars/RoomAvatar"; import { formatCount } from "../../../utils/FormattingUtils"; import RightPanelStore from "../../../stores/right-panel/RightPanelStore"; +import { Linkify, topicToHtml } from "../../../HtmlUtils"; /** * A helper to transform a notification color to the what the Compound Icon Button @@ -100,6 +101,11 @@ export default function RoomHeader({ room }: { room: Room }): JSX.Element { const notificationsEnabled = useFeatureEnabled("feature_notifications"); + const roomTopicBody = useMemo( + () => topicToHtml(roomTopic?.text, roomTopic?.html), + [roomTopic?.html, roomTopic?.text], + ); + return ( {roomTopic && ( - {roomTopic.text} + {roomTopicBody} )} diff --git a/src/hooks/room/useTopic.ts b/src/hooks/room/useTopic.ts index 1b63cb8ed9..a0876ef983 100644 --- a/src/hooks/room/useTopic.ts +++ b/src/hooks/room/useTopic.ts @@ -32,6 +32,11 @@ export const getTopic = (room?: Room): Optional => { return !!content ? ContentHelpers.parseTopicContent(content) : null; }; +/** + * Helper to retrieve the room topic for given room + * @param room + * @returns the raw text and an html parsion version of the room topic + */ export function useTopic(room?: Room): Optional { const [topic, setTopic] = useState(getTopic(room)); useTypedEventEmitter(room?.currentState, RoomStateEvent.Events, (ev: MatrixEvent) => { diff --git a/test/components/views/rooms/RoomHeader-test.tsx b/test/components/views/rooms/RoomHeader-test.tsx index 3476e24453..293e857a43 100644 --- a/test/components/views/rooms/RoomHeader-test.tsx +++ b/test/components/views/rooms/RoomHeader-test.tsx @@ -21,6 +21,7 @@ import { fireEvent, getAllByLabelText, getByLabelText, + getByRole, getByText, render, screen, @@ -78,7 +79,7 @@ describe("RoomHeader", () => { }); it("renders the room topic", async () => { - const TOPIC = "Hello World!"; + const TOPIC = "Hello World! http://element.io"; const roomTopic = new MatrixEvent({ type: EventType.RoomTopic, @@ -96,6 +97,7 @@ describe("RoomHeader", () => { withClientContextRenderOptions(MatrixClientPeg.get()!), ); expect(container).toHaveTextContent(TOPIC); + expect(getByRole(container, "link")).toHaveTextContent("http://element.io"); }); it("opens the room summary", async () => { From d77b871769ad8335d9ea610119a1a75bcafa4170 Mon Sep 17 00:00:00 2001 From: Michael Telatynski <7t3chguy@gmail.com> Date: Thu, 21 Sep 2023 09:11:26 +0100 Subject: [PATCH 04/16] Migrate more strings to translation keys (#11637) --- src/autocomplete/CommandProvider.tsx | 4 +- src/autocomplete/EmojiProvider.tsx | 2 +- src/autocomplete/NotifProvider.tsx | 6 +- src/autocomplete/RoomProvider.tsx | 2 +- src/autocomplete/SpaceProvider.tsx | 2 +- src/autocomplete/UserProvider.tsx | 4 +- src/components/structures/FileDropTarget.tsx | 2 +- src/components/structures/FilePanel.tsx | 8 +- src/components/structures/MatrixChat.tsx | 8 +- src/components/structures/MessagePanel.tsx | 4 +- .../structures/NotificationPanel.tsx | 4 +- src/components/structures/SpaceHierarchy.tsx | 14 +- src/components/structures/UserMenu.tsx | 11 +- src/components/structures/ViewSource.tsx | 6 +- src/components/views/auth/LoginWithQRFlow.tsx | 2 +- .../views/auth/RegistrationForm.tsx | 16 +- .../views/context_menus/SpaceContextMenu.tsx | 6 +- .../ManualDeviceKeyVerificationDialog.tsx | 4 +- .../views/dialogs/RoomSettingsDialog.tsx | 4 +- .../dialogs/SlidingSyncOptionsDialog.tsx | 16 +- .../views/dialogs/SpaceSettingsDialog.tsx | 4 +- src/components/views/dialogs/TermsDialog.tsx | 12 +- .../views/dialogs/UserSettingsDialog.tsx | 2 +- .../room_settings/RoomPublishSetting.tsx | 2 +- .../room_settings/UrlPreviewSettings.tsx | 20 +- .../views/rooms/LegacyRoomHeader.tsx | 2 +- src/components/views/rooms/NewRoomIntro.tsx | 32 +- .../views/rooms/RoomPreviewCard.tsx | 2 +- .../settings/devices/CurrentDeviceSection.tsx | 4 +- .../settings/devices/DeviceDetailHeading.tsx | 18 +- .../views/settings/devices/DeviceDetails.tsx | 22 +- .../devices/DeviceExpandDetailsButton.tsx | 2 +- .../views/settings/devices/DeviceMetaData.tsx | 5 +- .../devices/DeviceSecurityLearnMore.tsx | 58 +-- .../views/settings/devices/DeviceTypeIcon.tsx | 14 +- .../devices/DeviceVerificationStatusCard.tsx | 18 +- .../settings/devices/FilteredDeviceList.tsx | 77 ++- .../devices/FilteredDeviceListHeader.tsx | 4 +- .../settings/devices/LoginWithQRSection.tsx | 8 +- .../devices/OtherSessionsSectionHeading.tsx | 4 +- .../devices/SecurityRecommendations.tsx | 17 +- .../views/settings/devices/deleteDevices.tsx | 8 +- .../tabs/room/RolesRoomSettingsTab.tsx | 24 +- .../tabs/room/SecurityRoomSettingsTab.tsx | 82 ++-- src/i18n/strings/ar.json | 92 ++-- src/i18n/strings/az.json | 30 +- src/i18n/strings/bg.json | 148 +++--- src/i18n/strings/bs.json | 5 + src/i18n/strings/ca.json | 60 ++- src/i18n/strings/cs.json | 442 +++++++++--------- src/i18n/strings/cy.json | 5 + src/i18n/strings/da.json | 34 +- src/i18n/strings/de_DE.json | 442 +++++++++--------- src/i18n/strings/el.json | 280 ++++++----- src/i18n/strings/en_EN.json | 438 +++++++++-------- src/i18n/strings/en_US.json | 57 ++- src/i18n/strings/eo.json | 278 ++++++----- src/i18n/strings/es.json | 418 +++++++++-------- src/i18n/strings/et.json | 442 +++++++++--------- src/i18n/strings/eu.json | 136 +++--- src/i18n/strings/fa.json | 196 ++++---- src/i18n/strings/fi.json | 410 ++++++++-------- src/i18n/strings/fr.json | 442 +++++++++--------- src/i18n/strings/ga.json | 62 ++- src/i18n/strings/gl.json | 354 +++++++------- src/i18n/strings/he.json | 206 ++++---- src/i18n/strings/hi.json | 30 +- src/i18n/strings/hu.json | 440 +++++++++-------- src/i18n/strings/id.json | 442 +++++++++--------- src/i18n/strings/is.json | 360 +++++++------- src/i18n/strings/it.json | 442 +++++++++--------- src/i18n/strings/ja.json | 436 +++++++++-------- src/i18n/strings/jbo.json | 20 +- src/i18n/strings/ka.json | 5 + src/i18n/strings/kab.json | 140 +++--- src/i18n/strings/ko.json | 146 +++--- src/i18n/strings/lo.json | 276 ++++++----- src/i18n/strings/lt.json | 268 ++++++----- src/i18n/strings/lv.json | 172 ++++--- src/i18n/strings/ml.json | 5 + src/i18n/strings/mn.json | 5 + src/i18n/strings/nb_NO.json | 128 ++--- src/i18n/strings/nl.json | 398 ++++++++-------- src/i18n/strings/nn.json | 112 +++-- src/i18n/strings/oc.json | 36 +- src/i18n/strings/pl.json | 442 +++++++++--------- src/i18n/strings/pt.json | 67 ++- src/i18n/strings/pt_BR.json | 278 ++++++----- src/i18n/strings/ro.json | 5 + src/i18n/strings/ru.json | 418 +++++++++-------- src/i18n/strings/si.json | 5 + src/i18n/strings/sk.json | 442 +++++++++--------- src/i18n/strings/sl.json | 5 + src/i18n/strings/sq.json | 440 +++++++++-------- src/i18n/strings/sr.json | 112 +++-- src/i18n/strings/sr_Latn.json | 5 + src/i18n/strings/sv.json | 442 +++++++++--------- src/i18n/strings/ta.json | 5 + src/i18n/strings/te.json | 16 +- src/i18n/strings/th.json | 123 +++-- src/i18n/strings/tr.json | 198 ++++---- src/i18n/strings/tzm.json | 9 +- src/i18n/strings/uk.json | 442 +++++++++--------- src/i18n/strings/vi.json | 428 +++++++++-------- src/i18n/strings/vls.json | 108 +++-- src/i18n/strings/zh_Hans.json | 350 +++++++------- src/i18n/strings/zh_Hant.json | 442 +++++++++--------- 107 files changed, 7689 insertions(+), 6497 deletions(-) diff --git a/src/autocomplete/CommandProvider.tsx b/src/autocomplete/CommandProvider.tsx index 4dc13f1e22..1e3e4a3254 100644 --- a/src/autocomplete/CommandProvider.tsx +++ b/src/autocomplete/CommandProvider.tsx @@ -104,7 +104,7 @@ export default class CommandProvider extends AutocompleteProvider { } public getName(): string { - return "*️⃣ " + _t("Commands"); + return "*️⃣ " + _t("composer|autocomplete|command_description"); } public renderCompletions(completions: React.ReactNode[]): React.ReactNode { @@ -112,7 +112,7 @@ export default class CommandProvider extends AutocompleteProvider {
{completions}
diff --git a/src/autocomplete/EmojiProvider.tsx b/src/autocomplete/EmojiProvider.tsx index a601b6330d..5b89ea7e28 100644 --- a/src/autocomplete/EmojiProvider.tsx +++ b/src/autocomplete/EmojiProvider.tsx @@ -184,7 +184,7 @@ export default class EmojiProvider extends AutocompleteProvider {
{completions}
diff --git a/src/autocomplete/NotifProvider.tsx b/src/autocomplete/NotifProvider.tsx index 8bad2c8718..88eca2f096 100644 --- a/src/autocomplete/NotifProvider.tsx +++ b/src/autocomplete/NotifProvider.tsx @@ -55,7 +55,7 @@ export default class NotifProvider extends AutocompleteProvider { type: "at-room", suffix: " ", component: ( - + ), @@ -67,7 +67,7 @@ export default class NotifProvider extends AutocompleteProvider { } public getName(): string { - return "❗️ " + _t("Room Notification"); + return "❗️ " + _t("composer|autocomplete|notification_description"); } public renderCompletions(completions: React.ReactNode[]): React.ReactNode { @@ -75,7 +75,7 @@ export default class NotifProvider extends AutocompleteProvider {
{completions}
diff --git a/src/autocomplete/RoomProvider.tsx b/src/autocomplete/RoomProvider.tsx index 3d7a8ba1c1..f190bad750 100644 --- a/src/autocomplete/RoomProvider.tsx +++ b/src/autocomplete/RoomProvider.tsx @@ -142,7 +142,7 @@ export default class RoomProvider extends AutocompleteProvider {
{completions}
diff --git a/src/autocomplete/SpaceProvider.tsx b/src/autocomplete/SpaceProvider.tsx index c08fef04c2..d0470ad087 100644 --- a/src/autocomplete/SpaceProvider.tsx +++ b/src/autocomplete/SpaceProvider.tsx @@ -38,7 +38,7 @@ export default class SpaceProvider extends RoomProvider {
{completions}
diff --git a/src/autocomplete/UserProvider.tsx b/src/autocomplete/UserProvider.tsx index 519c65344e..728f4fcec2 100644 --- a/src/autocomplete/UserProvider.tsx +++ b/src/autocomplete/UserProvider.tsx @@ -146,7 +146,7 @@ export default class UserProvider extends AutocompleteProvider { } public getName(): string { - return _t("Users"); + return _t("composer|autocomplete|user_description"); } private makeUsers(): void { @@ -186,7 +186,7 @@ export default class UserProvider extends AutocompleteProvider {
{completions}
diff --git a/src/components/structures/FileDropTarget.tsx b/src/components/structures/FileDropTarget.tsx index 2f6bc13d79..53b738bfc7 100644 --- a/src/components/structures/FileDropTarget.tsx +++ b/src/components/structures/FileDropTarget.tsx @@ -119,7 +119,7 @@ const FileDropTarget: React.FC = ({ parent, onFileDrop }) => { className="mx_FileDropTarget_image" alt="" /> - {_t("Drop file here to upload")} + {_t("room|drop_file_prompt")} ); } diff --git a/src/components/structures/FilePanel.tsx b/src/components/structures/FilePanel.tsx index c4cec7154a..3836863431 100644 --- a/src/components/structures/FilePanel.tsx +++ b/src/components/structures/FilePanel.tsx @@ -231,7 +231,7 @@ class FilePanel extends React.Component {
{_t( - "You must register to use this functionality", + "file_panel|guest_note", {}, { a: (sub) => ( @@ -247,7 +247,7 @@ class FilePanel extends React.Component { } else if (this.noRoom) { return ( -
{_t("You must join the room to see its files")}
+
{_t("file_panel|peek_note")}
); } @@ -256,8 +256,8 @@ class FilePanel extends React.Component { const emptyState = (
-

{_t("No files visible in this room")}

-

{_t("Attach files from chat or just drag and drop them anywhere in a room.")}

+

{_t("file_panel|empty_heading")}

+

{_t("file_panel|empty_description")}

); diff --git a/src/components/structures/MatrixChat.tsx b/src/components/structures/MatrixChat.tsx index cf08ffaf3d..2c2ad6acb0 100644 --- a/src/components/structures/MatrixChat.tsx +++ b/src/components/structures/MatrixChat.tsx @@ -515,12 +515,8 @@ export default class MatrixChat extends React.PureComponent { const normalFontSize = "15px"; const waitText = _t("Wait!"); - const scamText = _t( - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!", - ); - const devText = _t( - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!", - ); + const scamText = _t("console_scam_warning"); + const devText = _t("console_dev_note"); global.mx_rage_logger.bypassRageshake( "log", diff --git a/src/components/structures/MessagePanel.tsx b/src/components/structures/MessagePanel.tsx index 0760d316b7..d7db24d518 100644 --- a/src/components/structures/MessagePanel.tsx +++ b/src/components/structures/MessagePanel.tsx @@ -1232,9 +1232,9 @@ class CreationGrouper extends BaseGrouper { const roomId = ev.getRoomId(); const creator = ev.sender?.name ?? ev.getSender(); if (roomId && DMRoomMap.shared().getUserIdForRoomId(roomId)) { - summaryText = _t("%(creator)s created this DM.", { creator }); + summaryText = _t("timeline|creation_summary_dm", { creator }); } else { - summaryText = _t("%(creator)s created and configured the room.", { creator }); + summaryText = _t("timeline|creation_summary_room", { creator }); } ret.push(); diff --git a/src/components/structures/NotificationPanel.tsx b/src/components/structures/NotificationPanel.tsx index a1b5b8f989..7fabdf6090 100644 --- a/src/components/structures/NotificationPanel.tsx +++ b/src/components/structures/NotificationPanel.tsx @@ -58,8 +58,8 @@ export default class NotificationPanel extends React.PureComponent -

{_t("You're all caught up")}

-

{_t("You have no visible notifications.")}

+

{_t("notif_panel|empty_heading")}

+

{_t("notif_panel|empty_description")}

); diff --git a/src/components/structures/SpaceHierarchy.tsx b/src/components/structures/SpaceHierarchy.tsx index d6d51b8122..4f61a80b67 100644 --- a/src/components/structures/SpaceHierarchy.tsx +++ b/src/components/structures/SpaceHierarchy.tsx @@ -245,9 +245,7 @@ const Tile: React.FC = ({ let suggestedSection: ReactElement | undefined; if (suggested && (!joinedRoom || hasPermissions)) { - suggestedSection = ( - {_t("Suggested")} - ); + suggestedSection = {_t("space|suggested")}; } const content = ( @@ -670,14 +668,14 @@ const ManageButtons: React.FC = ({ hierarchy, selected, set if (!selectedRelations.length) { Button = AccessibleTooltipButton; props = { - tooltip: _t("Select a room below first"), + tooltip: _t("space|select_room_below"), alignment: Alignment.Top, }; } let buttonText = _t("Saving…"); if (!saving) { - buttonText = selectionAllSuggested ? _t("Mark as not suggested") : _t("Mark as suggested"); + buttonText = selectionAllSuggested ? _t("space|unmark_suggested") : _t("space|mark_suggested"); } return ( @@ -707,7 +705,7 @@ const ManageButtons: React.FC = ({ hierarchy, selected, set hierarchy.removeRelation(parentId, childId); } } catch (e) { - setError(_t("Failed to remove some rooms. Try again later")); + setError(_t("space|failed_remove_rooms")); } setRemoving(false); setSelected(new Map()); @@ -788,13 +786,13 @@ const SpaceHierarchy: React.FC = ({ space, initialText = "", showRoom, a const [error, setError] = useState(""); let errorText = error; if (!error && hierarchyError) { - errorText = _t("Failed to load list of rooms."); + errorText = _t("space|failed_load_rooms"); } const loaderRef = useIntersectionObserver(loadMore); if (!loading && hierarchy!.noSupport) { - return

{_t("Your server does not support showing space hierarchies.")}

; + return

{_t("space|incompatible_server_hierarchy")}

; } const onKeyDown = (ev: KeyboardEvent, state: IState): void => { diff --git a/src/components/structures/UserMenu.tsx b/src/components/structures/UserMenu.tsx index 12e80d771c..4ade2f4d3d 100644 --- a/src/components/structures/UserMenu.tsx +++ b/src/components/structures/UserMenu.tsx @@ -354,7 +354,7 @@ export default class UserMenu extends React.Component { /> this.onSettingsOpen(e, UserTab.Security)} /> { {_t("Switch diff --git a/src/components/structures/ViewSource.tsx b/src/components/structures/ViewSource.tsx index c7a5146c44..0c6ec52d32 100644 --- a/src/components/structures/ViewSource.tsx +++ b/src/components/structures/ViewSource.tsx @@ -79,14 +79,16 @@ export default class ViewSource extends React.Component { <>
- {_t("Decrypted event source")} + + {_t("devtools|view_source_decrypted_event_source")} + {decryptedEventSource ? ( {stringify(decryptedEventSource)} ) : ( -
{_t("Decrypted source unavailable")}
+
{_t("devtools|view_source_decrypted_event_source_unavailable")}
)}
diff --git a/src/components/views/auth/LoginWithQRFlow.tsx b/src/components/views/auth/LoginWithQRFlow.tsx index 31a7cc1294..ae60434b39 100644 --- a/src/components/views/auth/LoginWithQRFlow.tsx +++ b/src/components/views/auth/LoginWithQRFlow.tsx @@ -169,7 +169,7 @@ export default class LoginWithQRFlow extends React.Component { ); break; case Phase.ShowingQR: - title = _t("Sign in with QR code"); + title = _t("settings|sessions|sign_in_with_qr"); if (this.props.code) { const code = (
diff --git a/src/components/views/auth/RegistrationForm.tsx b/src/components/views/auth/RegistrationForm.tsx index e12ac19fe3..490167aaa6 100644 --- a/src/components/views/auth/RegistrationForm.tsx +++ b/src/components/views/auth/RegistrationForm.tsx @@ -358,7 +358,7 @@ export default class RegistrationForm extends React.PureComponent { // omit the description if the only failing result is the `available` one as it makes no sense for it. if (results.every(({ key, valid }) => key === "available" || valid)) return null; - return _t("Use lowercase letters, numbers, dashes and underscores only"); + return _t("auth|registration_username_validation"); }, hideDescriptionIfValid: true, async deriveData(this: RegistrationForm, { value }) { @@ -401,8 +401,8 @@ export default class RegistrationForm extends React.PureComponent usernameAvailable === UsernameAvailableStatus.Error - ? _t("Unable to check if username has been taken. Try again later.") - : _t("Someone already has that username. Try another or if it is you, sign in below."), + ? _t("auth|registration_username_unable_check") + : _t("auth|registration_username_in_use"), }, ], }); @@ -496,7 +496,9 @@ export default class RegistrationForm extends React.PureComponent - {_t("Add an email to be able to reset your password.")}{" "} - {_t("Use email or phone to optionally be discoverable by existing contacts.")} + {_t("auth|email_help_text")} {_t("auth|email_phone_discovery_text")}
); } else { emailHelperText = (
- {_t("Add an email to be able to reset your password.")}{" "} - {_t("Use email to optionally be discoverable by existing contacts.")} + {_t("auth|email_help_text")} {_t("auth|email_discovery_text")}
); } diff --git a/src/components/views/context_menus/SpaceContextMenu.tsx b/src/components/views/context_menus/SpaceContextMenu.tsx index 41b85c509d..4528d797bb 100644 --- a/src/components/views/context_menus/SpaceContextMenu.tsx +++ b/src/components/views/context_menus/SpaceContextMenu.tsx @@ -132,7 +132,7 @@ const SpaceContextMenu: React.FC = ({ space, hideHeader, onFinished, ... devtoolsOption = ( ); @@ -243,13 +243,13 @@ const SpaceContextMenu: React.FC = ({ space, hideHeader, onFinished, ... {inviteOption} ); diff --git a/src/components/views/dialogs/RoomSettingsDialog.tsx b/src/components/views/dialogs/RoomSettingsDialog.tsx index d251c5c745..fedf47b598 100644 --- a/src/components/views/dialogs/RoomSettingsDialog.tsx +++ b/src/components/views/dialogs/RoomSettingsDialog.tsx @@ -163,7 +163,7 @@ class RoomSettingsDialog extends React.Component { tabs.push( new Tab( RoomSettingsTab.Security, - _td("Security & Privacy"), + _td("room_settings|security|title"), "mx_RoomSettingsDialog_securityIcon", this.props.onFinished(true)} />, "RoomSettingsSecurityPrivacy", @@ -172,7 +172,7 @@ class RoomSettingsDialog extends React.Component { tabs.push( new Tab( RoomSettingsTab.Roles, - _td("Roles & Permissions"), + _td("room_settings|permissions|title"), "mx_RoomSettingsDialog_rolesIcon", , "RoomSettingsRolesPermissions", diff --git a/src/components/views/dialogs/SlidingSyncOptionsDialog.tsx b/src/components/views/dialogs/SlidingSyncOptionsDialog.tsx index 9170ccb719..7a86e5ce53 100644 --- a/src/components/views/dialogs/SlidingSyncOptionsDialog.tsx +++ b/src/components/views/dialogs/SlidingSyncOptionsDialog.tsx @@ -80,8 +80,8 @@ export const SlidingSyncOptionsDialog: React.FC<{ onFinished(enabled: boolean): nativeSupport = _t("Checking…"); } else { nativeSupport = hasNativeSupport - ? _t("Your server has native support") - : _t("Your server lacks native support"); + ? _t("labs|sliding_sync_server_support") + : _t("labs|sliding_sync_server_no_support"); } const validProxy = withValidation({ @@ -97,7 +97,7 @@ export const SlidingSyncOptionsDialog: React.FC<{ onFinished(enabled: boolean): { key: "required", test: async ({ value }) => !!value || !!hasNativeSupport, - invalid: () => _t("Your server lacks native support, you must specify a proxy"), + invalid: () => _t("labs|sliding_sync_server_specify_proxy"), }, { key: "working", @@ -111,16 +111,20 @@ export const SlidingSyncOptionsDialog: React.FC<{ onFinished(enabled: boolean): return (
- {_t("To disable you will need to log out and back in, use with caution!")} + {_t("labs|sliding_sync_disable_warning")}
{nativeSupport} } - placeholder={hasNativeSupport ? _t("Proxy URL (optional)") : _t("Proxy URL")} + placeholder={ + hasNativeSupport + ? _t("labs|sliding_sync_proxy_url_optional_label") + : _t("labs|sliding_sync_proxy_url_label") + } value={currentProxy} button={_t("action|enable")} validator={validProxy} diff --git a/src/components/views/dialogs/SpaceSettingsDialog.tsx b/src/components/views/dialogs/SpaceSettingsDialog.tsx index 8d142c19a3..2143603a80 100644 --- a/src/components/views/dialogs/SpaceSettingsDialog.tsx +++ b/src/components/views/dialogs/SpaceSettingsDialog.tsx @@ -67,7 +67,7 @@ const SpaceSettingsDialog: React.FC = ({ matrixClient: cli, space, onFin ), new Tab( SpaceSettingsTab.Roles, - _td("Roles & Permissions"), + _td("room_settings|permissions|title"), "mx_RoomSettingsDialog_rolesIcon", , ), @@ -84,7 +84,7 @@ const SpaceSettingsDialog: React.FC = ({ matrixClient: cli, space, onFin return ( ); case SERVICE_TYPES.IM: - return
{_t("Use bots, bridges, widgets and sticker packs")}
; + return
{_t("terms|integration_manager")}
; } } @@ -192,19 +192,19 @@ export default class TermsDialog extends React.PureComponent
-

{_t("To continue you need to accept the terms of this service.")}

+

{_t("terms|intro")}

- - - + + + {rows} diff --git a/src/components/views/dialogs/UserSettingsDialog.tsx b/src/components/views/dialogs/UserSettingsDialog.tsx index 297e04ff53..00a49914b4 100644 --- a/src/components/views/dialogs/UserSettingsDialog.tsx +++ b/src/components/views/dialogs/UserSettingsDialog.tsx @@ -144,7 +144,7 @@ export default class UserSettingsDialog extends React.Component tabs.push( new Tab( UserTab.Security, - _td("Security & Privacy"), + _td("room_settings|security|title"), "mx_UserSettingsDialog_securityIcon", , "UserSettingsSecurityPrivacy", diff --git a/src/components/views/room_settings/RoomPublishSetting.tsx b/src/components/views/room_settings/RoomPublishSetting.tsx index 06b860947f..5fddb66a15 100644 --- a/src/components/views/room_settings/RoomPublishSetting.tsx +++ b/src/components/views/room_settings/RoomPublishSetting.tsx @@ -78,7 +78,7 @@ export default class RoomPublishSetting extends React.PureComponent diff --git a/src/components/views/room_settings/UrlPreviewSettings.tsx b/src/components/views/room_settings/UrlPreviewSettings.tsx index a04d61994a..b2b4c553f0 100644 --- a/src/components/views/room_settings/UrlPreviewSettings.tsx +++ b/src/components/views/room_settings/UrlPreviewSettings.tsx @@ -53,7 +53,7 @@ export default class UrlPreviewSettings extends React.Component { const accountEnabled = SettingsStore.getValueAt(SettingLevel.ACCOUNT, "urlPreviewsEnabled"); if (accountEnabled) { previewsForAccount = _t( - "You have enabled URL previews by default.", + "room_settings|general|user_url_previews_default_on", {}, { a: (sub) => ( @@ -65,7 +65,7 @@ export default class UrlPreviewSettings extends React.Component { ); } else { previewsForAccount = _t( - "You have disabled URL previews by default.", + "room_settings|general|user_url_previews_default_off", {}, { a: (sub) => ( @@ -87,16 +87,14 @@ export default class UrlPreviewSettings extends React.Component { /> ); } else { - let str = _td("URL previews are enabled by default for participants in this room."); + let str = _td("room_settings|general|default_url_previews_on"); if (!SettingsStore.getValueAt(SettingLevel.ROOM, "urlPreviewsEnabled", roomId, /*explicit=*/ true)) { - str = _td("URL previews are disabled by default for participants in this room."); + str = _td("room_settings|general|default_url_previews_off"); } previewsForRoom =
{_t(str)}
; } } else { - previewsForAccount = _t( - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.", - ); + previewsForAccount = _t("room_settings|general|url_preview_encryption_warning"); } const previewsForRoomAccount = // in an e2ee room we use a special key to enforce per-room opt-in @@ -110,17 +108,13 @@ export default class UrlPreviewSettings extends React.Component { const description = ( <> -

- {_t( - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.", - )} -

+

{_t("room_settings|general|url_preview_explainer")}

{previewsForAccount}

); return ( - + {previewsForRoom} {previewsForRoomAccount} diff --git a/src/components/views/rooms/LegacyRoomHeader.tsx b/src/components/views/rooms/LegacyRoomHeader.tsx index 9cbcb9ff78..36b7fc3cd1 100644 --- a/src/components/views/rooms/LegacyRoomHeader.tsx +++ b/src/components/views/rooms/LegacyRoomHeader.tsx @@ -813,7 +813,7 @@ export default class RoomHeader extends React.Component { initialTabId: UserTab.Labs, }); const betaPill = isVideoRoom ? ( - + ) : null; return ( diff --git a/src/components/views/rooms/NewRoomIntro.tsx b/src/components/views/rooms/NewRoomIntro.tsx index 05f566707f..07ad6f4ef6 100644 --- a/src/components/views/rooms/NewRoomIntro.tsx +++ b/src/components/views/rooms/NewRoomIntro.tsx @@ -46,14 +46,14 @@ function hasExpectedEncryptionSettings(matrixClient: MatrixClient, room: Room): const determineIntroMessage = (room: Room, encryptedSingle3rdPartyInvite: boolean): TranslationKey => { if (room instanceof LocalRoom) { - return _td("Send your first message to invite to chat"); + return _td("room|intro|send_message_start_dm"); } if (encryptedSingle3rdPartyInvite) { - return _td("Once everyone has joined, you’ll be able to chat"); + return _td("room|intro|encrypted_3pid_dm_pending_join"); } - return _td("This is the beginning of your direct message history with ."); + return _td("room|intro|start_of_dm_history"); }; const NewRoomIntro: React.FC = () => { @@ -78,7 +78,7 @@ const NewRoomIntro: React.FC = () => { !encryptedSingle3rdPartyInvite && room.getJoinedMemberCount() + room.getInvitedMemberCount() === 2 ) { - caption = _t("Only the two of you are in this conversation, unless either of you invites anyone to join."); + caption = _t("room|intro|dm_caption"); } const member = room?.getMember(dmPartner); @@ -133,7 +133,7 @@ const NewRoomIntro: React.FC = () => { let topicText; if (canAddTopic && topic) { topicText = _t( - "Topic: %(topic)s (edit)", + "room|intro|topic_edit", { topic }, { a: (sub) => ( @@ -144,10 +144,10 @@ const NewRoomIntro: React.FC = () => { }, ); } else if (topic) { - topicText = _t("Topic: %(topic)s ", { topic }); + topicText = _t("room|intro|topic", { topic }); } else if (canAddTopic) { topicText = _t( - "Add a topic to help people know what it is about.", + "room|intro|no_topic", {}, { a: (sub) => ( @@ -164,9 +164,9 @@ const NewRoomIntro: React.FC = () => { let createdText: string; if (creator === cli.getUserId()) { - createdText = _t("You created this room."); + createdText = _t("room|intro|you_created"); } else { - createdText = _t("%(displayName)s created this room.", { + createdText = _t("room|intro|user_created", { displayName: creatorName, }); } @@ -200,7 +200,7 @@ const NewRoomIntro: React.FC = () => { defaultDispatcher.dispatch({ action: "view_invite", roomId }); }} > - {_t("Invite to just this room")} + {_t("room|intro|room_invite")} )} @@ -228,7 +228,7 @@ const NewRoomIntro: React.FC = () => { avatar = ( cli.sendStateEvent(roomId, EventType.RoomAvatar, { url }, "")} > {avatar} @@ -245,7 +245,7 @@ const NewRoomIntro: React.FC = () => {

{createdText}{" "} {_t( - "This is the start of .", + "room|intro|start_of_room", {}, { roomName: () => {room.name}, @@ -266,9 +266,7 @@ const NewRoomIntro: React.FC = () => { }); } - const subText = _t( - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.", - ); + const subText = _t("room|intro|private_unencrypted_warning"); let subButton: JSX.Element | undefined; if ( @@ -277,7 +275,7 @@ const NewRoomIntro: React.FC = () => { ) { subButton = ( - {_t("Enable encryption in settings.")} + {_t("room|intro|enable_encryption_prompt")} ); } @@ -294,7 +292,7 @@ const NewRoomIntro: React.FC = () => { {!hasExpectedEncryptionSettings(cli, room) && ( )} diff --git a/src/components/views/rooms/RoomPreviewCard.tsx b/src/components/views/rooms/RoomPreviewCard.tsx index acaac15632..6fb4939c48 100644 --- a/src/components/views/rooms/RoomPreviewCard.tsx +++ b/src/components/views/rooms/RoomPreviewCard.tsx @@ -162,7 +162,7 @@ const RoomPreviewCard: FC = ({ room, onJoinButtonClicked, onRejectButton <>

- + ); } else if (room.isSpaceRoom()) { diff --git a/src/components/views/settings/devices/CurrentDeviceSection.tsx b/src/components/views/settings/devices/CurrentDeviceSection.tsx index 05a388a507..c3d5f643bf 100644 --- a/src/components/views/settings/devices/CurrentDeviceSection.tsx +++ b/src/components/views/settings/devices/CurrentDeviceSection.tsx @@ -68,7 +68,7 @@ const CurrentDeviceSectionHeading: React.FC = ? [ , @@ -76,7 +76,7 @@ const CurrentDeviceSectionHeading: React.FC = : []), ]; return ( - + void }> = ({ devic return (

- {_t("Rename session")} + {_t("settings|sessions|rename_form_heading")}

void }> = ({ devic maxLength={100} />
{_t("Service")}{_t("Summary")}{_t("Document")}{_t("terms|column_service")}{_t("terms|column_summary")}{_t("terms|column_document")} {_t("action|accept")}
- {_t("Please be aware that session names are also visible to people you communicate with.")} + {_t("settings|sessions|rename_form_caption")} -

- {_t( - "Other users in direct messages and rooms that you join are able to view a full list of your sessions.", - )} -

-

- {_t( - "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.", - )} -

+

{_t("settings|sessions|rename_form_learn_more_description_1")}

+

{_t("settings|sessions|rename_form_learn_more_description_2")}

} /> diff --git a/src/components/views/settings/devices/DeviceDetails.tsx b/src/components/views/settings/devices/DeviceDetails.tsx index f921e356b5..546c7cc334 100644 --- a/src/components/views/settings/devices/DeviceDetails.tsx +++ b/src/components/views/settings/devices/DeviceDetails.tsx @@ -64,9 +64,9 @@ const DeviceDetails: React.FC = ({ { id: "session", values: [ - { label: _t("Session ID"), value: device.device_id }, + { label: _t("settings|sessions|session_id"), value: device.device_id }, { - label: _t("Last activity"), + label: _t("settings|sessions|last_activity"), value: device.last_seen_ts && formatDate(new Date(device.last_seen_ts)), }, ], @@ -77,7 +77,7 @@ const DeviceDetails: React.FC = ({ values: [ { label: _t("common|name"), value: device.appName }, { label: _t("common|version"), value: device.appVersion }, - { label: _t("URL"), value: device.url }, + { label: _t("settings|sessions|url"), value: device.url }, ], }, { @@ -85,9 +85,9 @@ const DeviceDetails: React.FC = ({ heading: _t("common|device"), values: [ { label: _t("common|model"), value: device.deviceModel }, - { label: _t("Operating system"), value: device.deviceOperatingSystem }, - { label: _t("Browser"), value: device.client }, - { label: _t("IP address"), value: device.last_seen_ip }, + { label: _t("settings|sessions|os"), value: device.deviceOperatingSystem }, + { label: _t("settings|sessions|browser"), value: device.client }, + { label: _t("settings|sessions|ip"), value: device.last_seen_ip }, ], }, ] @@ -122,7 +122,7 @@ const DeviceDetails: React.FC = ({
-

{_t("Session details")}

+

{_t("settings|sessions|details_heading")}

{metadata.map(({ heading, values, id }, index) => ( = ({ checked={isPushNotificationsEnabled(pusher, localNotificationSettings)} disabled={isCheckboxDisabled(pusher, localNotificationSettings)} onChange={(checked) => setPushNotifications?.(device.device_id, checked)} - title={_t("Toggle push notifications on this session.")} + title={_t("settings|sessions|push_toggle")} data-testid="device-detail-push-notification-checkbox" />

- {_t("Push notifications")} + {_t("settings|sessions|push_heading")} - {_t("Receive push notifications on this session.")} + {_t("settings|sessions|push_subheading")}

@@ -177,7 +177,7 @@ const DeviceDetails: React.FC = ({ data-testid="device-detail-sign-out-cta" > - {_t("Sign out of this session")} + {_t("settings|sessions|sign_out")} {isSigningOut && } diff --git a/src/components/views/settings/devices/DeviceExpandDetailsButton.tsx b/src/components/views/settings/devices/DeviceExpandDetailsButton.tsx index 12a7359cc0..6b46e9a65b 100644 --- a/src/components/views/settings/devices/DeviceExpandDetailsButton.tsx +++ b/src/components/views/settings/devices/DeviceExpandDetailsButton.tsx @@ -27,7 +27,7 @@ interface Props extends React.ComponentProps { } export const DeviceExpandDetailsButton: React.FC = ({ isExpanded, onClick, ...rest }) => { - const label = isExpanded ? _t("Hide details") : _t("Show details"); + const label = isExpanded ? _t("settings|sessions|hide_details") : _t("settings|sessions|show_details"); return ( - {_t("Inactive for %(inactiveAgeDays)s+ days", { inactiveAgeDays: INACTIVE_DEVICE_AGE_DAYS }) + + {_t("settings|sessions|inactive_days", { inactiveAgeDays: INACTIVE_DEVICE_AGE_DAYS }) + ` (${formatLastActivity(device.last_seen_ts)})`} ), @@ -62,7 +62,8 @@ const DeviceMetaDatum: React.FC<{ value: string | React.ReactNode; id: string }> export const DeviceMetaData: React.FC = ({ device }) => { const inactive = getInactiveMetadata(device); - const lastActivity = device.last_seen_ts && `${_t("Last activity")} ${formatLastActivity(device.last_seen_ts)}`; + const lastActivity = + device.last_seen_ts && `${_t("settings|sessions|last_activity")} ${formatLastActivity(device.last_seen_ts)}`; const verificationStatus = device.isVerified ? _t("common|verified") : _t("common|unverified"); // if device is inactive, don't display last activity or verificationStatus const metadata = inactive diff --git a/src/components/views/settings/devices/DeviceSecurityLearnMore.tsx b/src/components/views/settings/devices/DeviceSecurityLearnMore.tsx index 647501bc1e..2c4dc05d9d 100644 --- a/src/components/views/settings/devices/DeviceSecurityLearnMore.tsx +++ b/src/components/views/settings/devices/DeviceSecurityLearnMore.tsx @@ -32,73 +32,41 @@ const securityCardContent: Record< } > = { [DeviceSecurityVariation.Verified]: { - title: _t("Verified sessions"), + title: _t("settings|sessions|verified_sessions"), description: ( <> -

- {_t( - "Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.", - )} -

-

- {_t( - "This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.", - )} -

+

{_t("settings|sessions|verified_sessions_explainer_1")}

+

{_t("settings|sessions|verified_sessions_explainer_2")}

), }, [DeviceSecurityVariation.Unverified]: { - title: _t("Unverified sessions"), + title: _t("settings|sessions|unverified_sessions"), description: ( <> -

- {_t( - "Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.", - )} -

-

- {_t( - "You should make especially certain that you recognise these sessions as they could represent an unauthorised use of your account.", - )} -

+

{_t("settings|sessions|unverified_sessions_explainer_1")}

+

{_t("settings|sessions|unverified_sessions_explainer_2")}

), }, // unverifiable uses single-session case // because it is only ever displayed on a single session detail [DeviceSecurityVariation.Unverifiable]: { - title: _t("Unverified session"), + title: _t("settings|sessions|unverified_session"), description: ( <> -

{_t(`This session doesn't support encryption and thus can't be verified.`)}

-

- {_t( - `You won't be able to participate in rooms where encryption is enabled when using this session.`, - )} -

-

- {_t( - `For best security and privacy, it is recommended to use Matrix clients that support encryption.`, - )} -

+

{_t("settings|sessions|unverified_session_explainer_1")}

+

{_t("settings|sessions|unverified_session_explainer_2")}

+

{_t("settings|sessions|unverified_session_explainer_3")}

), }, [DeviceSecurityVariation.Inactive]: { - title: _t("Inactive sessions"), + title: _t("settings|sessions|inactive_sessions"), description: ( <> -

- {_t( - "Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.", - )} -

-

- {_t( - "Removing inactive sessions improves security and performance, and makes it easier for you to identify if a new session is suspicious.", - )} -

+

{_t("settings|sessions|inactive_sessions_explainer_1")}

+

{_t("settings|sessions|inactive_sessions_explainer_2")}

), }, diff --git a/src/components/views/settings/devices/DeviceTypeIcon.tsx b/src/components/views/settings/devices/DeviceTypeIcon.tsx index 5ef6f5d361..a4e8e5b494 100644 --- a/src/components/views/settings/devices/DeviceTypeIcon.tsx +++ b/src/components/views/settings/devices/DeviceTypeIcon.tsx @@ -23,7 +23,7 @@ import { Icon as WebIcon } from "../../../../../res/img/element-icons/settings/w import { Icon as MobileIcon } from "../../../../../res/img/element-icons/settings/mobile.svg"; import { Icon as VerifiedIcon } from "../../../../../res/img/e2e/verified.svg"; import { Icon as UnverifiedIcon } from "../../../../../res/img/e2e/warning.svg"; -import { _t } from "../../../../languageHandler"; +import { _t, _td, TranslationKey } from "../../../../languageHandler"; import { ExtendedDevice } from "./types"; import { DeviceType } from "../../../../utils/device/parseUserAgent"; @@ -39,16 +39,16 @@ const deviceTypeIcon: Record> [DeviceType.Web]: WebIcon, [DeviceType.Unknown]: UnknownDeviceIcon, }; -const deviceTypeLabel: Record = { - [DeviceType.Desktop]: _t("Desktop session"), - [DeviceType.Mobile]: _t("Mobile session"), - [DeviceType.Web]: _t("Web session"), - [DeviceType.Unknown]: _t("Unknown session type"), +const deviceTypeLabel: Record = { + [DeviceType.Desktop]: _td("settings|sessions|desktop_session"), + [DeviceType.Mobile]: _td("settings|sessions|mobile_session"), + [DeviceType.Web]: _td("settings|sessions|web_session"), + [DeviceType.Unknown]: _td("settings|sessions|unknown_session"), }; export const DeviceTypeIcon: React.FC = ({ isVerified, isSelected, deviceType }) => { const Icon = deviceTypeIcon[deviceType!] || deviceTypeIcon[DeviceType.Unknown]; - const label = deviceTypeLabel[deviceType!] || deviceTypeLabel[DeviceType.Unknown]; + const label = _t(deviceTypeLabel[deviceType!] || deviceTypeLabel[DeviceType.Unknown]); return (
{ if (device.isVerified) { const descriptionText = isCurrentDevice - ? _t("Your current session is ready for secure messaging.") - : _t("This session is ready for secure messaging."); + ? _t("settings|sessions|device_verified_description_current") + : _t("settings|sessions|device_verified_description"); return { variation: DeviceSecurityVariation.Verified, - heading: _t("Verified session"), + heading: _t("settings|sessions|verified_session"), description: ( <> {descriptionText} @@ -54,10 +54,10 @@ const getCardProps = ( if (device.isVerified === null) { return { variation: DeviceSecurityVariation.Unverified, - heading: _t("Unverified session"), + heading: _t("settings|sessions|unverified_session"), description: ( <> - {_t(`This session doesn't support encryption and thus can't be verified.`)} + {_t("settings|sessions|unverified_session_explainer_1")} ), @@ -65,11 +65,11 @@ const getCardProps = ( } const descriptionText = isCurrentDevice - ? _t("Verify your current session for enhanced secure messaging.") - : _t("Verify or sign out from this session for best security and reliability."); + ? _t("settings|sessions|device_unverified_description_current") + : _t("settings|sessions|device_unverified_description"); return { variation: DeviceSecurityVariation.Unverified, - heading: _t("Unverified session"), + heading: _t("settings|sessions|unverified_session"), description: ( <> {descriptionText} @@ -95,7 +95,7 @@ export const DeviceVerificationStatusCard: React.FC - {_t("Verify session")} + {_t("settings|sessions|verify_session")} )} diff --git a/src/components/views/settings/devices/FilteredDeviceList.tsx b/src/components/views/settings/devices/FilteredDeviceList.tsx index 35868c87a1..cbec45df2d 100644 --- a/src/components/views/settings/devices/FilteredDeviceList.tsx +++ b/src/components/views/settings/devices/FilteredDeviceList.tsx @@ -73,36 +73,6 @@ const getFilteredSortedDevices = (devices: DevicesDictionary, filter?: FilterVar const ALL_FILTER_ID = "ALL"; type DeviceFilterKey = FilterVariation | typeof ALL_FILTER_ID; -const securityCardContent: Record< - DeviceSecurityVariation, - { - title: string; - description: string; - } -> = { - [DeviceSecurityVariation.Verified]: { - title: _t("Verified sessions"), - description: _t("For best security, sign out from any session that you don't recognize or use anymore."), - }, - [DeviceSecurityVariation.Unverified]: { - title: _t("Unverified sessions"), - description: _t( - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.", - ), - }, - [DeviceSecurityVariation.Unverifiable]: { - title: _t("Unverified session"), - description: _t(`This session doesn't support encryption and thus can't be verified.`), - }, - [DeviceSecurityVariation.Inactive]: { - title: _t("Inactive sessions"), - description: _t( - "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.", - { inactiveAgeDays: INACTIVE_DEVICE_AGE_DAYS }, - ), - }, -}; - const isSecurityVariation = (filter?: DeviceFilterKey): filter is FilterVariation => !!filter && ( @@ -115,6 +85,33 @@ const isSecurityVariation = (filter?: DeviceFilterKey): filter is FilterVariatio const FilterSecurityCard: React.FC<{ filter?: DeviceFilterKey }> = ({ filter }) => { if (isSecurityVariation(filter)) { + const securityCardContent: Record< + DeviceSecurityVariation, + { + title: string; + description: string; + } + > = { + [DeviceSecurityVariation.Verified]: { + title: _t("settings|sessions|verified_sessions"), + description: _t("settings|sessions|verified_sessions_list_description"), + }, + [DeviceSecurityVariation.Unverified]: { + title: _t("settings|sessions|unverified_sessions"), + description: _t("settings|sessions|unverified_sessions_list_description"), + }, + [DeviceSecurityVariation.Unverifiable]: { + title: _t("settings|sessions|unverified_session"), + description: _t("settings|sessions|unverified_session_explainer_1"), + }, + [DeviceSecurityVariation.Inactive]: { + title: _t("settings|sessions|inactive_sessions"), + description: _t("settings|sessions|inactive_sessions_list_description", { + inactiveAgeDays: INACTIVE_DEVICE_AGE_DAYS, + }), + }, + }; + const { title, description } = securityCardContent[filter]; return (
@@ -138,13 +135,13 @@ const FilterSecurityCard: React.FC<{ filter?: DeviceFilterKey }> = ({ filter }) const getNoResultsMessage = (filter?: FilterVariation): string => { switch (filter) { case DeviceSecurityVariation.Verified: - return _t("No verified sessions found."); + return _t("settings|sessions|no_verified_sessions"); case DeviceSecurityVariation.Unverified: - return _t("No unverified sessions found."); + return _t("settings|sessions|no_unverified_sessions"); case DeviceSecurityVariation.Inactive: - return _t("No inactive sessions found."); + return _t("settings|sessions|no_inactive_sessions"); default: - return _t("No sessions found."); + return _t("settings|sessions|no_sessions"); } }; interface NoResultsProps { @@ -281,21 +278,21 @@ export const FilteredDeviceList = forwardRef( }; const options: FilterDropdownOption[] = [ - { id: ALL_FILTER_ID, label: _t("All") }, + { id: ALL_FILTER_ID, label: _t("settings|sessions|filter_all") }, { id: DeviceSecurityVariation.Verified, label: _t("common|verified"), - description: _t("Ready for secure messaging"), + description: _t("settings|sessions|filter_verified_description"), }, { id: DeviceSecurityVariation.Unverified, label: _t("common|unverified"), - description: _t("Not ready for secure messaging"), + description: _t("settings|sessions|filter_unverified_description"), }, { id: DeviceSecurityVariation.Inactive, - label: _t("Inactive"), - description: _t("Inactive for %(inactiveAgeDays)s days or longer", { + label: _t("settings|sessions|filter_inactive"), + description: _t("settings|sessions|filter_inactive_description", { inactiveAgeDays: INACTIVE_DEVICE_AGE_DAYS, }), }, @@ -349,7 +346,7 @@ export const FilteredDeviceList = forwardRef( ) : ( id="device-list-filter" - label={_t("Filter devices")} + label={_t("settings|sessions|filter_label")} value={filter || ALL_FILTER_ID} onOptionChange={onFilterOptionChange} options={options} diff --git a/src/components/views/settings/devices/FilteredDeviceListHeader.tsx b/src/components/views/settings/devices/FilteredDeviceListHeader.tsx index c3e917cdd1..5b9f1c8a52 100644 --- a/src/components/views/settings/devices/FilteredDeviceListHeader.tsx +++ b/src/components/views/settings/devices/FilteredDeviceListHeader.tsx @@ -37,7 +37,7 @@ const FilteredDeviceListHeader: React.FC = ({ children, ...rest }) => { - const checkboxLabel = isAllSelected ? _t("Deselect all") : _t("Select all"); + const checkboxLabel = isAllSelected ? _t("common|deselect_all") : _t("common|select_all"); return (
{!isSelectDisabled && ( @@ -54,7 +54,7 @@ const FilteredDeviceListHeader: React.FC = ({ )} {selectedDeviceCount > 0 - ? _t("%(count)s sessions selected", { count: selectedDeviceCount }) + ? _t("settings|sessions|n_sessions_selected", { count: selectedDeviceCount }) : _t("Sessions")} {children} diff --git a/src/components/views/settings/devices/LoginWithQRSection.tsx b/src/components/views/settings/devices/LoginWithQRSection.tsx index eb8882bf35..3d63729ed1 100644 --- a/src/components/views/settings/devices/LoginWithQRSection.tsx +++ b/src/components/views/settings/devices/LoginWithQRSection.tsx @@ -52,15 +52,13 @@ export default class LoginWithQRSection extends React.Component { } return ( - +

- {_t( - "You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.", - )} + {_t("settings|sessions|sign_in_with_qr_description")}

- {_t("Show QR code")} + {_t("settings|sessions|sign_in_with_qr_button")}
diff --git a/src/components/views/settings/devices/OtherSessionsSectionHeading.tsx b/src/components/views/settings/devices/OtherSessionsSectionHeading.tsx index a5866d0d5b..94a5f32ef4 100644 --- a/src/components/views/settings/devices/OtherSessionsSectionHeading.tsx +++ b/src/components/views/settings/devices/OtherSessionsSectionHeading.tsx @@ -41,14 +41,14 @@ export const OtherSessionsSectionHeading: React.FC = ({ signOutAllOtherSessions ? ( ) : null, ]); return ( - + {!!menuOptions.length && ( = ({ devices, currentDeviceId, go return ( {!!unverifiedDevicesCount && ( - {_t( - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.", - )} + {_t("settings|sessions|unverified_sessions_list_description")} } @@ -83,13 +81,10 @@ const SecurityRecommendations: React.FC = ({ devices, currentDeviceId, go {!!unverifiedDevicesCount &&
} - {_t( - "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.", - { inactiveAgeDays }, - )} + {_t("settings|sessions|inactive_sessions_list_description", { inactiveAgeDays })} } diff --git a/src/components/views/settings/devices/deleteDevices.tsx b/src/components/views/settings/devices/deleteDevices.tsx index c12977c11d..0ba78224b5 100644 --- a/src/components/views/settings/devices/deleteDevices.tsx +++ b/src/components/views/settings/devices/deleteDevices.tsx @@ -53,20 +53,20 @@ export const deleteDevicesWithInteractiveAuth = async ( const dialogAesthetics = { [SSOAuthEntry.PHASE_PREAUTH]: { title: _t("Use Single Sign On to continue"), - body: _t("Confirm logging out these devices by using Single Sign On to prove your identity.", { + body: _t("settings|sessions|confirm_sign_out_sso", { count: numDevices, }), continueText: _t("auth|sso"), continueKind: "primary", }, [SSOAuthEntry.PHASE_POSTAUTH]: { - title: _t("Confirm signing out these devices", { + title: _t("settings|sessions|confirm_sign_out", { count: numDevices, }), - body: _t("Click the button below to confirm signing out these devices.", { + body: _t("settings|sessions|confirm_sign_out_body", { count: numDevices, }), - continueText: _t("Sign out devices", { count: numDevices }), + continueText: _t("settings|sessions|confirm_sign_out_continue", { count: numDevices }), continueKind: "danger", }, }; diff --git a/src/components/views/settings/tabs/room/RolesRoomSettingsTab.tsx b/src/components/views/settings/tabs/room/RolesRoomSettingsTab.tsx index cd12b73429..e0c4313e18 100644 --- a/src/components/views/settings/tabs/room/RolesRoomSettingsTab.tsx +++ b/src/components/views/settings/tabs/room/RolesRoomSettingsTab.tsx @@ -341,7 +341,7 @@ export default class RolesRoomSettingsTab extends React.Component { parseIntWithDefault(plContent.events_default, powerLevelDescriptors.events_default.defaultValue), ); - let privilegedUsersSection =
{_t("No users have specific privileges in this room")}
; + let privilegedUsersSection =
{_t("room_settings|permissions|no_privileged_users")}
; let mutedUsersSection; if (Object.keys(userLevels).length) { const privilegedUsers: JSX.Element[] = []; @@ -391,11 +391,17 @@ export default class RolesRoomSettingsTab extends React.Component { if (privilegedUsers.length) { privilegedUsersSection = ( - {privilegedUsers} + + {privilegedUsers} + ); } if (mutedUsers.length) { - mutedUsersSection = {mutedUsers}; + mutedUsersSection = ( + + {mutedUsers} + + ); } } @@ -404,7 +410,7 @@ export default class RolesRoomSettingsTab extends React.Component { if (banned?.length) { const canBanUsers = currentUserLevel >= banLevel; bannedUsersSection = ( - +
    {banned.map((member) => { const banEvent = member.events.member?.getContent(); @@ -468,7 +474,7 @@ export default class RolesRoomSettingsTab extends React.Component { const brand = SdkConfig.get("element_call").brand ?? DEFAULTS.element_call.brand; label = _t(translationKeyForEvent, { brand }); } else { - label = _t("Send %(eventType)s events", { eventType }); + label = _t("room_settings|permissions|send_event_type", { eventType }); } return (
    @@ -487,17 +493,17 @@ export default class RolesRoomSettingsTab extends React.Component { return ( - + {privilegedUsersSection} {canChangeLevels && } {mutedUsersSection} {bannedUsersSection} {powerSelectors} diff --git a/src/components/views/settings/tabs/room/SecurityRoomSettingsTab.tsx b/src/components/views/settings/tabs/room/SecurityRoomSettingsTab.tsx index 8047e13ce5..caa787b2f8 100644 --- a/src/components/views/settings/tabs/room/SecurityRoomSettingsTab.tsx +++ b/src/components/views/settings/tabs/room/SecurityRoomSettingsTab.tsx @@ -116,13 +116,13 @@ export default class SecurityRoomSettingsTab extends React.Component => { if (this.props.room.getJoinRule() === JoinRule.Public) { const dialog = Modal.createDialog(QuestionDialog, { - title: _t("Are you sure you want to add encryption to this public room?"), + title: _t("room_settings|security|enable_encryption_public_room_confirm_title"), description: (

    {" "} {_t( - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.", + "room_settings|security|enable_encryption_public_room_confirm_description_1", undefined, { b: (sub) => {sub} }, )}{" "} @@ -130,7 +130,7 @@ export default class SecurityRoomSettingsTab extends React.Component {" "} {_t( - "To avoid these issues, create a new encrypted room for the conversation you plan to have.", + "room_settings|security|enable_encryption_public_room_confirm_description_2", undefined, { a: (sub) => ( @@ -158,9 +158,9 @@ export default class SecurityRoomSettingsTab extends React.ComponentLearn more about encryption.", + "room_settings|security|enable_encryption_confirm_description", {}, { a: (sub) => {sub}, @@ -259,11 +259,11 @@ export default class SecurityRoomSettingsTab extends React.Component - {_t("To link to this room, please add an address.")} + {_t("room_settings|security|public_without_alias_warning")}

    ); } - const description = _t("Decide who can join %(roomName)s.", { + const description = _t("room_settings|security|join_rule_description", { roomName: room.name, }); @@ -309,37 +309,31 @@ export default class SecurityRoomSettingsTab extends React.Component => { if (this.state.encrypted && joinRule === JoinRule.Public) { const dialog = Modal.createDialog(QuestionDialog, { - title: _t("Are you sure you want to make this encrypted room public?"), + title: _t("room_settings|security|encrypted_room_public_confirm_title"), description: (

    {" "} - {_t( - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.", - undefined, - { b: (sub) => {sub} }, - )}{" "} + {_t("room_settings|security|encrypted_room_public_confirm_description_1", undefined, { + b: (sub) => {sub}, + })}{" "}

    {" "} - {_t( - "To avoid these issues, create a new public room for the conversation you plan to have.", - undefined, - { - a: (sub) => ( - { - dialog.close(); - this.createNewRoom(true, false); - }} - > - {" "} - {sub}{" "} - - ), - }, - )}{" "} + {_t("room_settings|security|encrypted_room_public_confirm_description_2", undefined, { + a: (sub) => ( + { + dialog.close(); + this.createNewRoom(true, false); + }} + > + {" "} + {sub}{" "} + + ), + })}{" "}

    ), @@ -366,15 +360,15 @@ export default class SecurityRoomSettingsTab extends React.Component + -

    - {_t( - "People with supported clients will be able to join the room without having a registered account.", - )} -

    +

    {_t("room_settings|security|guest_access_warning")}

    ); } @@ -454,13 +442,13 @@ export default class SecurityRoomSettingsTab extends React.Component - + {isEncryptionForceDisabled && !isEncrypted && ( -
+ )} {encryptionSettings} diff --git a/src/i18n/strings/ar.json b/src/i18n/strings/ar.json index df58a5b5a2..ac8801b1a4 100644 --- a/src/i18n/strings/ar.json +++ b/src/i18n/strings/ar.json @@ -279,15 +279,6 @@ "%(duration)sh": "%(duration)sس", "%(duration)sm": "%(duration)sد", "%(duration)ss": "%(duration)sث", - "This is the start of .": "هذه بداية .", - "Add a photo, so people can easily spot your room.": "أضف صورة ، حتى يسهل على الناس تمييز غرفتك.", - "You created this room.": "أنت أنشأت هذه الغرفة.", - "%(displayName)s created this room.": "%(displayName)s أنشأ هذه الغرفة.", - "Add a topic to help people know what it is about.": "أضف موضوعاً ليُعرف ما يدور حوله الحديث.", - "Topic: %(topic)s ": "الموضوع: %(topic)s ", - "Topic: %(topic)s (edit)": "الموضوع: %(topic)s (عدل)", - "This is the beginning of your direct message history with .": "هذه هي بداية محفوظات رسائلك المباشرة باسم .", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "أنتما فقط في هذه المحادثة ، إلا إذا دعا أي منكما أي شخص للانضمام.", "Italics": "مائل", "You do not have permission to post to this room": "ليس لديك إذن للنشر في هذه الغرفة", "This room has been replaced and is no longer active.": "تم استبدال هذه الغرفة ولم تعد نشطة.", @@ -456,13 +447,6 @@ "Start Verification": "ابدأ التحقق", "Accepting…": "جارٍ القبول …", "Waiting for %(displayName)s to accept…": "بانتظار %(displayName)s ليقبل …", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "عندما يضع شخص ما عنوان URL في رسالته ، يمكن عرض معاينة عنوان URL لإعطاء مزيد من المعلومات حول هذا الرابط مثل العنوان والوصف وصورة من موقع الويب.", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "في الغرف المشفرة ، مثل هذه الغرفة ، يتم تعطيل معاينات URL أصلاً للتأكد من أن خادمك الوسيط (حيث يتم إنشاء المعاينات) لا يمكنه جمع معلومات حول الروابط التي تراها في هذه الغرفة.", - "URL previews are disabled by default for participants in this room.": "معاينات URL معطلة بشكل أصلي للمشاركين في هذه الغرفة.", - "URL previews are enabled by default for participants in this room.": "يتم تمكين معاينات URL أصلًا للمشاركين في هذه الغرفة.", - "You have disabled URL previews by default.": "لقد عطلت معاينات عناوين URL بشكل أصلي.", - "You have enabled URL previews by default.": "لقد قمت بتمكين معاينات URL بشكل أصلي.", - "Publish this room to the public in %(domain)s's room directory?": "هل تريد نشر هذه الغرفة للملأ في دليل غرف %(domain)s؟", "Room avatar": "صورة الغرفة", "Room Topic": "موضوع الغرفة", "Room Name": "اسم الغرفة", @@ -527,7 +511,6 @@ "You have verified this user. This user has verified all of their sessions.": "لقد تحققت من هذا المستخدم. لقد تحقق هذا المستخدم من جميع اتصالاته.", "You have not verified this user.": "أنت لم تتحقق من هذا المستخدم.", "This user has not verified all of their sessions.": "هذا المستخدم لم يتحقق من جميع اتصالاته.", - "Drop file here to upload": "قم بإسقاط الملف هنا ليُرفَع", "Phone Number": "رقم الهاتف", "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "تم إرسال رسالة نصية إلى +%(msisdn)s. الرجاء إدخال رمز التحقق الذي فيها.", "Remove %(phone)s?": "حذف %(phone)s؟", @@ -552,25 +535,6 @@ "Your email address hasn't been verified yet": "لم يتم التحقق من عنوان بريدك الإلكتروني حتى الآن", "Unable to share email address": "تعذرت مشاركة البريد الإلتكروني", "Unable to revoke sharing for email address": "تعذر إبطال مشاركة عنوان البريد الإلكتروني", - "Once enabled, encryption cannot be disabled.": "لا يمكن تعطيل التشفير بعد تمكينه.", - "Security & Privacy": "الأمان والخصوصية", - "Who can read history?": "من يستطيع قراءة التاريخ؟", - "Members only (since they joined)": "الأعضاء فقط (منذ انضمامهم)", - "Members only (since they were invited)": "الأعضاء فقط (منذ أن تمت دعوتهم)", - "Members only (since the point in time of selecting this option)": "الأعضاء فقط (منذ اللحظة التي حدد فيها هذا الخيار)", - "Anyone": "أي أحد", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "ستنطبق التغييرات على من يمكنه قراءة السجل على الرسائل المستقبلية في هذه الغرفة فقط. رؤية التاريخ الحالي لن تتغير.", - "To link to this room, please add an address.": "للربط لهذه الغرفة ، يرجى إضافة عنوان.", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "لا يمكن العدول عن التشفير بعد تمكينه للغرفة. التشفير يحجب حتى الخادم من رؤية رسائل الغرفة، فقط أعضاؤها هم من يرونها. قد يمنع تمكين التشفير العديد من الروبوتات والجسور من العمل بشكل صحيح. اعرف المزيد حول التشفير. ", - "Enable encryption?": "تمكين التشفير؟", - "Select the roles required to change various parts of the room": "حدد الأدوار المطلوبة لتغيير أجزاء مختلفة من الغرفة", - "Permissions": "الصلاحيات", - "Roles & Permissions": "الأدوار والصلاحيات", - "Send %(eventType)s events": "إرسال أحداث من نوع %(eventType)s", - "Banned users": "المستخدمون المحظورون", - "Muted Users": "المستخدمون المكتومون", - "Privileged Users": "المستخدمون المميزون", - "No users have specific privileges in this room": "لا يوجد مستخدمين لديهم امتيازات خاصة في هذه الغرفة", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "تعذر تغيير مستوى قوة المستخدم. تأكد من أن لديك صلاحيات كافية وحاول مرة أخرى.", "Error changing power level": "تعذر تغيير مستوى القوة", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "تعذر تغيير مستوى قوة الغرفة. تأكد من أن لديك صلاحيات كافية وحاول مرة أخرى.", @@ -584,7 +548,6 @@ "Sounds": "الأصوات", "Uploaded sound": "صوت تمام الرفع", "Room Addresses": "عناوين الغرف", - "URL Previews": "معاينة الروابط", "Bridges": "الجسور", "This room is bridging messages to the following platforms. Learn more.": "تعمل هذه الغرفة على توصيل الرسائل بالمنصات التالية. اعرف المزيد. ", "Room version:": "إصدار الغرفة:", @@ -1305,10 +1268,40 @@ "state_default": "تغيير الإعدادات", "ban": "حظر المستخدمين", "redact": "حذف رسائل الآخرين", - "notifications.room": "إشعار الجميع" + "notifications.room": "إشعار الجميع", + "no_privileged_users": "لا يوجد مستخدمين لديهم امتيازات خاصة في هذه الغرفة", + "privileged_users_section": "المستخدمون المميزون", + "muted_users_section": "المستخدمون المكتومون", + "banned_users_section": "المستخدمون المحظورون", + "send_event_type": "إرسال أحداث من نوع %(eventType)s", + "title": "الأدوار والصلاحيات", + "permissions_section": "الصلاحيات", + "permissions_section_description_room": "حدد الأدوار المطلوبة لتغيير أجزاء مختلفة من الغرفة" }, "security": { - "strict_encryption": "لا ترسل أبدًا رسائل مشفرة إلى اتصالات التي لم يتم التحقق منها في هذه الغرفة من هذا الاتصال" + "strict_encryption": "لا ترسل أبدًا رسائل مشفرة إلى اتصالات التي لم يتم التحقق منها في هذه الغرفة من هذا الاتصال", + "enable_encryption_confirm_title": "تمكين التشفير؟", + "enable_encryption_confirm_description": "لا يمكن العدول عن التشفير بعد تمكينه للغرفة. التشفير يحجب حتى الخادم من رؤية رسائل الغرفة، فقط أعضاؤها هم من يرونها. قد يمنع تمكين التشفير العديد من الروبوتات والجسور من العمل بشكل صحيح. اعرف المزيد حول التشفير. ", + "public_without_alias_warning": "للربط لهذه الغرفة ، يرجى إضافة عنوان.", + "history_visibility": {}, + "history_visibility_warning": "ستنطبق التغييرات على من يمكنه قراءة السجل على الرسائل المستقبلية في هذه الغرفة فقط. رؤية التاريخ الحالي لن تتغير.", + "history_visibility_legend": "من يستطيع قراءة التاريخ؟", + "title": "الأمان والخصوصية", + "encryption_permanent": "لا يمكن تعطيل التشفير بعد تمكينه.", + "history_visibility_shared": "الأعضاء فقط (منذ اللحظة التي حدد فيها هذا الخيار)", + "history_visibility_invited": "الأعضاء فقط (منذ أن تمت دعوتهم)", + "history_visibility_joined": "الأعضاء فقط (منذ انضمامهم)", + "history_visibility_world_readable": "أي أحد" + }, + "general": { + "publish_toggle": "هل تريد نشر هذه الغرفة للملأ في دليل غرف %(domain)s؟", + "user_url_previews_default_on": "لقد قمت بتمكين معاينات URL بشكل أصلي.", + "user_url_previews_default_off": "لقد عطلت معاينات عناوين URL بشكل أصلي.", + "default_url_previews_on": "يتم تمكين معاينات URL أصلًا للمشاركين في هذه الغرفة.", + "default_url_previews_off": "معاينات URL معطلة بشكل أصلي للمشاركين في هذه الغرفة.", + "url_preview_encryption_warning": "في الغرف المشفرة ، مثل هذه الغرفة ، يتم تعطيل معاينات URL أصلاً للتأكد من أن خادمك الوسيط (حيث يتم إنشاء المعاينات) لا يمكنه جمع معلومات حول الروابط التي تراها في هذه الغرفة.", + "url_preview_explainer": "عندما يضع شخص ما عنوان URL في رسالته ، يمكن عرض معاينة عنوان URL لإعطاء مزيد من المعلومات حول هذا الرابط مثل العنوان والوصف وصورة من موقع الويب.", + "url_previews_section": "معاينة الروابط" } }, "encryption": { @@ -1476,5 +1469,24 @@ "labs_mjolnir": { "room_name": "قائمة الحظر", "room_topic": "هذه قائمتك للمستخدمين / الخوادم التي حظرت - لا تغادر الغرفة!" + }, + "room": { + "drop_file_prompt": "قم بإسقاط الملف هنا ليُرفَع", + "intro": { + "start_of_dm_history": "هذه هي بداية محفوظات رسائلك المباشرة باسم .", + "dm_caption": "أنتما فقط في هذه المحادثة ، إلا إذا دعا أي منكما أي شخص للانضمام.", + "topic_edit": "الموضوع: %(topic)s (عدل)", + "topic": "الموضوع: %(topic)s ", + "no_topic": "أضف موضوعاً ليُعرف ما يدور حوله الحديث.", + "you_created": "أنت أنشأت هذه الغرفة.", + "user_created": "%(displayName)s أنشأ هذه الغرفة.", + "no_avatar_label": "أضف صورة ، حتى يسهل على الناس تمييز غرفتك.", + "start_of_room": "هذه بداية ." + } + }, + "space": { + "context_menu": { + "explore": "استكشِف الغرف" + } } -} \ No newline at end of file +} diff --git a/src/i18n/strings/az.json b/src/i18n/strings/az.json index 19e2d48405..fa8aa94873 100644 --- a/src/i18n/strings/az.json +++ b/src/i18n/strings/az.json @@ -72,11 +72,7 @@ "Banned by %(displayName)s": "%(displayName)s bloklanıb", "unknown error code": "naməlum səhv kodu", "Failed to forget room %(errCode)s": "Otağı unutmağı bacarmadı: %(errCode)s", - "No users have specific privileges in this room": "Heç bir istifadəçi bu otaqda xüsusi hüquqlara malik deyil", - "Banned users": "Bloklanmış istifadəçilər", "Favourite": "Seçilmiş", - "Who can read history?": "Kim tarixi oxuya bilər?", - "Permissions": "Girişin hüquqları", "Sunday": "Bazar", "Friday": "Cümə", "Today": "Bu gün", @@ -114,8 +110,6 @@ "A new password must be entered.": "Yeni parolu daxil edin.", "New passwords must match each other.": "Yeni şifrələr uyğun olmalıdır.", "Return to login screen": "Girişin ekranına qayıtmaq", - "Commands": "Komandalar", - "Users": "İstifadəçilər", "Confirm passphrase": "Şifrəni təsdiqləyin", "This email address is already in use": "Bu e-mail ünvanı istifadə olunur", "This phone number is already in use": "Bu telefon nömrəsi artıq istifadə olunur", @@ -302,9 +296,31 @@ "auth": { "footer_powered_by_matrix": "Matrix tərəfindən təchiz edilmişdir", "unsupported_auth_msisdn": "Bu server telefon nömrəsinin köməyi ilə müəyyənləşdirilməni dəstəkləmir.", - "register_action": "Hesab Aç" + "register_action": "Hesab Aç", + "phone_label": "Telefon" }, "update": { "release_notes_toast_title": "Nə dəyişdi" + }, + "composer": { + "autocomplete": { + "command_description": "Komandalar", + "user_description": "İstifadəçilər" + } + }, + "space": { + "context_menu": { + "explore": "Otaqları kəşf edin" + } + }, + "room_settings": { + "permissions": { + "no_privileged_users": "Heç bir istifadəçi bu otaqda xüsusi hüquqlara malik deyil", + "banned_users_section": "Bloklanmış istifadəçilər", + "permissions_section": "Girişin hüquqları" + }, + "security": { + "history_visibility_legend": "Kim tarixi oxuya bilər?" + } } } diff --git a/src/i18n/strings/bg.json b/src/i18n/strings/bg.json index 8e1f7ab23c..0d1df42bb8 100644 --- a/src/i18n/strings/bg.json +++ b/src/i18n/strings/bg.json @@ -82,7 +82,6 @@ "Change Password": "Смяна на парола", "Authentication": "Автентикация", "Failed to set display name": "Неуспешно задаване на име", - "Drop file here to upload": "Пуснете файла тук, за да се качи", "Unban": "Отблокирай", "Failed to ban user": "Неуспешно блокиране на потребителя", "Failed to mute user": "Неуспешно заглушаване на потребителя", @@ -118,25 +117,10 @@ "%(roomName)s is not accessible at this time.": "%(roomName)s не е достъпна към този момент.", "Failed to unban": "Неуспешно отблокиране", "Banned by %(displayName)s": "Блокиран от %(displayName)s", - "Privileged Users": "Потребители с привилегии", - "No users have specific privileges in this room": "Никой няма специфични привилегии в тази стая", - "Banned users": "Блокирани потребители", "This room is not accessible by remote Matrix servers": "Тази стая не е достъпна за отдалечени Matrix сървъри", - "Publish this room to the public in %(domain)s's room directory?": "Публично публикуване на тази стая в директорията на %(domain)s?", - "Who can read history?": "Кой може да чете историята?", - "Anyone": "Всеки", - "Members only (since the point in time of selecting this option)": "Само членове (от момента на избиране на тази опция)", - "Members only (since they were invited)": "Само членове (от момента, в който те са поканени)", - "Members only (since they joined)": "Само членове (от момента, в който са се присъединили)", - "Permissions": "Разрешения", "Jump to first unread message.": "Отиди до първото непрочетено съобщение.", "not specified": "неопределен", "This room has no local addresses": "Тази стая няма локални адреси", - "You have enabled URL previews by default.": "Вие сте включили URL прегледи по подразбиране.", - "You have disabled URL previews by default.": "Вие сте изключили URL прегледи по подразбиране.", - "URL previews are enabled by default for participants in this room.": "URL прегледи са включени по подразбиране за участниците в тази стая.", - "URL previews are disabled by default for participants in this room.": "URL прегледи са изключени по подразбиране за участниците в тази стая.", - "URL Previews": "URL прегледи", "Error decrypting attachment": "Грешка при разшифроване на прикачен файл", "Decrypt %(text)s": "Разшифровай %(text)s", "Download %(text)s": "Изтегли %(text)s", @@ -185,8 +169,6 @@ "Tried to load a specific point in this room's timeline, but was unable to find it.": "Беше направен опит да се зареди конкретна точка в хронологията на тази стая, но не я намери.", "Unable to remove contact information": "Неуспешно премахване на информацията за контакти", "This will allow you to reset your password and receive notifications.": "Това ще Ви позволи да възстановите Вашата парола и да получавате известия.", - "You must register to use this functionality": "Трябва да се регистрирате, за да използвате тази функционалност", - "You must join the room to see its files": "Трябва да се присъедините към стаята, за да видите файловете, които съдържа", "Reject invitation": "Отхвърли поканата", "Are you sure you want to reject the invitation?": "Сигурни ли сте, че искате да отхвърлите поканата?", "Failed to reject invitation": "Неуспешно отхвърляне на поканата", @@ -228,10 +210,6 @@ "Return to login screen": "Връщане към страницата за влизане в профила", "Please note you are logging into the %(hs)s server, not matrix.org.": "Моля, обърнете внимание, че влизате в %(hs)s сървър, а не в matrix.org.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Не е възможно свързване към Home сървъра чрез HTTP, когато има HTTPS адрес в лентата на браузъра Ви. Или използвайте HTTPS или включете функция небезопасни скриптове.", - "Commands": "Команди", - "Notify the whole room": "Извести всички в стаята", - "Room Notification": "Известие за стая", - "Users": "Потребители", "Session ID": "Идентификатор на сесията", "Passphrases must match": "Паролите трябва да съвпадат", "Passphrase must not be empty": "Паролата не трябва да е празна", @@ -282,7 +260,6 @@ "Send Logs": "Изпрати логове", "We encountered an error trying to restore your previous session.": "Възникна грешка при възстановяване на предишната Ви сесия.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Изчистване на запазените данни в браузъра може да поправи проблема, но ще Ви изкара от профила и ще направи шифрованите съобщения нечетими.", - "Muted Users": "Заглушени потребители", "Can't leave Server Notices room": "Не може да напуснете стая \"Server Notices\"", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Тази стая се използва за важни съобщения от сървъра, така че не можете да я напуснете.", "Terms and Conditions": "Правила и условия", @@ -297,8 +274,6 @@ "Link to selected message": "Създай връзка към избраното съобщение", "No Audio Outputs detected": "Не са открити аудио изходи", "Audio Output": "Аудио изходи", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "В шифровани стаи като тази, по подразбиране URL прегледите са изключени, за да се подсигури че сървърът (където става генерирането на прегледите) не може да събира информация за връзките споделени в стаята.", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Когато се сподели URL връзка в съобщение, може да бъде показан URL преглед даващ повече информация за връзката (заглавие, описание и картинка от уебсайта).", "You can't send any messages until you review and agree to our terms and conditions.": "Не можете да изпращате съобщения докато не прегледате и се съгласите с нашите правила и условия.", "Demote yourself?": "Понижете себе си?", "Demote": "Понижение", @@ -382,11 +357,7 @@ "Phone numbers": "Телефонни номера", "Language and region": "Език и регион", "Account management": "Управление на акаунта", - "Roles & Permissions": "Роли и привилегии", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Промени в настройките за четене на историята касаят само за нови съобщения. Видимостта на съществуващата история не се променя.", - "Security & Privacy": "Сигурност и поверителност", "Encryption": "Шифроване", - "Once enabled, encryption cannot be disabled.": "Веднъж включено, шифроването не може да бъде изключено.", "Ignored users": "Игнорирани потребители", "Bulk options": "Масови действия", "Missing media permissions, click the button below to request.": "Липсва достъп до медийните устройства. Кликнете бутона по-долу за да поискате такъв.", @@ -399,7 +370,6 @@ "Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Потвърди потребителя и го маркирай като доверен. Доверяването на потребители Ви дава допълнително спокойствие при използване на съобщения шифровани от край-до-край.", "Incoming Verification Request": "Входяща заявка за потвърждение", "Email (optional)": "Имейл (незадължително)", - "Phone (optional)": "Телефон (незадължително)", "Join millions for free on the largest public server": "Присъединете се безплатно към милиони други на най-големия публичен сървър", "Create account": "Създай акаунт", "Recovery Method Removed": "Методът за възстановяване беше премахнат", @@ -490,10 +460,6 @@ "Could not load user profile": "Неуспешно зареждане на потребителския профил", "The user must be unbanned before they can be invited.": "Трябва да се махне блокирането на потребителя преди да може да бъде поканен пак.", "Accept all %(invitedRooms)s invites": "Приеми всички %(invitedRooms)s покани", - "Send %(eventType)s events": "Изпрати %(eventType)s събития", - "Select the roles required to change various parts of the room": "Изберете ролите необходими за промяна на различни части от стаята", - "Enable encryption?": "Включване на шифроване?", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Веднъж включено, шифроването за стаята не може да бъде изключено. Съобщенията изпратени в шифрована стая не могат да бъдат прочетени от сървърът, а само от участниците в стаята. Включването на шифроване може да попречи на много ботове или мостове към други мрежи да работят правилно. Научете повече за шифроването.", "Power level": "Ниво на достъп", "The file '%(fileName)s' failed to upload.": "Файлът '%(fileName)s' не можа да бъде качен.", "Upgrade this room to the recommended room version": "Обнови тази стая до препоръчаната версия на стаята", @@ -581,7 +547,6 @@ "You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Може да възстановите паролата си, но някои функции няма да са достъпни докато сървъра за самоличност е офлайн. Ако продължавате да виждате това предупреждение, проверете конфигурацията или се свържете с администратора на сървъра.", "You can log in, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Може да влезете в профила си, но някои функции няма да са достъпни докато сървъра за самоличност е офлайн. Ако продължавате да виждате това предупреждение, проверете конфигурацията или се свържете с администратора на сървъра.", "Unexpected error resolving identity server configuration": "Неочаквана грешка при откриване на конфигурацията на сървъра за самоличност", - "Use lowercase letters, numbers, dashes and underscores only": "Използвайте само малки букви, цифри, тирета и подчерта", "Upload all": "Качи всички", "Edited at %(date)s. Click to view edits.": "Редактирано на %(date)s. Кликнете за да видите редакциите.", "Message edits": "Редакции на съобщение", @@ -595,10 +560,6 @@ "Clear personal data": "Изчисти личните данни", "Find others by phone or email": "Открийте други по телефон или имейл", "Be found by phone or email": "Бъдете открит по телефон или имейл", - "Use bots, bridges, widgets and sticker packs": "Използвайте ботове, връзки с други мрежи, приспособления и стикери", - "Terms of Service": "Условия за ползване", - "Service": "Услуга", - "Summary": "Обобщение", "Call failed due to misconfigured server": "Неуспешен разговор поради неправилно конфигуриран сървър", "Please ask the administrator of your homeserver (%(homeserverDomain)s) to configure a TURN server in order for calls to work reliably.": "Попитайте администратора на сървъра ви (%(homeserverDomain)s) да конфигурира TURN сървър, за да може разговорите да работят надеждно.", "Checking server": "Проверка на сървъра", @@ -685,17 +646,9 @@ "Message Actions": "Действия със съобщението", "Show image": "Покажи снимката", "Cancel search": "Отмени търсенето", - "To continue you need to accept the terms of this service.": "За да продължите, трябва да приемете условията за ползване.", - "Document": "Документ", "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Липсва публичния ключ за catcha в конфигурацията на сървъра. Съобщете това на администратора на сървъра.", - "%(creator)s created and configured the room.": "%(creator)s създаде и настрой стаята.", "Jump to first unread room.": "Отиди до първата непрочетена стая.", "Jump to first invite.": "Отиди до първата покана.", - "Command Autocomplete": "Подсказка за команди", - "Emoji Autocomplete": "Подсказка за емоджита", - "Notification Autocomplete": "Подсказка за уведомления", - "Room Autocomplete": "Подсказка за стаи", - "User Autocomplete": "Подсказка за потребители", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)", "You verified %(name)s": "Потвърдихте %(name)s", "You cancelled verifying %(name)s": "Отказахте потвърждаването за %(name)s", @@ -911,7 +864,6 @@ "Are you sure you want to deactivate your account? This is irreversible.": "Сигурни ли сте, че искате да деактивирате профила си? Това е необратимо.", "Confirm account deactivation": "Потвърдете деактивирането на профила", "There was a problem communicating with the server. Please try again.": "Имаше проблем при комуникацията със сървъра. Опитайте пак.", - "Verify session": "Потвърди сесията", "Session name": "Име на сесията", "Session key": "Ключ за сесията", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Верифицирането на този потребител ще маркира сесията им като доверена при вас, както и вашата като доверена при тях.", @@ -945,7 +897,6 @@ "New version available. Update now.": "Налична е нова версия. Обновете сега.", "Please verify the room ID or address and try again.": "Проверете идентификатора или адреса на стаята и опитайте пак.", "Room ID or address of ban list": "Идентификатор или адрес на стая списък за блокиране", - "To link to this room, please add an address.": "За да споделите тази стая, добавете адрес.", "Error creating address": "Неуспешно създаване на адрес", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Възникна грешка при създаването на този адрес. Или не е позволен от сървъра или е временен проблем.", "You don't have permission to delete the address.": "Нямате права да изтриете адреса.", @@ -962,8 +913,6 @@ "Confirm your identity by entering your account password below.": "Потвърдете самоличността си чрез въвеждане на паролата за профила по-долу.", "Sign in with SSO": "Влезте със SSO", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Администраторът на сървъра е изключил шифроване от край-до-край по подразбиране за лични стаи и за директни съобщения.", - "Switch to light mode": "Смени на светъл режим", - "Switch to dark mode": "Смени на тъмен режим", "Switch theme": "Смени темата", "All settings": "Всички настройки", "Confirm encryption setup": "Потвърждение на настройки за шифроване", @@ -1075,10 +1024,6 @@ "Enter a Security Phrase": "Въведете фраза за сигурност", "Generate a Security Key": "Генерирай ключ за сигурност", "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Предпазете се от загуба на достъп до шифрованите съобщения и данни като направите резервно копие на ключовете за шифроване върху сървъра.", - "Attach files from chat or just drag and drop them anywhere in a room.": "Прикачете файлове от чата или ги издърпайте и пуснете в стаята.", - "No files visible in this room": "Няма видими файлове в тази стая", - "%(creator)s created this DM.": "%(creator)s създаде този директен чат.", - "You have no visible notifications.": "Нямате видими уведомления.", "There was a problem communicating with the homeserver, please try again later.": "Възникна проблем при комуникацията със Home сървъра, моля опитайте отново по-късно.", "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Тази сесия откри, че вашата фраза за сигурност и ключ за защитени съобщения бяха премахнати.", "A new Security Phrase and key for Secure Messages have been detected.": "Новa фраза за сигурност и ключ за защитени съобщения бяха открити.", @@ -1335,7 +1280,6 @@ "Afghanistan": "Афганистан", "United States": "Съединените щати", "United Kingdom": "Обединеното кралство", - "Manage & explore rooms": "Управление и откриване на стаи", "Space options": "Опции на пространството", "Workspace: ": "Работна област: ", "Channel: ": "Канал: ", @@ -1603,7 +1547,18 @@ "placeholder_reply_encrypted": "Изпрати шифрован отговор…", "placeholder_reply": "Изпрати отговор…", "placeholder_encrypted": "Изпрати шифровано съобщение…", - "placeholder": "Изпрати съобщение…" + "placeholder": "Изпрати съобщение…", + "autocomplete": { + "command_description": "Команди", + "command_a11y": "Подсказка за команди", + "emoji_a11y": "Подсказка за емоджита", + "@room_description": "Извести всички в стаята", + "notification_description": "Известие за стая", + "notification_a11y": "Подсказка за уведомления", + "room_a11y": "Подсказка за стаи", + "user_description": "Потребители", + "user_a11y": "Подсказка за потребители" + } }, "Bold": "Удебелено", "Code": "Код", @@ -1736,6 +1691,10 @@ "rm_lifetime": "Живот на маркера за прочитане (мсек)", "rm_lifetime_offscreen": "Живот на маркера за прочитане извън екрана (мсек)", "always_show_menu_bar": "Винаги показвай менютата на прозореца" + }, + "sessions": { + "session_id": "Идентификатор на сесията", + "verify_session": "Потвърди сесията" } }, "devtools": { @@ -1966,7 +1925,9 @@ "lightbox_title": "%(senderDisplayName)s промени аватара на %(roomName)s", "removed": "%(senderDisplayName)s премахна аватара на стаята.", "changed_img": "%(senderDisplayName)s промени аватара на стаята на " - } + }, + "creation_summary_dm": "%(creator)s създаде този директен чат.", + "creation_summary_room": "%(creator)s създаде и настрой стаята." }, "slash_command": { "spoiler": "Изпраща даденото съобщение като спойлер", @@ -2096,10 +2057,40 @@ "state_default": "Промяна на настройките", "ban": "Блокиране на потребители", "redact": "Премахвай съобщения изпратени от други", - "notifications.room": "Уведомяване на всички" + "notifications.room": "Уведомяване на всички", + "no_privileged_users": "Никой няма специфични привилегии в тази стая", + "privileged_users_section": "Потребители с привилегии", + "muted_users_section": "Заглушени потребители", + "banned_users_section": "Блокирани потребители", + "send_event_type": "Изпрати %(eventType)s събития", + "title": "Роли и привилегии", + "permissions_section": "Разрешения", + "permissions_section_description_room": "Изберете ролите необходими за промяна на различни части от стаята" }, "security": { - "strict_encryption": "Никога не изпращай шифровани съобщения към непотвърдени сесии в тази стая от тази сесия" + "strict_encryption": "Никога не изпращай шифровани съобщения към непотвърдени сесии в тази стая от тази сесия", + "enable_encryption_confirm_title": "Включване на шифроване?", + "enable_encryption_confirm_description": "Веднъж включено, шифроването за стаята не може да бъде изключено. Съобщенията изпратени в шифрована стая не могат да бъдат прочетени от сървърът, а само от участниците в стаята. Включването на шифроване може да попречи на много ботове или мостове към други мрежи да работят правилно. Научете повече за шифроването.", + "public_without_alias_warning": "За да споделите тази стая, добавете адрес.", + "history_visibility": {}, + "history_visibility_warning": "Промени в настройките за четене на историята касаят само за нови съобщения. Видимостта на съществуващата история не се променя.", + "history_visibility_legend": "Кой може да чете историята?", + "title": "Сигурност и поверителност", + "encryption_permanent": "Веднъж включено, шифроването не може да бъде изключено.", + "history_visibility_shared": "Само членове (от момента на избиране на тази опция)", + "history_visibility_invited": "Само членове (от момента, в който те са поканени)", + "history_visibility_joined": "Само членове (от момента, в който са се присъединили)", + "history_visibility_world_readable": "Всеки" + }, + "general": { + "publish_toggle": "Публично публикуване на тази стая в директорията на %(domain)s?", + "user_url_previews_default_on": "Вие сте включили URL прегледи по подразбиране.", + "user_url_previews_default_off": "Вие сте изключили URL прегледи по подразбиране.", + "default_url_previews_on": "URL прегледи са включени по подразбиране за участниците в тази стая.", + "default_url_previews_off": "URL прегледи са изключени по подразбиране за участниците в тази стая.", + "url_preview_encryption_warning": "В шифровани стаи като тази, по подразбиране URL прегледите са изключени, за да се подсигури че сървърът (където става генерирането на прегледите) не може да събира информация за връзките споделени в стаята.", + "url_preview_explainer": "Когато се сподели URL връзка в съобщение, може да бъде показан URL преглед даващ повече информация за връзката (заглавие, описание и картинка от уебсайта).", + "url_previews_section": "URL прегледи" } }, "encryption": { @@ -2167,7 +2158,10 @@ "sign_in_or_register_description": "Използвайте профила си или създайте нов за да продължите.", "register_action": "Създай профил", "incorrect_credentials": "Неправилно потребителско име и/или парола.", - "account_deactivated": "Този акаунт е деактивиран." + "account_deactivated": "Този акаунт е деактивиран.", + "registration_username_validation": "Използвайте само малки букви, цифри, тирета и подчерта", + "phone_label": "Телефон", + "phone_optional_label": "Телефон (незадължително)" }, "export_chat": { "messages": "Съобщения" @@ -2271,5 +2265,35 @@ "public_heading": "Вашето публично пространство", "private_heading": "Вашето лично пространство", "add_details_prompt": "Добавете някои подробности, за да помогнете на хората да го разпознаят." + }, + "user_menu": { + "switch_theme_light": "Смени на светъл режим", + "switch_theme_dark": "Смени на тъмен режим" + }, + "notif_panel": { + "empty_description": "Нямате видими уведомления." + }, + "room": { + "drop_file_prompt": "Пуснете файла тук, за да се качи" + }, + "file_panel": { + "guest_note": "Трябва да се регистрирате, за да използвате тази функционалност", + "peek_note": "Трябва да се присъедините към стаята, за да видите файловете, които съдържа", + "empty_heading": "Няма видими файлове в тази стая", + "empty_description": "Прикачете файлове от чата или ги издърпайте и пуснете в стаята." + }, + "space": { + "context_menu": { + "explore": "Открий стаи", + "manage_and_explore": "Управление и откриване на стаи" + } + }, + "terms": { + "integration_manager": "Използвайте ботове, връзки с други мрежи, приспособления и стикери", + "tos": "Условия за ползване", + "intro": "За да продължите, трябва да приемете условията за ползване.", + "column_service": "Услуга", + "column_summary": "Обобщение", + "column_document": "Документ" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/bs.json b/src/i18n/strings/bs.json index 6c6dfb3b56..a3ff59078d 100644 --- a/src/i18n/strings/bs.json +++ b/src/i18n/strings/bs.json @@ -9,5 +9,10 @@ }, "auth": { "register_action": "Otvori račun" + }, + "space": { + "context_menu": { + "explore": "Istražite sobe" + } } } diff --git a/src/i18n/strings/ca.json b/src/i18n/strings/ca.json index cb59d28cef..8b6b0b2c7a 100644 --- a/src/i18n/strings/ca.json +++ b/src/i18n/strings/ca.json @@ -85,7 +85,6 @@ "Change Password": "Canvia la contrasenya", "Authentication": "Autenticació", "Failed to set display name": "No s'ha pogut establir el nom visible", - "Drop file here to upload": "Deixa anar el fitxer aquí per pujar-lo", "Unban": "Retira l'expulsió", "This room is not public. You will not be able to rejoin without an invite.": "Aquesta sala no és pública. No podreu tronar a entrar sense invitació.", "Failed to ban user": "No s'ha pogut expulsar l'usuari", @@ -124,25 +123,10 @@ "%(roomName)s is not accessible at this time.": "La sala %(roomName)s no és accessible en aquest moment.", "Failed to unban": "No s'ha pogut expulsar", "Banned by %(displayName)s": "Expulsat per %(displayName)s", - "Privileged Users": "Usuaris amb privilegis", - "No users have specific privileges in this room": "Cap usuari té privilegis específics en aquesta sala", - "Banned users": "Usuaris expulsats", "This room is not accessible by remote Matrix servers": "Aquesta sala no és accessible per a servidors de Matrix remots", - "Publish this room to the public in %(domain)s's room directory?": "Vols publicar aquesta sala al directori de sales públiques de %(domain)s?", - "Who can read history?": "Qui pot llegir l'historial?", - "Anyone": "Qualsevol", - "Members only (since the point in time of selecting this option)": "Només els membres (a partir del punt en què seleccioneu aquesta opció)", - "Members only (since they were invited)": "Només els membres (a partir del punt en què hi són convidats)", - "Members only (since they joined)": "Només els membres (a partir del punt en què entrin a la sala)", - "Permissions": "Permisos", "Jump to first unread message.": "Salta al primer missatge no llegit.", "not specified": "sense especificar", "This room has no local addresses": "Aquesta sala no té adreces locals", - "You have enabled URL previews by default.": "Heu habilitat les previsualitzacions per defecte dels URL.", - "You have disabled URL previews by default.": "Heu inhabilitat les previsualitzacions per defecte dels URL.", - "URL previews are enabled by default for participants in this room.": "Les previsualitzacions dels URL estan habilitades per defecte per als membres d'aquesta sala.", - "URL previews are disabled by default for participants in this room.": "Les previsualitzacions dels URL estan inhabilitades per defecte per als membres d'aquesta sala.", - "URL Previews": "Previsualitzacions dels URL", "Error decrypting attachment": "Error desxifrant fitxer adjunt", "Decrypt %(text)s": "Desxifra %(text)s", "Download %(text)s": "Baixa %(text)s", @@ -188,8 +172,6 @@ "Unable to verify email address.": "No s'ha pogut verificar el correu electrònic.", "This will allow you to reset your password and receive notifications.": "Això us permetrà restablir la vostra contrasenya i rebre notificacions.", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Si anteriorment heu utilitzat un versió de %(brand)s més recent, la vostra sessió podría ser incompatible amb aquesta versió. Tanqueu aquesta finestra i torneu a la versió més recent.", - "You must register to use this functionality": "Per poder utilitzar aquesta funcionalitat has de registrar-te", - "You must join the room to see its files": "Per poder veure els fitxers de la sala t'hi has d'unir", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Estàs a punt de ser redirigit a una web de tercers per autenticar el teu compte i poder ser utilitzat amb %(integrationsUrl)s. Vols continuar?", "Reject invitation": "Rebutja la invitació", "Are you sure you want to reject the invitation?": "Esteu segur que voleu rebutjar la invitació?", @@ -471,6 +453,9 @@ }, "security": { "send_analytics": "Envia dades d'anàlisi" + }, + "sessions": { + "session_id": "ID de la sessió" } }, "devtools": { @@ -688,7 +673,27 @@ }, "room_settings": { "permissions": { - "state_default": "Canvia la configuració" + "state_default": "Canvia la configuració", + "no_privileged_users": "Cap usuari té privilegis específics en aquesta sala", + "privileged_users_section": "Usuaris amb privilegis", + "banned_users_section": "Usuaris expulsats", + "permissions_section": "Permisos" + }, + "security": { + "history_visibility": {}, + "history_visibility_legend": "Qui pot llegir l'historial?", + "history_visibility_shared": "Només els membres (a partir del punt en què seleccioneu aquesta opció)", + "history_visibility_invited": "Només els membres (a partir del punt en què hi són convidats)", + "history_visibility_joined": "Només els membres (a partir del punt en què entrin a la sala)", + "history_visibility_world_readable": "Qualsevol" + }, + "general": { + "publish_toggle": "Vols publicar aquesta sala al directori de sales públiques de %(domain)s?", + "user_url_previews_default_on": "Heu habilitat les previsualitzacions per defecte dels URL.", + "user_url_previews_default_off": "Heu inhabilitat les previsualitzacions per defecte dels URL.", + "default_url_previews_on": "Les previsualitzacions dels URL estan habilitades per defecte per als membres d'aquesta sala.", + "default_url_previews_off": "Les previsualitzacions dels URL estan inhabilitades per defecte per als membres d'aquesta sala.", + "url_previews_section": "Previsualitzacions dels URL" } }, "auth": { @@ -699,7 +704,8 @@ "sign_in_or_register": "Inicia sessió o Crea un compte", "sign_in_or_register_description": "Utilitza el teu compte o crea'n un de nou per continuar.", "register_action": "Crea un compte", - "incorrect_credentials": "Usuari i/o contrasenya incorrectes." + "incorrect_credentials": "Usuari i/o contrasenya incorrectes.", + "phone_label": "Telèfon" }, "export_chat": { "messages": "Missatges" @@ -748,5 +754,17 @@ "room_list": { "failed_remove_tag": "No s'ha pogut esborrar l'etiqueta %(tagName)s de la sala", "failed_add_tag": "No s'ha pogut afegir l'etiqueta %(tagName)s a la sala" + }, + "room": { + "drop_file_prompt": "Deixa anar el fitxer aquí per pujar-lo" + }, + "file_panel": { + "guest_note": "Per poder utilitzar aquesta funcionalitat has de registrar-te", + "peek_note": "Per poder veure els fitxers de la sala t'hi has d'unir" + }, + "space": { + "context_menu": { + "explore": "Explora sales" + } } -} \ No newline at end of file +} diff --git a/src/i18n/strings/cs.json b/src/i18n/strings/cs.json index 69696f4d3c..6555c889ad 100644 --- a/src/i18n/strings/cs.json +++ b/src/i18n/strings/cs.json @@ -38,14 +38,11 @@ "Authentication": "Ověření", "A new password must be entered.": "Musíte zadat nové heslo.", "An error has occurred.": "Nastala chyba.", - "Anyone": "Kdokoliv", "Are you sure?": "Opravdu?", "Are you sure you want to leave the room '%(roomName)s'?": "Opravdu chcete opustit místnost '%(roomName)s'?", "Are you sure you want to reject the invitation?": "Opravdu chcete odmítnout pozvání?", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Nelze se připojit k domovskému serveru – zkontrolujte prosím své připojení, prověřte, zda je SSL certifikát vašeho domovského serveru důvěryhodný, a že některé z rozšíření prohlížeče neblokuje komunikaci.", - "Banned users": "Vykázaní uživatelé", "Change Password": "Změnit heslo", - "Commands": "Příkazy", "Confirm password": "Potvrďte heslo", "Cryptography": "Šifrování", "Current password": "Současné heslo", @@ -89,7 +86,6 @@ "No display name": "Žádné zobrazované jméno", "No more results": "Žádné další výsledky", "Passwords can't be empty": "Hesla nemohou být prázdná", - "Permissions": "Oprávnění", "Phone": "Telefon", "Failed to change power level": "Nepodařilo se změnit úroveň oprávnění", "Power level must be positive integer.": "Úroveň oprávnění musí být kladné celé číslo.", @@ -110,7 +106,6 @@ "This room has no local addresses": "Tato místnost nemá žádné místní adresy", "This room is not recognised.": "Tato místnost nebyla rozpoznána.", "Warning!": "Upozornění!", - "Who can read history?": "Kdo může číst historii?", "You are not in this room.": "Nejste v této místnosti.", "You do not have permission to do that in this room.": "V této místnosti k tomu nemáte oprávnění.", "You cannot place a call with yourself.": "Nemůžete volat sami sobě.", @@ -134,7 +129,6 @@ "other": "Nahrávání souboru %(filename)s a %(count)s dalších" }, "Upload Failed": "Nahrávání selhalo", - "Users": "Uživatelé", "Verification Pending": "Čeká na ověření", "Verified key": "Ověřený klíč", "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", @@ -160,7 +154,6 @@ "Copied!": "Zkopírováno!", "Failed to copy": "Nepodařilo se zkopírovat", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Smazáním widgetu ho odstraníte všem uživatelům v této místnosti. Opravdu chcete tento widget smazat?", - "Drop file here to upload": "Přetažením sem nahrajete", "Jump to read receipt": "Přejít na poslední potvrzení o přečtení", "You seem to be uploading files, are you sure you want to quit?": "Zřejmě právě nahráváte soubory. Chcete přesto odejít?", "You seem to be in a call, are you sure you want to quit?": "Zřejmě máte probíhající hovor. Chcete přesto odejít?", @@ -173,15 +166,6 @@ "Invited": "Pozvaní", "Search failed": "Vyhledávání selhalo", "Banned by %(displayName)s": "Vykázán(a) uživatelem %(displayName)s", - "Privileged Users": "Privilegovaní uživatelé", - "No users have specific privileges in this room": "Žádní uživatelé v této místnosti nemají zvláštní privilegia", - "Publish this room to the public in %(domain)s's room directory?": "Zapsat tuto místnost do veřejného adresáře místností na %(domain)s?", - "Members only (since the point in time of selecting this option)": "Pouze členové (od chvíle vybrání této volby)", - "Members only (since they were invited)": "Pouze členové (od chvíle jejich pozvání)", - "Members only (since they joined)": "Pouze členové (od chvíle jejich vstupu)", - "You have disabled URL previews by default.": "Vypnuli jste automatické náhledy webových adres.", - "You have enabled URL previews by default.": "Zapnuli jste automatické náhledy webových adres.", - "URL Previews": "Náhledy webových adres", "Add an Integration": "Přidat začlenění", "File to import": "Soubor k importu", "Passphrases must match": "Přístupové fráze se musí shodovat", @@ -198,8 +182,6 @@ "%(duration)sm": "%(duration)sm", "%(duration)sh": "%(duration)sh", "%(duration)sd": "%(duration)sd", - "URL previews are enabled by default for participants in this room.": "Ve výchozím nastavení jsou náhledy URL adres povolené pro členy této místnosti.", - "URL previews are disabled by default for participants in this room.": "Ve výchozím nastavení jsou náhledy URL adres zakázané pro členy této místnosti.", "Invalid file%(extra)s": "Neplatný soubor%(extra)s", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Budete přesměrováni na stránku třetí strany k ověření svého účtu pro používání s %(integrationsUrl)s. Chcete pokračovat?", "Token incorrect": "Neplatný token", @@ -221,8 +203,6 @@ "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Pokud jste se v minulosti již přihlásili s novější verzi programu %(brand)s, vaše relace nemusí být kompatibilní s touto verzí. Zavřete prosím toto okno a přihlaste se znovu pomocí nové verze.", "Please check your email and click on the link it contains. Once this is done, click continue.": "Zkontrolujte svou e-mailovou schránku a klepněte na odkaz ve zprávě, kterou jsme vám poslali. V případě, že jste to už udělali, klepněte na tlačítko Pokračovat.", "This will allow you to reset your password and receive notifications.": "Toto vám umožní obnovit si heslo a přijímat oznámení e-mailem.", - "You must register to use this functionality": "Pro využívání této funkce se zaregistrujte", - "You must join the room to see its files": "Pro zobrazení souborů musíte do místnosti vstoupit", "Reject invitation": "Odmítnout pozvání", "Signed Out": "Jste odhlášeni", "Connectivity to the server has been lost.": "Spojení se serverem bylo přerušeno.", @@ -233,8 +213,6 @@ "You may need to manually permit %(brand)s to access your microphone/webcam": "Je možné, že budete potřebovat manuálně povolit %(brand)s přístup k mikrofonu/webkameře", "Profile": "Profil", "Please note you are logging into the %(hs)s server, not matrix.org.": "Právě se přihlašujete na server %(hs)s, a nikoliv na server matrix.org.", - "Notify the whole room": "Oznámení pro celou místnost", - "Room Notification": "Oznámení místnosti", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Tento proces vás provede importem šifrovacích klíčů, které jste si stáhli z jiného Matrix klienta. Po úspěšném naimportování budete v tomto klientovi moci dešifrovat všechny zprávy, které jste mohli dešifrovat v původním klientovi.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Stažený soubor je chráněn přístupovou frází. Soubor můžete naimportovat pouze pokud zadáte odpovídající přístupovou frázi.", "Send": "Odeslat", @@ -276,11 +254,8 @@ "Share Link to User": "Sdílet odkaz na uživatele", "Replying": "Odpovídá", "Share room": "Sdílet místnost", - "Muted Users": "Umlčení uživatelé", "Only room administrators will see this warning": "Toto upozornění uvidí jen správci místnosti", "You don't currently have any stickerpacks enabled": "Momentálně nemáte aktivní žádné balíčky s nálepkami", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "V šifrovaných místnostech, jako je tato, jsou URL náhledy ve výchozím nastavení vypnuté, aby bylo možné zajistit, že váš domovský server neshromažďuje informace o odkazech, které v této místnosti vidíte.", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Když někdo ve zprávě pošle URL adresu, může být zobrazen její náhled obsahující informace jako titulek, popis a obrázek z cílové stránky.", "This homeserver has hit its Monthly Active User limit.": "Tento domovský server dosáhl svého měsíčního limitu pro aktivní uživatele.", "This homeserver has exceeded one of its resource limits.": "Tento domovský server překročil některý z limitů.", "Popout widget": "Otevřít widget v novém okně", @@ -322,16 +297,12 @@ "Failed to upgrade room": "Nezdařilo se aktualizovat místnost", "The room upgrade could not be completed": "Nepodařilo se dokončit aktualizaci místnosti", "Upgrade this room to version %(version)s": "Aktualizace místnosti na verzi %(version)s", - "Security & Privacy": "Zabezpečení a soukromí", "Encryption": "Šifrování", - "Once enabled, encryption cannot be disabled.": "Po zapnutí šifrování ho není možné vypnout.", "General": "Obecné", "General failure": "Nějaká chyba", "Room Name": "Název místnosti", "Room Topic": "Téma místnosti", "Room avatar": "Avatar místnosti", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Změny viditelnosti historie této místnosti ovlivní jenom nové zprávy. Viditelnost starších zpráv zůstane, jaká byla v době jejich odeslání.", - "Roles & Permissions": "Role a oprávnění", "Room information": "Informace o místnosti", "Room version": "Verze místnosti", "Room version:": "Verze místnosti:", @@ -475,7 +446,6 @@ "Invalid homeserver discovery response": "Neplatná odpověd při hledání domovského serveru", "Invalid identity server discovery response": "Neplatná odpověď při hledání serveru identity", "Email (optional)": "E-mail (nepovinné)", - "Phone (optional)": "Telefonní číslo (nepovinné)", "Join millions for free on the largest public server": "Přidejte k miliónům registrovaným na největším veřejném serveru", "Couldn't load page": "Nepovedlo se načíst stránku", "Your password has been reset.": "Heslo bylo resetováno.", @@ -483,8 +453,6 @@ "The user must be unbanned before they can be invited.": "Aby mohl být uživatel pozván, musí být jeho vykázání zrušeno.", "Scissors": "Nůžky", "Accept all %(invitedRooms)s invites": "Přijmout pozvání do všech těchto místností: %(invitedRooms)s", - "Enable encryption?": "Povolit šifrování?", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Po zapnutí již nelze šifrování v této místnosti vypnout. Zprávy v šifrovaných místnostech mohou číst jen členové místnosti, server se k obsahu nedostane. Šifrování místností nepodporuje většina botů a propojení. Více informací o šifrování.", "Error updating main address": "Nepovedlo se změnit hlavní adresu", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Nastala chyba při pokusu o nastavení hlavní adresy místnosti. Mohl to zakázat server, nebo to může být dočasná chyba.", "Power level": "Úroveň oprávnění", @@ -498,8 +466,6 @@ "The user's homeserver does not support the version of the room.": "Uživatelův domovský server nepodporuje verzi této místnosti.", "Upgrade this room to the recommended room version": "Aktualizovat místnost na doporučenou verzi", "View older messages in %(roomName)s.": "Zobrazit starší zprávy v %(roomName)s.", - "Send %(eventType)s events": "Poslat událost %(eventType)s", - "Select the roles required to change various parts of the room": "Vyberte role potřebné k provedení různých změn v této místnosti", "Join the conversation with an account": "Připojte se ke konverzaci s účtem", "Sign Up": "Zaregistrovat se", "Reason: %(reason)s": "Důvod: %(reason)s", @@ -575,7 +541,6 @@ "Your %(brand)s is misconfigured": "%(brand)s je špatně nakonfigurován", "Ask your %(brand)s admin to check your config for incorrect or duplicate entries.": "Požádejte správce vašeho %(brand)su, aby zkontroloval vaši konfiguraci. Pravděpodobně obsahuje chyby nebo duplicity.", "Unexpected error resolving identity server configuration": "Chyba při hledání konfigurace serveru identity", - "Use lowercase letters, numbers, dashes and underscores only": "Používejte pouze malá písmena, čísla, pomlčky a podtržítka", "Cannot reach identity server": "Nelze se připojit k serveru identity", "You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Můžete se zaregistrovat, ale některé funkce nebudou dostupné dokud nezačne server identity fungovat. Pokud se vám toto varování zobrazuje i nadále, zkontrolujte svojí konfiguraci nebo kontaktujte správce serveru.", "You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Můžete si změnit heslo, ale některé funkce nebudou dostupné dokud nezačne server identity fungovat. Pokud se toto varování zobrazuje i nadále, zkontrolujte svojí konfiguraci nebo kontaktujte správce serveru.", @@ -684,26 +649,14 @@ "Edited at %(date)s. Click to view edits.": "Upraveno v %(date)s. Klinutím zobrazíte změny.", "Cancel search": "Zrušit hledání", "e.g. my-room": "např. moje-mistnost", - "Use bots, bridges, widgets and sticker packs": "Použít boty, propojení, widgety a balíky nálepek", - "Terms of Service": "Podmínky použití", - "To continue you need to accept the terms of this service.": "Musíte souhlasit s podmínkami použití, abychom mohli pokračovat.", - "Service": "Služba", - "Summary": "Shrnutí", - "Document": "Dokument", "Upload all": "Nahrát vše", "Resend %(unsentCount)s reaction(s)": "Poslat %(unsentCount)s reakcí znovu", "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Na domovském serveru chybí veřejný klíč pro captcha. Nahlaste to prosím správci serveru.", - "%(creator)s created and configured the room.": "%(creator)s vytvořil(a) a nakonfiguroval(a) místnost.", "Explore rooms": "Procházet místnosti", "Jump to first unread room.": "Přejít na první nepřečtenou místnost.", "Jump to first invite.": "Přejít na první pozvánku.", "Failed to re-authenticate due to a homeserver problem": "Kvůli problémům s domovským server se nepovedlo autentifikovat znovu", "Clear personal data": "Smazat osobní data", - "Command Autocomplete": "Automatické doplňování příkazů", - "Emoji Autocomplete": "Automatické doplňování emoji", - "Notification Autocomplete": "Automatické doplňování oznámení", - "Room Autocomplete": "Automatické doplňování místností", - "User Autocomplete": "Automatické doplňování uživatelů", "Error upgrading room": "Chyba při aktualizaci místnosti", "Double check that your server supports the room version chosen and try again.": "Zkontrolujte, že váš server opravdu podporuje zvolenou verzi místnosti.", "Cannot connect to integration manager": "Nepovedlo se připojení ke správci integrací", @@ -832,7 +785,6 @@ "The encryption used by this room isn't supported.": "Šifrování používané v této místnosti není podporované.", "Clear all data in this session?": "Smazat všechna data v této relaci?", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Výmaz všech dat v relaci je nevratný. Pokud nemáte zálohované šifrovací klíče, přijdete o šifrované zprávy.", - "Verify session": "Ověřit relaci", "Session name": "Název relace", "Session key": "Klíč relace", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Ověření uživatele označí jeho relace za důvěryhodné a vaše relace budou důvěryhodné pro něj.", @@ -961,7 +913,6 @@ "Master private key:": "Hlavní soukromý klíč:", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s nemůže bezpečně ukládat šifrované zprávy lokálně v prohlížeči. Pro zobrazení šifrovaných zpráv ve výsledcích vyhledávání použijte %(brand)s Desktop.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Správce vašeho serveru vypnul ve výchozím nastavení koncové šifrování v soukromých místnostech a přímých zprávách.", - "To link to this room, please add an address.": "Přidejte prosím místnosti adresu aby na ní šlo odkazovat.", "The authenticity of this encrypted message can't be guaranteed on this device.": "Pravost této šifrované zprávy nelze na tomto zařízení ověřit.", "No recently visited rooms": "Žádné nedávno navštívené místnosti", "Explore public rooms": "Prozkoumat veřejné místnosti", @@ -991,8 +942,6 @@ "Hide Widgets": "Skrýt widgety", "Room settings": "Nastavení místnosti", "Use the Desktop app to see all encrypted files": "Pro zobrazení všech šifrovaných souborů použijte desktopovou aplikaci", - "Attach files from chat or just drag and drop them anywhere in a room.": "Připojte soubory z chatu nebo je jednoduše přetáhněte kamkoli do místnosti.", - "No files visible in this room": "V této místnosti nejsou viditelné žádné soubory", "Secret storage:": "Bezpečné úložiště:", "Backup key cached:": "Klíč zálohy cachován:", "Backup key stored:": "Klíč zálohy uložen:", @@ -1003,11 +952,8 @@ "You've reached the maximum number of simultaneous calls.": "Dosáhli jste maximálního počtu souběžných hovorů.", "Too Many Calls": "Přiliš mnoho hovorů", "Switch theme": "Přepnout téma", - "Switch to dark mode": "Přepnout do tmavého režimu", - "Switch to light mode": "Přepnout do světlého režimu", "Use a different passphrase?": "Použít jinou přístupovou frázi?", "There was a problem communicating with the homeserver, please try again later.": "Při komunikaci s domovským serverem došlo k potížím, zkuste to prosím později.", - "%(creator)s created this DM.": "%(creator)s vytvořil(a) tuto přímou zprávu.", "Looks good!": "To vypadá dobře!", "Wrong file type": "Špatný typ souboru", "The server has denied your request.": "Server odmítl váš požadavek.", @@ -1016,27 +962,15 @@ "Decline All": "Odmítnout vše", "Use the Desktop app to search encrypted messages": "K prohledávání šifrovaných zpráv použijte aplikaci pro stolní počítače", "Invite someone using their name, email address, username (like ) or share this room.": "Pozvěte někoho pomocí jeho jména, e-mailové adresy, uživatelského jména (například ) nebo sdílejte tuto místnost.", - "Add a photo, so people can easily spot your room.": "Přidejte fotografii, aby lidé mohli snadno najít váši místnost.", - "%(displayName)s created this room.": "%(displayName)s vytvořil tuto místnost.", - "This is the start of .": "Toto je začátek místnosti .", - "Topic: %(topic)s ": "Téma: %(topic)s ", - "Topic: %(topic)s (edit)": "Téma: %(topic)s (upravit)", "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Použijte tajnou frázi, kterou znáte pouze vy, a volitelně uložte bezpečnostní klíč, který použijete pro zálohování.", "Enter a Security Phrase": "Zadání bezpečnostní fráze", "Generate a Security Key": "Vygenerovat bezpečnostní klíč", "Set up Secure Backup": "Nastavení zabezpečené zálohy", "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Chraňte se před ztrátou přístupu k šifrovaným zprávám a datům zálohováním šifrovacích klíčů na serveru.", "Safeguard against losing access to encrypted messages & data": "Zabezpečení proti ztrátě přístupu k šifrovaným zprávám a datům", - "This is the beginning of your direct message history with .": "Toto je začátek historie vašich přímých zpráv s uživatelem .", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "V této konverzaci jste pouze vy dva, dokud někdo z vás nepozve někoho dalšího.", - "You created this room.": "Vytvořili jste tuto místnost.", - "Add a topic to help people know what it is about.": "Přidejte téma, aby lidé věděli, o co jde.", "Invite by email": "Pozvat emailem", "Reason (optional)": "Důvod (volitelné)", - "Use email to optionally be discoverable by existing contacts.": "Pomocí e-mailu můžete být volitelně viditelní pro existující kontakty.", - "Use email or phone to optionally be discoverable by existing contacts.": "Použijte e-mail nebo telefon, abyste byli volitelně viditelní pro stávající kontakty.", "Sign in with SSO": "Přihlásit pomocí SSO", - "Add an email to be able to reset your password.": "Přidejte email, abyste mohli obnovit své heslo.", "That phone number doesn't look quite right, please check and try again": "Toto telefonní číslo nevypadá úplně správně, zkontrolujte ho a zkuste to znovu", "Enter phone number": "Zadejte telefonní číslo", "Enter email address": "Zadejte emailovou adresu", @@ -1357,7 +1291,6 @@ "well formed": "ve správném tvaru", "User signing private key:": "Podpisový klíč uživatele:", "Self signing private key:": "Vlastní podpisový klíč:", - "You have no visible notifications.": "Nejsou dostupná žádná oznámení.", "Transfer": "Přepojit", "Failed to transfer call": "Hovor se nepodařilo přepojit", "A call can only be transferred to a single user.": "Hovor lze přepojit pouze jednomu uživateli.", @@ -1401,7 +1334,6 @@ "one": "%(count)s člen", "other": "%(count)s členů" }, - "Your server does not support showing space hierarchies.": "Váš server nepodporuje zobrazování hierarchií prostorů.", "Are you sure you want to leave the space '%(spaceName)s'?": "Opravdu chcete opustit prostor '%(spaceName)s'?", "This space is not public. You will not be able to rejoin without an invite.": "Tento prostor není veřejný. Bez pozvánky se nebudete moci znovu připojit.", "Start audio stream": "Zahájit audio přenos", @@ -1431,7 +1363,6 @@ "Create a space": "Vytvořit prostor", "This homeserver has been blocked by its administrator.": "Tento domovský server byl zablokován jeho správcem.", "Original event source": "Původní zdroj události", - "Decrypted event source": "Dešifrovaný zdroj události", "Save Changes": "Uložit změny", "This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please report a bug.": "Toto obvykle ovlivňuje pouze to, jak je místnost zpracována na serveru. Pokud máte problémy s %(brand)s, nahlaste prosím chybu.", "Private space": "Soukromý prostor", @@ -1439,11 +1370,6 @@ " invites you": " vás zve", "You may want to try a different search or check for typos.": "Možná budete chtít zkusit vyhledat něco jiného nebo zkontrolovat překlepy.", "No results found": "Nebyly nalezeny žádné výsledky", - "Mark as suggested": "Označit jako doporučené", - "Mark as not suggested": "Označit jako nedoporučené", - "Failed to remove some rooms. Try again later": "Odebrání některých místností se nezdařilo. Zkuste to později znovu", - "This room is suggested as a good one to join": "Tato místnost je doporučena jako dobrá pro připojení", - "Suggested": "Doporučeno", "%(count)s rooms": { "one": "%(count)s místnost", "other": "%(count)s místností" @@ -1453,7 +1379,6 @@ "Invite with email or username": "Pozvěte e-mailem nebo uživatelským jménem", "You can change these anytime.": "Tyto údaje můžete kdykoli změnit.", "Edit devices": "Upravit zařízení", - "Manage & explore rooms": "Spravovat a prozkoumat místnosti", "%(count)s people you know have already joined": { "one": "%(count)s osoba, kterou znáte, se již připojila", "other": "%(count)s lidí, které znáte, se již připojili" @@ -1463,7 +1388,6 @@ "Review to ensure your account is safe": "Zkontrolujte, zda je váš účet v bezpečí", "%(deviceId)s from %(ip)s": "%(deviceId)s z %(ip)s", "unknown person": "neznámá osoba", - "Invite to just this room": "Pozvat jen do této místnosti", "Add existing rooms": "Přidat stávající místnosti", "We couldn't create your DM.": "Nemohli jsme vytvořit vaši přímou zprávu.", "Consult first": "Nejprve se poraďte", @@ -1492,7 +1416,6 @@ "Failed to send": "Odeslání se nezdařilo", "Enter your Security Phrase a second time to confirm it.": "Zadejte bezpečnostní frázi podruhé a potvrďte ji.", "You have no ignored users.": "Nemáte žádné ignorované uživatele.", - "Select a room below first": "Nejprve si vyberte místnost níže", "Want to add a new room instead?": "Chcete místo toho přidat novou místnost?", "Adding rooms... (%(progress)s out of %(count)s)": { "one": "Přidávání místnosti...", @@ -1511,7 +1434,6 @@ "You may contact me if you have any follow up questions": "V případě dalších dotazů se na mě můžete obrátit", "To leave the beta, visit your settings.": "Chcete-li opustit beta verzi, jděte do nastavení.", "Add reaction": "Přidat reakci", - "Space Autocomplete": "Automatické dokončení prostoru", "Currently joining %(count)s rooms": { "one": "Momentálně se připojuje %(count)s místnost", "other": "Momentálně se připojuje %(count)s místností" @@ -1529,12 +1451,10 @@ "Pinned messages": "Připnuté zprávy", "If you have permissions, open the menu on any message and select Pin to stick them here.": "Pokud máte oprávnění, otevřete nabídku na libovolné zprávě a výběrem možnosti Připnout je sem vložte.", "Nothing pinned, yet": "Zatím není nic připnuto", - "End-to-end encryption isn't enabled": "Koncové šifrování není povoleno", "Report": "Nahlásit", "Collapse reply thread": "Sbalit vlákno odpovědi", "Show preview": "Zobrazit náhled", "View source": "Zobrazit zdroj", - "Settings - %(spaceName)s": "Nastavení - %(spaceName)s", "Please provide an address": "Uveďte prosím adresu", "Message search initialisation failed, check your settings for more information": "Inicializace vyhledávání zpráv se nezdařila, zkontrolujte svá nastavení", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Nastavte adresy pro tento prostor, aby jej uživatelé mohli najít prostřednictvím domovského serveru (%(localDomain)s)", @@ -1601,8 +1521,6 @@ "other": "Zobrazit %(count)s dalších náhledů" }, "Access": "Přístup", - "People with supported clients will be able to join the room without having a registered account.": "Lidé s podporovanými klienty se budou moci do místnosti připojit, aniž by měli registrovaný účet.", - "Decide who can join %(roomName)s.": "Rozhodněte, kdo se může připojit k místnosti %(roomName)s.", "Space members": "Členové prostoru", "Anyone in a space can find and join. You can select multiple spaces.": "Každý, kdo se nachází v prostoru, ho může najít a připojit se k němu. Můžete vybrat více prostorů.", "Spaces with access": "Prostory s přístupem", @@ -1652,19 +1570,11 @@ "Unknown failure: %(reason)s": "Neznámá chyba: %(reason)s", "Rooms and spaces": "Místnosti a prostory", "Results": "Výsledky", - "Enable encryption in settings.": "Povolte šifrování v nastavení.", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Vaše soukromé zprávy jsou obvykle šifrované, ale tato místnost není. To je zpravidla způsobeno nepodporovaným zařízením nebo použitou metodou, například e-mailovými pozvánkami.", - "To avoid these issues, create a new public room for the conversation you plan to have.": "Abyste se těmto problémům vyhnuli, vytvořte pro plánovanou konverzaci novou veřejnou místnost.", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "Nedoporučujeme šifrované místnosti zveřejňovat. Znamená to, že místnost může kdokoli najít a připojit se k ní, takže si kdokoli může přečíst zprávy. Nezískáte tak žádnou z výhod šifrování. Šifrování zpráv ve veřejné místnosti zpomalí příjem a odesílání zpráv.", - "Are you sure you want to make this encrypted room public?": "Jste si jisti, že chcete tuto šifrovanou místnost zveřejnit?", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "Chcete-li se těmto problémům vyhnout, vytvořte pro plánovanou konverzaci novou šifrovanou místnost.", - "Are you sure you want to add encryption to this public room?": "Opravdu chcete šifrovat tuto veřejnou místnost?", "Cross-signing is ready but keys are not backed up.": "Křížové podepisování je připraveno, ale klíče nejsou zálohovány.", "Some encryption parameters have been changed.": "Byly změněny některé parametry šifrování.", "Role in ": "Role v ", "Unknown failure": "Neznámá chyba", "Failed to update the join rules": "Nepodařilo se aktualizovat pravidla pro připojení", - "Select the roles required to change various parts of the space": "Výbrat role potřebné ke změně různých částí prostoru", "Anyone in can find and join. You can select other spaces too.": "Kdokoli v může prostor najít a připojit se. Můžete vybrat i další prostory.", "Message didn't send. Click for info.": "Zpráva se neodeslala. Klikněte pro informace.", "To join a space you'll need an invite.": "Pro připojení k prostoru potřebujete pozvánku.", @@ -1711,10 +1621,8 @@ }, "View in room": "Zobrazit v místnosti", "Enter your Security Phrase or to continue.": "Zadejte bezpečnostní frázi nebo pro pokračování.", - "See room timeline (devtools)": "Časová osa místnosti (devtools)", "Insert link": "Vložit odkaz", "Joined": "Připojeno", - "You're all caught up": "Vše je vyřešeno", "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Bezpečnostní klíč uložte na bezpečné místo, například do správce hesel nebo do trezoru, protože slouží k ochraně zašifrovaných dat.", "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Vygenerujeme vám bezpečnostní klíč, který uložíte na bezpečné místo, například do správce hesel nebo do trezoru.", "Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "Obnovte přístup ke svému účtu a šifrovací klíče uložené v této relaci. Bez nich nebudete moci číst všechny své zabezpečené zprávy v žádné relaci.", @@ -1727,20 +1635,6 @@ "The homeserver the user you're verifying is connected to": "Domovský server, ke kterému je ověřovaný uživatel připojen", "This room isn't bridging messages to any platforms. Learn more.": "Tato místnost nepropojuje zprávy s žádnou platformou. Zjistit více.", "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Tato místnost se nachází v některých prostorech, jejichž nejste správcem. V těchto prostorech bude stará místnost stále zobrazena, ale lidé budou vyzváni, aby se připojili k nové místnosti.", - "Select all": "Vybrat všechny", - "Deselect all": "Zrušit výběr všech", - "Sign out devices": { - "one": "Odhlášení zařízení", - "other": "Odhlášení zařízení" - }, - "Click the button below to confirm signing out these devices.": { - "other": "Kliknutím na tlačítko níže potvrdíte odhlášení těchto zařízení.", - "one": "Kliknutím na tlačítko níže potvrdíte odhlášení tohoto zařízení." - }, - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "Potvrďte odhlášení tohoto zařízení pomocí Jednotného přihlášení, abyste prokázali svou totožnost.", - "other": "Potvrďte odhlášení těchto zařízení pomocí Jednotného přihlášení, abyste prokázali svou totožnost." - }, "Add option": "Přidat volbu", "Write an option": "Napište volbu", "Create options": "Vytvořit volby", @@ -1751,7 +1645,6 @@ "You do not have permission to start polls in this room.": "Nemáte oprávnění zahajovat hlasování v této místnosti.", "Copy link to thread": "Kopírovat odkaz na vlákno", "Thread options": "Možnosti vláken", - "Someone already has that username. Try another or if it is you, sign in below.": "Tohle uživatelské jméno už někdo má. Zkuste jiné, nebo pokud jste to vy, přihlaste se níže.", "Reply in thread": "Odpovědět ve vlákně", "Home is useful for getting an overview of everything.": "Domov je užitečný pro získání přehledu o všem.", "Spaces to show": "Prostory pro zobrazení", @@ -1832,7 +1725,6 @@ "Copy room link": "Kopírovat odkaz", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Vaše konverzace s členy tohoto prostoru se seskupí. Vypnutím této funkce se tyto chaty skryjí z vašeho pohledu na %(spaceName)s.", "Sections to show": "Sekce pro zobrazení", - "Failed to load list of rooms.": "Nepodařilo se načíst seznam místností.", "Open in OpenStreetMap": "Otevřít v OpenStreetMap", "toggle event": "přepnout událost", "This address had invalid server or is already in use": "Tato adresa měla neplatný server nebo je již používána", @@ -1867,18 +1759,14 @@ "You were removed from %(roomName)s by %(memberName)s": "Byl(a) jsi odebrán(a) z %(roomName)s uživatelem %(memberName)s", "Message pending moderation": "Zpráva čeká na moderaci", "Message pending moderation: %(reason)s": "Zpráva čeká na moderaci: %(reason)s", - "Space home": "Domov prostoru", "Internal room ID": "Interní ID místnosti", "Group all your rooms that aren't part of a space in one place.": "Seskupte všechny místnosti, které nejsou součástí prostoru, na jednom místě.", "Group all your people in one place.": "Seskupte všechny své kontakty na jednom místě.", "Group all your favourite rooms and people in one place.": "Seskupte všechny své oblíbené místnosti a osoby na jednom místě.", "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Prostory jsou způsob seskupování místností a osob. Vedle prostorů, ve kterých se nacházíte, můžete použít i některé předpřipravené.", - "Unable to check if username has been taken. Try again later.": "Nelze zkontrolovat, zda je uživatelské jméno obsazeno. Zkuste to později.", "Pick a date to jump to": "Vyberte datum, na které chcete přejít", "Jump to date": "Přejít na datum", "The beginning of the room": "Začátek místnosti", - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Pokud víte, co děláte, Element je open-source, určitě se podívejte na náš GitHub (https://github.com/vector-im/element-web/) a zapojte se!", - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Pokud vám někdo řekl, abyste sem něco zkopírovali/vložili, je vysoká pravděpodobnost, že vás někdo oklamal!", "Wait!": "Pozor!", "This address does not point at this room": "Tato adresa neukazuje na tuto místnost", "Location": "Poloha", @@ -1969,10 +1857,6 @@ "New video room": "Nová video místnost", "New room": "Nová místnost", "%(featureName)s Beta feedback": "Zpětná vazba beta funkce %(featureName)s", - "Confirm signing out these devices": { - "one": "Potvrďte odhlášení z tohoto zařízení", - "other": "Potvrďte odhlášení z těchto zařízení" - }, "Live location ended": "Sdílení polohy živě skončilo", "View live location": "Zobrazit polohu živě", "Live location enabled": "Poloha živě povolena", @@ -2045,7 +1929,6 @@ "Deactivating your account is a permanent action — be careful!": "Deaktivace účtu je trvalá akce - buďte opatrní!", "Un-maximise": "Zrušit maximalizaci", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Po odhlášení budou tyto klíče z tohoto zařízení odstraněny, což znamená, že nebudete moci číst zašifrované zprávy, pokud k nim nemáte klíče v jiných zařízeních nebo je nemáte zálohované na serveru.", - "Video rooms are a beta feature": "Video místnosti jsou beta funkce", "If you can't see who you're looking for, send them your invite link.": "Pokud nevidíte, koho hledáte, pošlete mu odkaz na pozvánku.", "Some results may be hidden for privacy": "Některé výsledky mohou být z důvodu ochrany soukromí skryté", "Search for": "Hledat", @@ -2084,42 +1967,14 @@ "Friends and family": "Přátelé a rodina", "We'll help you get connected.": "Pomůžeme vám připojit se.", "Messages in this chat will be end-to-end encrypted.": "Zprávy v této místnosti budou koncově šifrovány.", - "Send your first message to invite to chat": "Odesláním první zprávy pozvete do chatu", "Saved Items": "Uložené položky", "Choose a locale": "Zvolte jazyk", "Spell check": "Kontrola pravopisu", "We're creating a room with %(names)s": "Vytváříme místnost s %(names)s", - "Inactive for %(inactiveAgeDays)s+ days": "Neaktivní po dobu %(inactiveAgeDays)s+ dnů", - "Session details": "Podrobnosti o relaci", - "IP address": "IP adresa", - "Last activity": "Poslední aktivita", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "V zájmu co nejlepšího zabezpečení ověřujte své relace a odhlašujte se ze všech relací, které již nepoznáváte nebo nepoužíváte.", - "Other sessions": "Ostatní relace", - "Current session": "Aktuální relace", "Sessions": "Relace", - "Verify or sign out from this session for best security and reliability.": "V zájmu nejvyšší bezpečnosti a spolehlivosti tuto relaci ověřte nebo se z ní odhlaste.", - "Unverified session": "Neověřená relace", - "This session is ready for secure messaging.": "Tato relace je připravena na bezpečné zasílání zpráv.", - "Verified session": "Ověřená relace", - "Inactive sessions": "Neaktivní relace", - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Ověřte své relace pro bezpečné zasílání zpráv nebo se odhlaste z těch, které již nepoznáváte nebo nepoužíváte.", - "Unverified sessions": "Neověřené relace", - "Security recommendations": "Bezpečnostní doporučení", - "Filter devices": "Filtrovat zařízení", - "Inactive for %(inactiveAgeDays)s days or longer": "Neaktivní po dobu %(inactiveAgeDays)s dní nebo déle", - "Inactive": "Neaktivní", - "Not ready for secure messaging": "Není připraveno na bezpečné zasílání zpráv", - "Ready for secure messaging": "Připraveno na bezpečné zasílání zpráv", - "All": "Všechny", - "No sessions found.": "Nebyly nalezeny žádné relace.", - "No inactive sessions found.": "Nebyly nalezeny žádné neaktivní relace.", - "No unverified sessions found.": "Nebyly nalezeny žádné neověřené relace.", - "No verified sessions found.": "Nebyly nalezeny žádné ověřené relace.", - "For best security, sign out from any session that you don't recognize or use anymore.": "Pro nejlepší zabezpečení se odhlaste z každé relace, kterou již nepoznáváte nebo nepoužíváte.", - "Verified sessions": "Ověřené relace", "Interactively verify by emoji": "Interaktivní ověření pomocí emoji", "Manually verify by text": "Ruční ověření pomocí textu", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "Nedoporučuje se šifrovat veřejné místnosti.Veřejné místnosti může najít a připojit se k nim kdokoli, takže si v nich může číst zprávy kdokoli. Nezískáte tak žádnou z výhod šifrování a nebudete ho moci později vypnout. Šifrování zpráv ve veřejné místnosti zpomalí příjem a odesílání zpráv.", "Empty room (was %(oldName)s)": "Prázdná místnost (dříve %(oldName)s)", "Inviting %(user)s and %(count)s others": { "one": "Pozvání %(user)s a 1 dalšího", @@ -2133,16 +1988,7 @@ "%(user1)s and %(user2)s": "%(user1)s a %(user2)s", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s nebo %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s nebo %(recoveryFile)s", - "Sliding Sync configuration": "Nastavení klouzavé synchronizace", - "Proxy URL": "URL proxy serveru", - "Proxy URL (optional)": "URL proxy serveru (volitelné)", - "To disable you will need to log out and back in, use with caution!": "Pro deaktivaci se musíte odhlásit a znovu přihlásit, používejte s opatrností!", - "Your server lacks native support, you must specify a proxy": "Váš server nemá nativní podporu, musíte zadat proxy server", - "Your server lacks native support": "Váš server nemá nativní podporu", - "Your server has native support": "Váš server má nativní podporu", "You need to be able to kick users to do that.": "Pro tuto akci musíte mít právo vyhodit uživatele.", - "Sign out of this session": "Odhlásit se z této relace", - "Rename session": "Přejmenovat relaci", "Voice broadcast": "Hlasové vysílání", "You do not have permission to start voice calls": "Nemáte oprávnění k zahájení hlasových hovorů", "There's no one here to call": "Není tu nikdo, komu zavolat", @@ -2151,23 +1997,14 @@ "Video call (Jitsi)": "Videohovor (Jitsi)", "Live": "Živě", "Failed to set pusher state": "Nepodařilo se nastavit stav push oznámení", - "Receive push notifications on this session.": "Přijímat push oznámení v této relaci.", - "Toggle push notifications on this session.": "Přepnout push oznámení v této relaci.", - "Push notifications": "Push oznámení", "Video call ended": "Videohovor ukončen", "%(name)s started a video call": "%(name)s zahájil(a) videohovor", - "URL": "URL", "Room info": "Informace o místnosti", "View chat timeline": "Zobrazit časovou osu konverzace", "Close call": "Zavřít hovor", "Freedom": "Svoboda", "Spotlight": "Reflektor", - "Unknown session type": "Neznámý typ relace", - "Web session": "Relace na webu", - "Mobile session": "Relace mobilního zařízení", - "Desktop session": "Relace stolního počítače", "Unknown room": "Neznámá místnost", - "Operating system": "Operační systém", "Video call (%(brand)s)": "Videohovor (%(brand)s)", "Call type": "Typ volání", "You do not have sufficient permissions to change this.": "Ke změně nemáte dostatečná oprávnění.", @@ -2192,24 +2029,11 @@ "The scanned code is invalid.": "Naskenovaný kód je neplatný.", "The linking wasn't completed in the required time.": "Propojení nebylo dokončeno v požadovaném čase.", "Sign in new device": "Přihlásit nové zařízení", - "Show QR code": "Zobrazit QR kód", - "You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.": "Toto zařízení můžete použít k přihlášení nového zařízení pomocí QR kódu. QR kód zobrazený na tomto zařízení musíte naskenovat pomocí odhlášeného zařízení.", - "Sign in with QR code": "Přihlásit se pomocí QR kódu", - "Browser": "Prohlížeč", "Are you sure you want to sign out of %(count)s sessions?": { "other": "Opravdu se chcete odhlásit z %(count)s relací?", "one": "Opravdu se chcete odhlásit z %(count)s relace?" }, - "Renaming sessions": "Přejmenování relací", "Show formatting": "Zobrazit formátování", - "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Zvažte odhlášení ze starých relací (%(inactiveAgeDays)s dní nebo starších), které již nepoužíváte.", - "Removing inactive sessions improves security and performance, and makes it easier for you to identify if a new session is suspicious.": "Odstranění neaktivních relací zvyšuje zabezpečení a výkon a usnadňuje identifikaci nové podezřelé relace.", - "Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.": "Neaktivní relace jsou relace, které jste po určitou dobu nepoužili, ale nadále dostávají šifrovací klíče.", - "You should make especially certain that you recognise these sessions as they could represent an unauthorised use of your account.": "Měli byste si být jisti, že tyto relace rozpoznáte, protože by mohly představovat neoprávněné použití vašeho účtu.", - "Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.": "Neověřené relace jsou relace, které se přihlásily pomocí vašich přihlašovacích údajů, ale nebyly křížově ověřeny.", - "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "To jim dává jistotu, že skutečně mluví s vámi, ale také to znamená, že vidí název relace, který zde zadáte.", - "Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "Ostatní uživatelé v přímých zprávách a místnostech, ke kterým se připojíte, si mohou prohlédnout úplný seznam vašich relací.", - "Please be aware that session names are also visible to people you communicate with.": "Uvědomte si, že jména relací jsou viditelná i pro osoby, se kterými komunikujete.", "Hide formatting": "Skrýt formátování", "Error downloading image": "Chyba při stahování obrázku", "Unable to show image due to error": "Obrázek nelze zobrazit kvůli chybě", @@ -2218,10 +2042,6 @@ "Voice settings": "Nastavení hlasu", "Video settings": "Nastavení videa", "Automatically adjust the microphone volume": "Automaticky upravit hlasitost mikrofonu", - "This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "To znamená, že máte všechny klíče potřebné k odemknutí zašifrovaných zpráv a potvrzení ostatním uživatelům, že této relaci důvěřujete.", - "Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Ověřené relace jsou všude tam, kde tento účet používáte po zadání své přístupové fráze nebo po potvrzení své totožnosti jinou ověřenou relací.", - "Show details": "Zobrazit podrobnosti", - "Hide details": "Skrýt podrobnosti", "Send email": "Odeslat e-mail", "Sign out of all devices": "Odhlásit se ze všech zařízení", "Confirm new password": "Potvrďte nové heslo", @@ -2240,35 +2060,19 @@ "Search users in this room…": "Hledání uživatelů v této místnosti…", "Give one or multiple users in this room more privileges": "Přidělit jednomu nebo více uživatelům v této místnosti více oprávnění", "Add privileged users": "Přidat oprávněné uživatele", - "You won't be able to participate in rooms where encryption is enabled when using this session.": "Při použití této relace se nebudete moci účastnit místností, kde je povoleno šifrování.", - "This session doesn't support encryption and thus can't be verified.": "Tato relace nepodporuje šifrování, a proto ji nelze ověřit.", - "For best security and privacy, it is recommended to use Matrix clients that support encryption.": "Pro co nejlepší zabezpečení a ochranu soukromí je doporučeno používat Matrix klienty, které podporují šifrování.", "Unable to decrypt message": "Nepodařilo se dešifrovat zprávu", "This message could not be decrypted": "Tuto zprávu se nepodařilo dešifrovat", - "Improve your account security by following these recommendations.": "Zlepšete zabezpečení svého účtu dodržováním těchto doporučení.", - "%(count)s sessions selected": { - "one": "%(count)s vybraná relace", - "other": "%(count)s vybraných relací" - }, "You can’t start a call as you are currently recording a live broadcast. Please end your live broadcast in order to start a call.": "Nemůžete zahájit hovor, protože právě nahráváte živé vysílání. Ukončete prosím živé vysílání, abyste mohli zahájit hovor.", "Can’t start a call": "Nelze zahájit hovor", "Failed to read events": "Nepodařilo se načíst události", "Failed to send event": "Nepodařilo se odeslat událost", " in %(room)s": " v %(room)s", - "Verify your current session for enhanced secure messaging.": "Ověřte svou aktuální relaci pro vylepšené zabezpečené zasílání zpráv.", - "Your current session is ready for secure messaging.": "Vaše aktuální relace je připravena pro bezpečné zasílání zpráv.", "Mark as read": "Označit jako přečtené", "Text": "Text", "Create a link": "Vytvořit odkaz", - "Sign out of %(count)s sessions": { - "one": "Odhlásit se z %(count)s relace", - "other": "Odhlásit se z %(count)s relací" - }, - "Sign out of all other sessions (%(otherSessionsCount)s)": "Odhlásit se ze všech ostatních relací (%(otherSessionsCount)s)", "You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Hlasovou zprávu nelze spustit, protože právě nahráváte živé vysílání. Ukončete prosím živé vysílání, abyste mohli začít nahrávat hlasovou zprávu.", "Can't start voice message": "Nelze spustit hlasovou zprávu", "Edit link": "Upravit odkaz", - "Decrypted source unavailable": "Dešifrovaný zdroj není dostupný", "%(senderName)s started a voice broadcast": "%(senderName)s zahájil(a) hlasové vysílání", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", "Registration token": "Registrační token", @@ -2345,7 +2149,6 @@ "Verify Session": "Ověřit relaci", "Ignore (%(counter)s)": "Ignorovat (%(counter)s)", "Invites by email can only be sent one at a time": "Pozvánky e-mailem lze zasílat pouze po jedné", - "Once everyone has joined, you’ll be able to chat": "Jakmile se všichni připojí, budete moci konverzovat", "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Při aktualizaci předvoleb oznámení došlo k chybě. Zkuste prosím přepnout volbu znovu.", "Desktop app logo": "Logo desktopové aplikace", "Requires your server to support the stable version of MSC3827": "Vyžaduje, aby váš server podporoval stabilní verzi MSC3827", @@ -2414,7 +2217,6 @@ "Unable to find user by email": "Nelze najít uživatele podle e-mailu", "Update:We’ve simplified Notifications Settings to make options easier to find. Some custom settings you’ve chosen in the past are not shown here, but they’re still active. If you proceed, some of your settings may change. Learn more": "Aktualizace:Zjednodušili jsme Nastavení oznámení, aby bylo možné snadněji najít možnosti nastavení. Některá vlastní nastavení, která jste zvolili v minulosti, se zde nezobrazují, ale jsou stále aktivní. Pokud budete pokračovat, některá vaše nastavení se mohou změnit. Zjistit více", "Messages in this room are end-to-end encrypted. When people join, you can verify them in their profile, just tap on their profile picture.": "Zprávy v této místnosti jsou koncově šifrovány. Když lidé vstoupí, můžete je ověřit v jejich profilu, stačí klepnout na jejich profilový obrázek.", - "Your server requires encryption to be disabled.": "Váš server vyžaduje vypnuté šifrování.", "Receive an email summary of missed notifications": "Přijímat e-mailový souhrn zmeškaných oznámení", "Are you sure you wish to remove (delete) this event?": "Opravdu chcete tuto událost odstranit (smazat)?", "Upgrade room": "Aktualizovat místnost", @@ -2544,7 +2346,9 @@ "orphan_rooms": "Ostatní místnosti", "on": "Zapnout", "off": "Vypnout", - "all_rooms": "Všechny místnosti" + "all_rooms": "Všechny místnosti", + "deselect_all": "Zrušit výběr všech", + "select_all": "Vybrat všechny" }, "action": { "continue": "Pokračovat", @@ -2728,7 +2532,15 @@ "rust_crypto_disabled_notice": "Aktuálně lze povolit pouze v souboru config.json", "automatic_debug_logs_key_backup": "Automaticky odeslat ladící protokoly, když zálohování klíčů nefunguje", "automatic_debug_logs_decryption": "Automaticky odesílat ladící protokoly při chybách dešifrování", - "automatic_debug_logs": "Automaticky odesílat ladící protokoly při jakékoli chybě" + "automatic_debug_logs": "Automaticky odesílat ladící protokoly při jakékoli chybě", + "sliding_sync_server_support": "Váš server má nativní podporu", + "sliding_sync_server_no_support": "Váš server nemá nativní podporu", + "sliding_sync_server_specify_proxy": "Váš server nemá nativní podporu, musíte zadat proxy server", + "sliding_sync_configuration": "Nastavení klouzavé synchronizace", + "sliding_sync_disable_warning": "Pro deaktivaci se musíte odhlásit a znovu přihlásit, používejte s opatrností!", + "sliding_sync_proxy_url_optional_label": "URL proxy serveru (volitelné)", + "sliding_sync_proxy_url_label": "URL proxy serveru", + "video_rooms_beta": "Video místnosti jsou beta funkce" }, "keyboard": { "home": "Domov", @@ -2823,7 +2635,19 @@ "placeholder_reply_encrypted": "Odeslat šifrovanou odpověď…", "placeholder_reply": "Odpovědět…", "placeholder_encrypted": "Odeslat šifrovanou zprávu…", - "placeholder": "Odeslat zprávu…" + "placeholder": "Odeslat zprávu…", + "autocomplete": { + "command_description": "Příkazy", + "command_a11y": "Automatické doplňování příkazů", + "emoji_a11y": "Automatické doplňování emoji", + "@room_description": "Oznámení pro celou místnost", + "notification_description": "Oznámení místnosti", + "notification_a11y": "Automatické doplňování oznámení", + "room_a11y": "Automatické doplňování místností", + "space_a11y": "Automatické dokončení prostoru", + "user_description": "Uživatelé", + "user_a11y": "Automatické doplňování uživatelů" + } }, "Bold": "Tučně", "Link": "Odkaz", @@ -3078,6 +2902,95 @@ }, "keyboard": { "title": "Klávesnice" + }, + "sessions": { + "rename_form_heading": "Přejmenovat relaci", + "rename_form_caption": "Uvědomte si, že jména relací jsou viditelná i pro osoby, se kterými komunikujete.", + "rename_form_learn_more": "Přejmenování relací", + "rename_form_learn_more_description_1": "Ostatní uživatelé v přímých zprávách a místnostech, ke kterým se připojíte, si mohou prohlédnout úplný seznam vašich relací.", + "rename_form_learn_more_description_2": "To jim dává jistotu, že skutečně mluví s vámi, ale také to znamená, že vidí název relace, který zde zadáte.", + "session_id": "ID sezení", + "last_activity": "Poslední aktivita", + "url": "URL", + "os": "Operační systém", + "browser": "Prohlížeč", + "ip": "IP adresa", + "details_heading": "Podrobnosti o relaci", + "push_toggle": "Přepnout push oznámení v této relaci.", + "push_heading": "Push oznámení", + "push_subheading": "Přijímat push oznámení v této relaci.", + "sign_out": "Odhlásit se z této relace", + "hide_details": "Skrýt podrobnosti", + "show_details": "Zobrazit podrobnosti", + "inactive_days": "Neaktivní po dobu %(inactiveAgeDays)s+ dnů", + "verified_sessions": "Ověřené relace", + "verified_sessions_explainer_1": "Ověřené relace jsou všude tam, kde tento účet používáte po zadání své přístupové fráze nebo po potvrzení své totožnosti jinou ověřenou relací.", + "verified_sessions_explainer_2": "To znamená, že máte všechny klíče potřebné k odemknutí zašifrovaných zpráv a potvrzení ostatním uživatelům, že této relaci důvěřujete.", + "unverified_sessions": "Neověřené relace", + "unverified_sessions_explainer_1": "Neověřené relace jsou relace, které se přihlásily pomocí vašich přihlašovacích údajů, ale nebyly křížově ověřeny.", + "unverified_sessions_explainer_2": "Měli byste si být jisti, že tyto relace rozpoznáte, protože by mohly představovat neoprávněné použití vašeho účtu.", + "unverified_session": "Neověřená relace", + "unverified_session_explainer_1": "Tato relace nepodporuje šifrování, a proto ji nelze ověřit.", + "unverified_session_explainer_2": "Při použití této relace se nebudete moci účastnit místností, kde je povoleno šifrování.", + "unverified_session_explainer_3": "Pro co nejlepší zabezpečení a ochranu soukromí je doporučeno používat Matrix klienty, které podporují šifrování.", + "inactive_sessions": "Neaktivní relace", + "inactive_sessions_explainer_1": "Neaktivní relace jsou relace, které jste po určitou dobu nepoužili, ale nadále dostávají šifrovací klíče.", + "inactive_sessions_explainer_2": "Odstranění neaktivních relací zvyšuje zabezpečení a výkon a usnadňuje identifikaci nové podezřelé relace.", + "desktop_session": "Relace stolního počítače", + "mobile_session": "Relace mobilního zařízení", + "web_session": "Relace na webu", + "unknown_session": "Neznámý typ relace", + "device_verified_description_current": "Vaše aktuální relace je připravena pro bezpečné zasílání zpráv.", + "device_verified_description": "Tato relace je připravena na bezpečné zasílání zpráv.", + "verified_session": "Ověřená relace", + "device_unverified_description_current": "Ověřte svou aktuální relaci pro vylepšené zabezpečené zasílání zpráv.", + "device_unverified_description": "V zájmu nejvyšší bezpečnosti a spolehlivosti tuto relaci ověřte nebo se z ní odhlaste.", + "verify_session": "Ověřit relaci", + "verified_sessions_list_description": "Pro nejlepší zabezpečení se odhlaste z každé relace, kterou již nepoznáváte nebo nepoužíváte.", + "unverified_sessions_list_description": "Ověřte své relace pro bezpečné zasílání zpráv nebo se odhlaste z těch, které již nepoznáváte nebo nepoužíváte.", + "inactive_sessions_list_description": "Zvažte odhlášení ze starých relací (%(inactiveAgeDays)s dní nebo starších), které již nepoužíváte.", + "no_verified_sessions": "Nebyly nalezeny žádné ověřené relace.", + "no_unverified_sessions": "Nebyly nalezeny žádné neověřené relace.", + "no_inactive_sessions": "Nebyly nalezeny žádné neaktivní relace.", + "no_sessions": "Nebyly nalezeny žádné relace.", + "filter_all": "Všechny", + "filter_verified_description": "Připraveno na bezpečné zasílání zpráv", + "filter_unverified_description": "Není připraveno na bezpečné zasílání zpráv", + "filter_inactive": "Neaktivní", + "filter_inactive_description": "Neaktivní po dobu %(inactiveAgeDays)s dní nebo déle", + "filter_label": "Filtrovat zařízení", + "n_sessions_selected": { + "one": "%(count)s vybraná relace", + "other": "%(count)s vybraných relací" + }, + "sign_in_with_qr": "Přihlásit se pomocí QR kódu", + "sign_in_with_qr_description": "Toto zařízení můžete použít k přihlášení nového zařízení pomocí QR kódu. QR kód zobrazený na tomto zařízení musíte naskenovat pomocí odhlášeného zařízení.", + "sign_in_with_qr_button": "Zobrazit QR kód", + "sign_out_n_sessions": { + "one": "Odhlásit se z %(count)s relace", + "other": "Odhlásit se z %(count)s relací" + }, + "other_sessions_heading": "Ostatní relace", + "sign_out_all_other_sessions": "Odhlásit se ze všech ostatních relací (%(otherSessionsCount)s)", + "current_session": "Aktuální relace", + "confirm_sign_out_sso": { + "one": "Potvrďte odhlášení tohoto zařízení pomocí Jednotného přihlášení, abyste prokázali svou totožnost.", + "other": "Potvrďte odhlášení těchto zařízení pomocí Jednotného přihlášení, abyste prokázali svou totožnost." + }, + "confirm_sign_out": { + "one": "Potvrďte odhlášení z tohoto zařízení", + "other": "Potvrďte odhlášení z těchto zařízení" + }, + "confirm_sign_out_body": { + "other": "Kliknutím na tlačítko níže potvrdíte odhlášení těchto zařízení.", + "one": "Kliknutím na tlačítko níže potvrdíte odhlášení tohoto zařízení." + }, + "confirm_sign_out_continue": { + "one": "Odhlášení zařízení", + "other": "Odhlášení zařízení" + }, + "security_recommendations": "Bezpečnostní doporučení", + "security_recommendations_description": "Zlepšete zabezpečení svého účtu dodržováním těchto doporučení." } }, "devtools": { @@ -3177,7 +3090,9 @@ "show_hidden_events": "Zobrazovat v časové ose skryté události", "low_bandwidth_mode_description": "Vyžaduje kompatibilní domovský server.", "low_bandwidth_mode": "Režim malé šířky pásma", - "developer_mode": "Vývojářský režim" + "developer_mode": "Vývojářský režim", + "view_source_decrypted_event_source": "Dešifrovaný zdroj události", + "view_source_decrypted_event_source_unavailable": "Dešifrovaný zdroj není dostupný" }, "export_chat": { "html": "HTML", @@ -3573,7 +3488,9 @@ "io.element.voice_broadcast_info": { "you": "Ukončili jste hlasové vysílání", "user": "%(senderName)s ukončil(a) hlasové vysílání" - } + }, + "creation_summary_dm": "%(creator)s vytvořil(a) tuto přímou zprávu.", + "creation_summary_room": "%(creator)s vytvořil(a) a nakonfiguroval(a) místnost." }, "slash_command": { "spoiler": "Odešle danou zprávu jako spoiler", @@ -3768,13 +3685,53 @@ "kick": "Odebrat uživatele", "ban": "Vykázat uživatele", "redact": "Odstranit zprávy odeslané ostatními", - "notifications.room": "Oznámení pro celou místnost" + "notifications.room": "Oznámení pro celou místnost", + "no_privileged_users": "Žádní uživatelé v této místnosti nemají zvláštní privilegia", + "privileged_users_section": "Privilegovaní uživatelé", + "muted_users_section": "Umlčení uživatelé", + "banned_users_section": "Vykázaní uživatelé", + "send_event_type": "Poslat událost %(eventType)s", + "title": "Role a oprávnění", + "permissions_section": "Oprávnění", + "permissions_section_description_space": "Výbrat role potřebné ke změně různých částí prostoru", + "permissions_section_description_room": "Vyberte role potřebné k provedení různých změn v této místnosti" }, "security": { "strict_encryption": "Nikdy v této místnosti neposílat šifrované zprávy neověřeným relacím", "join_rule_invite": "Soukromý (pouze pro pozvané)", "join_rule_invite_description": "Připojit se mohou pouze pozvané osoby.", - "join_rule_public_description": "Kdokoliv může místnost najít a připojit se do ní." + "join_rule_public_description": "Kdokoliv může místnost najít a připojit se do ní.", + "enable_encryption_public_room_confirm_title": "Opravdu chcete šifrovat tuto veřejnou místnost?", + "enable_encryption_public_room_confirm_description_1": "Nedoporučuje se šifrovat veřejné místnosti.Veřejné místnosti může najít a připojit se k nim kdokoli, takže si v nich může číst zprávy kdokoli. Nezískáte tak žádnou z výhod šifrování a nebudete ho moci později vypnout. Šifrování zpráv ve veřejné místnosti zpomalí příjem a odesílání zpráv.", + "enable_encryption_public_room_confirm_description_2": "Chcete-li se těmto problémům vyhnout, vytvořte pro plánovanou konverzaci novou šifrovanou místnost.", + "enable_encryption_confirm_title": "Povolit šifrování?", + "enable_encryption_confirm_description": "Po zapnutí již nelze šifrování v této místnosti vypnout. Zprávy v šifrovaných místnostech mohou číst jen členové místnosti, server se k obsahu nedostane. Šifrování místností nepodporuje většina botů a propojení. Více informací o šifrování.", + "public_without_alias_warning": "Přidejte prosím místnosti adresu aby na ní šlo odkazovat.", + "join_rule_description": "Rozhodněte, kdo se může připojit k místnosti %(roomName)s.", + "encrypted_room_public_confirm_title": "Jste si jisti, že chcete tuto šifrovanou místnost zveřejnit?", + "encrypted_room_public_confirm_description_1": "Nedoporučujeme šifrované místnosti zveřejňovat. Znamená to, že místnost může kdokoli najít a připojit se k ní, takže si kdokoli může přečíst zprávy. Nezískáte tak žádnou z výhod šifrování. Šifrování zpráv ve veřejné místnosti zpomalí příjem a odesílání zpráv.", + "encrypted_room_public_confirm_description_2": "Abyste se těmto problémům vyhnuli, vytvořte pro plánovanou konverzaci novou veřejnou místnost.", + "history_visibility": {}, + "history_visibility_warning": "Změny viditelnosti historie této místnosti ovlivní jenom nové zprávy. Viditelnost starších zpráv zůstane, jaká byla v době jejich odeslání.", + "history_visibility_legend": "Kdo může číst historii?", + "guest_access_warning": "Lidé s podporovanými klienty se budou moci do místnosti připojit, aniž by měli registrovaný účet.", + "title": "Zabezpečení a soukromí", + "encryption_permanent": "Po zapnutí šifrování ho není možné vypnout.", + "encryption_forced": "Váš server vyžaduje vypnuté šifrování.", + "history_visibility_shared": "Pouze členové (od chvíle vybrání této volby)", + "history_visibility_invited": "Pouze členové (od chvíle jejich pozvání)", + "history_visibility_joined": "Pouze členové (od chvíle jejich vstupu)", + "history_visibility_world_readable": "Kdokoliv" + }, + "general": { + "publish_toggle": "Zapsat tuto místnost do veřejného adresáře místností na %(domain)s?", + "user_url_previews_default_on": "Zapnuli jste automatické náhledy webových adres.", + "user_url_previews_default_off": "Vypnuli jste automatické náhledy webových adres.", + "default_url_previews_on": "Ve výchozím nastavení jsou náhledy URL adres povolené pro členy této místnosti.", + "default_url_previews_off": "Ve výchozím nastavení jsou náhledy URL adres zakázané pro členy této místnosti.", + "url_preview_encryption_warning": "V šifrovaných místnostech, jako je tato, jsou URL náhledy ve výchozím nastavení vypnuté, aby bylo možné zajistit, že váš domovský server neshromažďuje informace o odkazech, které v této místnosti vidíte.", + "url_preview_explainer": "Když někdo ve zprávě pošle URL adresu, může být zobrazen její náhled obsahující informace jako titulek, popis a obrázek z cílové stránky.", + "url_previews_section": "Náhledy webových adres" } }, "encryption": { @@ -3898,7 +3855,15 @@ "server_picker_explainer": "Použijte svůj preferovaný domovský server Matrix, pokud ho máte, nebo hostujte svůj vlastní.", "server_picker_learn_more": "O domovských serverech", "incorrect_credentials": "Nesprávné uživatelské jméno nebo heslo.", - "account_deactivated": "Tento účet byl deaktivován." + "account_deactivated": "Tento účet byl deaktivován.", + "registration_username_validation": "Používejte pouze malá písmena, čísla, pomlčky a podtržítka", + "registration_username_unable_check": "Nelze zkontrolovat, zda je uživatelské jméno obsazeno. Zkuste to později.", + "registration_username_in_use": "Tohle uživatelské jméno už někdo má. Zkuste jiné, nebo pokud jste to vy, přihlaste se níže.", + "phone_label": "Telefon", + "phone_optional_label": "Telefonní číslo (nepovinné)", + "email_help_text": "Přidejte email, abyste mohli obnovit své heslo.", + "email_phone_discovery_text": "Použijte e-mail nebo telefon, abyste byli volitelně viditelní pro stávající kontakty.", + "email_discovery_text": "Pomocí e-mailu můžete být volitelně viditelní pro existující kontakty." }, "room_list": { "sort_unread_first": "Zobrazovat místnosti s nepřečtenými zprávami jako první", @@ -4110,7 +4075,21 @@ "light_high_contrast": "Světlý vysoký kontrast" }, "space": { - "landing_welcome": "Vítejte v " + "landing_welcome": "Vítejte v ", + "suggested_tooltip": "Tato místnost je doporučena jako dobrá pro připojení", + "suggested": "Doporučeno", + "select_room_below": "Nejprve si vyberte místnost níže", + "unmark_suggested": "Označit jako nedoporučené", + "mark_suggested": "Označit jako doporučené", + "failed_remove_rooms": "Odebrání některých místností se nezdařilo. Zkuste to později znovu", + "failed_load_rooms": "Nepodařilo se načíst seznam místností.", + "incompatible_server_hierarchy": "Váš server nepodporuje zobrazování hierarchií prostorů.", + "context_menu": { + "devtools_open_timeline": "Časová osa místnosti (devtools)", + "home": "Domov prostoru", + "explore": "Procházet místnosti", + "manage_and_explore": "Spravovat a prozkoumat místnosti" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "Tento domovský server není nakonfigurován pro zobrazování map.", @@ -4167,5 +4146,52 @@ "setup_rooms_description": "Později můžete přidat i další, včetně již existujících.", "setup_rooms_private_heading": "Na jakých projektech váš tým pracuje?", "setup_rooms_private_description": "Pro každého z nich vytvoříme místnost." + }, + "user_menu": { + "switch_theme_light": "Přepnout do světlého režimu", + "switch_theme_dark": "Přepnout do tmavého režimu" + }, + "notif_panel": { + "empty_heading": "Vše je vyřešeno", + "empty_description": "Nejsou dostupná žádná oznámení." + }, + "console_scam_warning": "Pokud vám někdo řekl, abyste sem něco zkopírovali/vložili, je vysoká pravděpodobnost, že vás někdo oklamal!", + "console_dev_note": "Pokud víte, co děláte, Element je open-source, určitě se podívejte na náš GitHub (https://github.com/vector-im/element-web/) a zapojte se!", + "room": { + "drop_file_prompt": "Přetažením sem nahrajete", + "intro": { + "send_message_start_dm": "Odesláním první zprávy pozvete do chatu", + "encrypted_3pid_dm_pending_join": "Jakmile se všichni připojí, budete moci konverzovat", + "start_of_dm_history": "Toto je začátek historie vašich přímých zpráv s uživatelem .", + "dm_caption": "V této konverzaci jste pouze vy dva, dokud někdo z vás nepozve někoho dalšího.", + "topic_edit": "Téma: %(topic)s (upravit)", + "topic": "Téma: %(topic)s ", + "no_topic": "Přidejte téma, aby lidé věděli, o co jde.", + "you_created": "Vytvořili jste tuto místnost.", + "user_created": "%(displayName)s vytvořil tuto místnost.", + "room_invite": "Pozvat jen do této místnosti", + "no_avatar_label": "Přidejte fotografii, aby lidé mohli snadno najít váši místnost.", + "start_of_room": "Toto je začátek místnosti .", + "private_unencrypted_warning": "Vaše soukromé zprávy jsou obvykle šifrované, ale tato místnost není. To je zpravidla způsobeno nepodporovaným zařízením nebo použitou metodou, například e-mailovými pozvánkami.", + "enable_encryption_prompt": "Povolte šifrování v nastavení.", + "unencrypted_warning": "Koncové šifrování není povoleno" + } + }, + "file_panel": { + "guest_note": "Pro využívání této funkce se zaregistrujte", + "peek_note": "Pro zobrazení souborů musíte do místnosti vstoupit", + "empty_heading": "V této místnosti nejsou viditelné žádné soubory", + "empty_description": "Připojte soubory z chatu nebo je jednoduše přetáhněte kamkoli do místnosti." + }, + "terms": { + "integration_manager": "Použít boty, propojení, widgety a balíky nálepek", + "tos": "Podmínky použití", + "intro": "Musíte souhlasit s podmínkami použití, abychom mohli pokračovat.", + "column_service": "Služba", + "column_summary": "Shrnutí", + "column_document": "Dokument" + }, + "space_settings": { + "title": "Nastavení - %(spaceName)s" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/cy.json b/src/i18n/strings/cy.json index 1702da9734..c493326d26 100644 --- a/src/i18n/strings/cy.json +++ b/src/i18n/strings/cy.json @@ -14,5 +14,10 @@ }, "auth": { "register_action": "Creu Cyfrif" + }, + "space": { + "context_menu": { + "explore": "Archwilio Ystafelloedd" + } } } diff --git a/src/i18n/strings/da.json b/src/i18n/strings/da.json index 8560f80120..be09cf9873 100644 --- a/src/i18n/strings/da.json +++ b/src/i18n/strings/da.json @@ -6,11 +6,9 @@ "New passwords must match each other.": "Nye adgangskoder skal matche hinanden.", "A new password must be entered.": "Der skal indtastes en ny adgangskode.", "Session ID": "Sessions ID", - "Commands": "Kommandoer", "Warning!": "Advarsel!", "Account": "Konto", "Are you sure you want to reject the invitation?": "Er du sikker på du vil afvise invitationen?", - "Banned users": "Bortviste brugere", "Cryptography": "Kryptografi", "Deactivate Account": "Deaktiver brugerkonto", "Default": "Standard", @@ -173,11 +171,6 @@ "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Underskriftsnøglen du supplerede matcher den underskriftsnøgle du modtog fra %(userId)s's session %(deviceId)s. Sessionen er markeret som verificeret.", "Explore rooms": "Udforsk rum", "Verification code": "Verifikationskode", - "Once enabled, encryption cannot be disabled.": "Efter aktivering er det ikke muligt at slå kryptering fra.", - "Security & Privacy": "Sikkerhed & Privatliv", - "Who can read history?": "Hvem kan læse historikken?", - "Enable encryption?": "Aktiver kryptering?", - "Permissions": "Tilladelser", "Headphones": "Hovedtelefoner", "Show more": "Vis mere", "Passwords don't match": "Adgangskoderne matcher ikke", @@ -565,6 +558,9 @@ "custom_theme_success": "Tema tilføjet!", "timeline_image_size_default": "Standard", "image_size_default": "Standard" + }, + "sessions": { + "session_id": "Sessions ID" } }, "devtools": { @@ -724,7 +720,10 @@ "composer": { "placeholder_reply": "Besvar…", "placeholder_encrypted": "Send en krypteret besked…", - "placeholder": "Send en besked…" + "placeholder": "Send en besked…", + "autocomplete": { + "command_description": "Kommandoer" + } }, "voip": { "call_failed": "Opkald mislykkedes", @@ -814,5 +813,22 @@ "update": { "see_changes_button": "Hvad er nyt?", "release_notes_toast_title": "Hvad er nyt" + }, + "space": { + "context_menu": { + "explore": "Udforsk rum" + } + }, + "room_settings": { + "permissions": { + "banned_users_section": "Bortviste brugere", + "permissions_section": "Tilladelser" + }, + "security": { + "enable_encryption_confirm_title": "Aktiver kryptering?", + "history_visibility_legend": "Hvem kan læse historikken?", + "title": "Sikkerhed & Privatliv", + "encryption_permanent": "Efter aktivering er det ikke muligt at slå kryptering fra." + } } -} \ No newline at end of file +} diff --git a/src/i18n/strings/de_DE.json b/src/i18n/strings/de_DE.json index f007c62f29..b42f93ec03 100644 --- a/src/i18n/strings/de_DE.json +++ b/src/i18n/strings/de_DE.json @@ -7,10 +7,8 @@ "A new password must be entered.": "Es muss ein neues Passwort eingegeben werden.", "Session ID": "Sitzungs-ID", "Change Password": "Passwort ändern", - "Commands": "Befehle", "Warning!": "Warnung!", "Are you sure you want to reject the invitation?": "Bist du sicher, dass du die Einladung ablehnen willst?", - "Banned users": "Verbannte Benutzer", "Cryptography": "Verschlüsselung", "Deactivate Account": "Benutzerkonto deaktivieren", "Account": "Benutzerkonto", @@ -28,11 +26,8 @@ "Moderator": "Moderator", "Notifications": "Benachrichtigungen", "": "", - "No users have specific privileges in this room": "Keine Nutzer haben in diesem Raum privilegierte Berechtigungen", - "Permissions": "Berechtigungen", "Phone": "Telefon", "Please check your email and click on the link it contains. Once this is done, click continue.": "Bitte prüfe deinen E-Mail-Posteingang und klicke auf den in der E-Mail enthaltenen Link. Anschließend auf \"Fortsetzen\" klicken.", - "Privileged Users": "Privilegierte Benutzer", "Profile": "Profil", "Reject invitation": "Einladung ablehnen", "Return to login screen": "Zur Anmeldemaske zurückkehren", @@ -46,9 +41,7 @@ "Unban": "Verbannung aufheben", "unknown error code": "Unbekannter Fehlercode", "Upload avatar": "Profilbild hochladen", - "Users": "Benutzer", "Verification Pending": "Verifizierung ausstehend", - "Who can read history?": "Wer kann den bisherigen Verlauf lesen?", "You do not have permission to post to this room": "Du hast keine Berechtigung, etwas in diesen Raum zu senden", "Failed to verify email address: make sure you clicked the link in the email": "Verifizierung der E-Mail-Adresse fehlgeschlagen: Bitte stelle sicher, dass du den Link in der E-Mail angeklickt hast", "Failure to create room": "Raumerstellung fehlgeschlagen", @@ -138,7 +131,6 @@ "Enter passphrase": "Passphrase eingeben", "Confirm passphrase": "Passphrase bestätigen", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Die exportierte Datei ist mit einer Passphrase geschützt. Du kannst die Passphrase hier eingeben, um die Datei zu entschlüsseln.", - "You must join the room to see its files": "Du musst den Raum betreten, um die verknüpften Dateien sehen zu können", "Reject all %(invitedRooms)s invites": "Alle %(invitedRooms)s Einladungen ablehnen", "Failed to invite": "Einladen fehlgeschlagen", "Confirm Removal": "Entfernen bestätigen", @@ -152,10 +144,8 @@ "File to import": "Zu importierende Datei", "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Dieser Prozess erlaubt es dir, die Schlüssel für die in verschlüsselten Räumen empfangenen Nachrichten in eine lokale Datei zu exportieren. In Zukunft wird es möglich sein, diese Datei in eine andere Matrix-Anwendung zu importieren, sodass diese die Nachrichten ebenfalls entschlüsseln kann.", "Add an Integration": "Eine Integration hinzufügen", - "URL Previews": "URL-Vorschau", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Dieser Prozess erlaubt es dir, die zuvor von einer anderen Matrix-Anwendung exportierten Verschlüsselungs-Schlüssel zu importieren. Danach kannst du alle Nachrichten entschlüsseln, die auch bereits auf der anderen Anwendung entschlüsselt werden konnten.", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Wenn du zuvor eine aktuellere Version von %(brand)s verwendet hast, ist deine Sitzung eventuell inkompatibel mit dieser Version. Bitte schließe dieses Fenster und kehre zur aktuelleren Version zurück.", - "Drop file here to upload": "Datei hier loslassen zum hochladen", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Um dein Konto für die Verwendung von %(integrationsUrl)s zu authentifizieren, wirst du jetzt auf die Website eines Drittanbieters weitergeleitet. Möchtest du fortfahren?", "Jump to first unread message.": "Zur ersten ungelesenen Nachricht springen.", "Invited": "Eingeladen", @@ -164,19 +154,14 @@ "No media permissions": "Keine Medienberechtigungen", "You may need to manually permit %(brand)s to access your microphone/webcam": "Gegebenenfalls kann es notwendig sein, dass du %(brand)s manuell den Zugriff auf dein Mikrofon bzw. deine Webcam gewähren musst", "Default Device": "Standardgerät", - "Anyone": "Alle", "Are you sure you want to leave the room '%(roomName)s'?": "Bist du sicher, dass du den Raum „%(roomName)s“ verlassen möchtest?", "Custom level": "Selbstdefiniertes Berechtigungslevel", - "Publish this room to the public in %(domain)s's room directory?": "Diesen Raum im Raumverzeichnis von %(domain)s veröffentlichen?", "Verified key": "Verifizierter Schlüssel", - "You have disabled URL previews by default.": "Du hast die URL-Vorschau standardmäßig deaktiviert.", - "You have enabled URL previews by default.": "Du hast die URL-Vorschau standardmäßig aktiviert.", "Uploading %(filename)s": "%(filename)s wird hochgeladen", "Uploading %(filename)s and %(count)s others": { "one": "%(filename)s und %(count)s weitere Dateien werden hochgeladen", "other": "%(filename)s und %(count)s weitere Dateien werden hochgeladen" }, - "You must register to use this functionality": "Du musst dich registrieren, um diese Funktionalität nutzen zu können", "Create new room": "Neuer Raum", "New Password": "Neues Passwort", "Something went wrong!": "Etwas ist schiefgelaufen!", @@ -219,19 +204,12 @@ }, "Delete Widget": "Widget löschen", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Das Löschen des Widgets entfernt es für alle in diesem Raum. Wirklich löschen?", - "Members only (since the point in time of selecting this option)": "Mitglieder", - "Members only (since they were invited)": "Mitglieder (ab Einladung)", - "Members only (since they joined)": "Mitglieder (ab Betreten)", "A text message has been sent to %(msisdn)s": "Eine Textnachricht wurde an %(msisdn)s gesendet", "%(items)s and %(count)s others": { "other": "%(items)s und %(count)s andere", "one": "%(items)s und ein weiteres Raummitglied" }, - "Notify the whole room": "Alle im Raum benachrichtigen", - "Room Notification": "Raum-Benachrichtigung", "Please note you are logging into the %(hs)s server, not matrix.org.": "Bitte beachte, dass du dich gerade auf %(hs)s anmeldest, nicht matrix.org.", - "URL previews are disabled by default for participants in this room.": "URL-Vorschau ist für Mitglieder des Raumes standardmäßig deaktiviert.", - "URL previews are enabled by default for participants in this room.": "URL-Vorschau ist für Mitglieder des Raumes standardmäßig aktiviert.", "Restricted": "Eingeschränkt", "%(duration)ss": "%(duration)ss", "%(duration)sm": "%(duration)sm", @@ -282,7 +260,6 @@ "Clear Storage and Sign Out": "Speicher leeren und abmelden", "We encountered an error trying to restore your previous session.": "Wir haben ein Problem beim Wiederherstellen deiner vorherigen Sitzung festgestellt.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Den Browser-Speicher zu löschen kann das Problem lösen, wird dich aber abmelden und verschlüsselte Nachrichten unlesbar machen.", - "Muted Users": "Stummgeschaltete Benutzer", "Can't leave Server Notices room": "Der Raum für Server-Mitteilungen kann nicht verlassen werden", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Du kannst diesen Raum nicht verlassen, da dieser Raum für wichtige Mitteilungen vom Heim-Server verwendet wird.", "Terms and Conditions": "Geschäftsbedingungen", @@ -297,8 +274,6 @@ "Link to selected message": "Link zur ausgewählten Nachricht", "No Audio Outputs detected": "Keine Audioausgabe erkannt", "Audio Output": "Audioausgabe", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "In verschlüsselten Räumen wie diesem ist die Linkvorschau standardmäßig deaktiviert, damit dein Heim-Server (der die Vorschau erzeugt) keine Informationen über Links in diesem Raum erhält.", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Die URL-Vorschau kann Informationen wie den Titel, die Beschreibung sowie ein Vorschaubild der Website enthalten.", "You can't send any messages until you review and agree to our terms and conditions.": "Du kannst keine Nachrichten senden bis du unsere Geschäftsbedingungen gelesen und akzeptiert hast.", "Demote yourself?": "Dein eigenes Berechtigungslevel herabsetzen?", "Demote": "Zurückstufen", @@ -445,11 +420,7 @@ "Anchor": "Anker", "Headphones": "Kopfhörer", "Folder": "Ordner", - "Roles & Permissions": "Rollen und Berechtigungen", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Änderungen an der Sichtbarkeit des Verlaufs gelten nur für zukünftige Nachrichten. Die Sichtbarkeit des existierenden Verlaufs bleibt unverändert.", - "Security & Privacy": "Sicherheit", "Encryption": "Verschlüsselung", - "Once enabled, encryption cannot be disabled.": "Sobald du die Verschlüsselung aktivierst, kannst du sie nicht mehr deaktivieren.", "Ignored users": "Blockierte Benutzer", "Verify this user by confirming the following emoji appear on their screen.": "Verifiziere diesen Nutzer, indem du bestätigst, dass folgende Emojis auf dessen Bildschirm erscheinen.", "Missing media permissions, click the button below to request.": "Fehlende Medienberechtigungen. Verwende die nachfolgende Schaltfläche, um sie anzufordern.", @@ -474,7 +445,6 @@ "You'll lose access to your encrypted messages": "Du wirst den Zugang zu deinen verschlüsselten Nachrichten verlieren", "This homeserver would like to make sure you are not a robot.": "Dieser Heim-Server möchte sicherstellen, dass du kein Roboter bist.", "Email (optional)": "E-Mail-Adresse (optional)", - "Phone (optional)": "Telefon (optional)", "Couldn't load page": "Konnte Seite nicht laden", "Your password has been reset.": "Dein Passwort wurde zurückgesetzt.", "Create account": "Konto anlegen", @@ -486,10 +456,6 @@ "The user must be unbanned before they can be invited.": "Verbannte Nutzer können nicht eingeladen werden.", "Scissors": "Schere", "Accept all %(invitedRooms)s invites": "Akzeptiere alle %(invitedRooms)s Einladungen", - "Send %(eventType)s events": "%(eventType)s-Ereignisse senden", - "Select the roles required to change various parts of the room": "Wähle Rollen, die benötigt werden, um einige Teile des Raumes zu ändern", - "Enable encryption?": "Verschlüsselung aktivieren?", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Sobald aktiviert, kann die Verschlüsselung für einen Raum nicht mehr deaktiviert werden. Nachrichten in einem verschlüsselten Raum können nur noch von Teilnehmern, aber nicht mehr vom Server gelesen werden. Einige Bots und Brücken werden vielleicht nicht mehr funktionieren. Erfahre mehr über Verschlüsselung.", "Error updating main address": "Fehler beim Aktualisieren der Hauptadresse", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Es gab ein Problem beim Aktualisieren der Raum-Hauptadresse. Es kann sein, dass der Server dies verbietet oder ein temporäres Problem aufgetreten ist.", "Power level": "Berechtigungsstufe", @@ -604,7 +570,6 @@ "one": "Du hast %(count)s ungelesene Benachrichtigungen in einer früheren Version dieses Raumes.", "other": "Du hast %(count)s ungelesene Benachrichtigungen in einer früheren Version dieses Raums." }, - "Notification Autocomplete": "Benachrichtigung Autovervollständigen", "This user has not verified all of their sessions.": "Dieser Benutzer hat nicht alle seine Sitzungen verifiziert.", "You have verified this user. This user has verified all of their sessions.": "Du hast diesen Nutzer verifiziert. Der Nutzer hat alle seine Sitzungen verifiziert.", "Room %(name)s": "Raum %(name)s", @@ -631,7 +596,6 @@ "Your display name": "Dein Anzeigename", "Hide advanced": "Erweiterte Einstellungen ausblenden", "Session name": "Sitzungsname", - "Use bots, bridges, widgets and sticker packs": "Nutze Bots, Brücken, Widgets und Sticker-Pakete", "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Aktualisiere diese Sitzung, um mit ihr andere Sitzungen verifizieren zu können, damit sie Zugang zu verschlüsselten Nachrichten erhalten und für andere als vertrauenswürdig markiert werden.", "Sign out and remove encryption keys?": "Abmelden und Verschlüsselungsschlüssel entfernen?", "Discovery": "Kontakte", @@ -643,11 +607,6 @@ "Widget added by": "Widget hinzugefügt von", "This widget may use cookies.": "Dieses Widget kann Cookies verwenden.", "More options": "Weitere Optionen", - "Terms of Service": "Nutzungsbedingungen", - "To continue you need to accept the terms of this service.": "Um fortzufahren, musst du die Bedingungen dieses Dienstes akzeptieren.", - "Service": "Dienst", - "Summary": "Zusammenfassung", - "Document": "Dokument", "Explore rooms": "Räume erkunden", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Dein bereitgestellter Signaturschlüssel passt zum von der Sitzung %(deviceId)s von %(userId)s empfangendem Schlüssel. Sitzung wurde als verifiziert markiert.", "Connect this session to Key Backup": "Verbinde diese Sitzung mit einer Schlüsselsicherung", @@ -683,10 +642,8 @@ "Use an identity server to invite by email. Use the default (%(defaultIdentityServerName)s) or manage in Settings.": "Verwende einen Identitäts-Server, um per E-Mail einzuladen. Nutze den Standardidentitäts-Server (%(defaultIdentityServerName)s) oder konfiguriere einen in den Einstellungen.", "Use an identity server to invite by email. Manage in Settings.": "Verwende einen Identitäts-Server, um per E-Mail-Adresse einladen zu können. Lege einen in den Einstellungen fest.", "Show advanced": "Erweiterte Einstellungen", - "Verify session": "Sitzung verifizieren", "Session key": "Sitzungsschlüssel", "Recent Conversations": "Letzte Unterhaltungen", - "%(creator)s created and configured the room.": "%(creator)s hat den Raum erstellt und konfiguriert.", "Use Single Sign On to continue": "Einmalanmeldung zum Fortfahren nutzen", "Confirm adding this email address by using Single Sign On to prove your identity.": "Bestätige die neue E-Mail-Adresse mit Single-Sign-On, um deine Identität nachzuweisen.", "Confirm adding email": "Hinzugefügte E-Mail-Addresse bestätigen", @@ -893,7 +850,6 @@ "Doesn't look like a valid email address": "Das sieht nicht nach einer gültigen E-Mail-Adresse aus", "Enter phone number (required on this homeserver)": "Telefonnummer eingeben (auf diesem Heim-Server erforderlich)", "Sign in with SSO": "Einmalanmeldung verwenden", - "Use lowercase letters, numbers, dashes and underscores only": "Verwende nur Kleinbuchstaben, Zahlen, Bindestriche und Unterstriche", "Jump to first unread room.": "Zum ersten ungelesenen Raum springen.", "Jump to first invite.": "Zur ersten Einladung springen.", "Failed to get autodiscovery configuration from server": "Abrufen der Autodiscovery-Konfiguration vom Server fehlgeschlagen", @@ -934,10 +890,6 @@ "Nice, strong password!": "Super, ein starkes Passwort!", "Other users can invite you to rooms using your contact details": "Andere Personen können dich mit deinen Kontaktdaten in Räume einladen", "Failed to re-authenticate due to a homeserver problem": "Erneute Authentifizierung aufgrund eines Problems des Heim-Servers fehlgeschlagen", - "Command Autocomplete": "Autovervollständigung aktivieren", - "Emoji Autocomplete": "Emoji-Auto-Vervollständigung", - "Room Autocomplete": "Raum-Auto-Vervollständigung", - "User Autocomplete": "Nutzer-Auto-Vervollständigung", "Restore your key backup to upgrade your encryption": "Schlüsselsicherung wiederherstellen, um deine Verschlüsselung zu aktualisieren", "Upgrade your encryption": "Aktualisiere deine Verschlüsselung", "Unable to set up secret storage": "Sicherer Speicher kann nicht eingerichtet werden", @@ -960,7 +912,6 @@ "Ok": "Ok", "New version available. Update now.": "Neue Version verfügbar. Jetzt aktualisieren.", "Please verify the room ID or address and try again.": "Bitte überprüfe die Raum-ID oder -adresse und versuche es erneut.", - "To link to this room, please add an address.": "Um den Raum zu verlinken, füge bitte eine Adresse hinzu.", "Error creating address": "Fehler beim Anlegen der Adresse", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Es gab einen Fehler beim Anlegen der Adresse. Entweder erlaubt es der Server nicht oder es gab ein temporäres Problem.", "You don't have permission to delete the address.": "Du hast nicht die Berechtigung, die Adresse zu löschen.", @@ -972,8 +923,6 @@ "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Deine Server-Administration hat die Ende-zu-Ende-Verschlüsselung für private Räume und Direktnachrichten standardmäßig deaktiviert.", "There was an error removing that address. It may no longer exist or a temporary error occurred.": "Beim Entfernen dieser Adresse ist ein Fehler aufgetreten. Vielleicht existiert sie nicht mehr oder es kam zu einem temporären Fehler.", "You've previously used a newer version of %(brand)s with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "Du hast für diese Sitzung zuvor eine neuere Version von %(brand)s verwendet. Um diese Version mit Ende-zu-Ende-Verschlüsselung wieder zu benutzen, musst du dich erst ab- und dann wieder anmelden.", - "Switch to light mode": "Zum hellen Thema wechseln", - "Switch to dark mode": "Zum dunklen Thema wechseln", "Switch theme": "Design wechseln", "All settings": "Alle Einstellungen", "Room ID or address of ban list": "Raum-ID oder Adresse der Verbotsliste", @@ -1012,8 +961,6 @@ "Security Phrase": "Sicherheitsphrase", "Security Key": "Sicherheitsschlüssel", "Use your Security Key to continue.": "Benutze deinen Sicherheitsschlüssel um fortzufahren.", - "No files visible in this room": "Keine Dateien in diesem Raum", - "Attach files from chat or just drag and drop them anywhere in a room.": "Hänge Dateien aus der Unterhaltung an oder ziehe sie einfach an eine beliebige Stelle im Raum.", "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Verhindere, den Zugriff auf verschlüsselte Nachrichten und Daten zu verlieren, indem du die Verschlüsselungs-Schlüssel auf deinem Server sicherst.", "Generate a Security Key": "Sicherheitsschlüssel generieren", "Enter a Security Phrase": "Sicherheitsphrase eingeben", @@ -1079,22 +1026,12 @@ "other": "Verschlüsselte Nachrichten sicher lokal zwischenspeichern, um sie in Suchergebnissen finden zu können. Es werden %(size)s benötigt, um die Nachrichten von %(rooms)s Räumen zu speichern.", "one": "Verschlüsselte Nachrichten sicher lokal zwischenspeichern, um sie in Suchergebnissen finden zu können. Es werden %(size)s benötigt, um die Nachrichten vom Raum %(rooms)s zu speichern." }, - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Nur ihr beide nehmt an dieser Konversation teil, es sei denn, ihr ladet jemanden ein.", - "This is the beginning of your direct message history with .": "Dies ist der Beginn deiner Direktnachrichten mit .", - "Topic: %(topic)s (edit)": "Thema: %(topic)s (ändern)", - "Topic: %(topic)s ": "Thema: %(topic)s ", - "Add a topic to help people know what it is about.": "Füge ein Thema hinzu, damit andere wissen, worum es hier geht.", - "You created this room.": "Du hast diesen Raum erstellt.", - "%(displayName)s created this room.": "%(displayName)s hat diesen Raum erstellt.", - "Add a photo, so people can easily spot your room.": "Füge ein Bild hinzu, damit andere deinen Raum besser erkennen können.", - "This is the start of .": "Dies ist der Beginn von .", "Invite by email": "Via Email einladen", "Start a conversation with someone using their name, email address or username (like ).": "Beginne eine Konversation mittels Name, E-Mail-Adresse oder Matrix-ID (wie ).", "Invite someone using their name, email address, username (like ) or share this room.": "Lade jemanden mittels Name, E-Mail-Adresse oder Benutzername (wie ) ein, oder teile diesen Raum.", "Approve widget permissions": "Rechte für das Widget genehmigen", "This widget would like to:": "Dieses Widget würde gerne:", "Decline All": "Alles ablehnen", - "%(creator)s created this DM.": "%(creator)s hat diese Direktnachricht erstellt.", "Enter phone number": "Telefonnummer eingeben", "Enter email address": "E-Mail-Adresse eingeben", "Zimbabwe": "Simbabwe", @@ -1346,9 +1283,6 @@ "United States": "Vereinigte Staaten", "United Kingdom": "Großbritannien", "There was a problem communicating with the homeserver, please try again later.": "Es gab ein Problem bei der Kommunikation mit dem Heim-Server. Bitte versuche es später erneut.", - "Use email to optionally be discoverable by existing contacts.": "Nutze optional eine E-Mail-Adresse, um von Nutzern gefunden werden zu können.", - "Use email or phone to optionally be discoverable by existing contacts.": "Nutze optional eine E-Mail-Adresse oder Telefonnummer, um von Nutzern gefunden werden zu können.", - "Add an email to be able to reset your password.": "Füge eine E-Mail-Adresse hinzu, um dein Passwort zurücksetzen zu können.", "That phone number doesn't look quite right, please check and try again": "Diese Telefonummer sieht nicht ganz richtig aus. Bitte überprüfe deine Eingabe und versuche es erneut", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Aufgepasst: Wenn du keine E-Mail-Adresse angibst und dein Passwort vergisst, kannst du den Zugriff auf deinen Konto dauerhaft verlieren.", "Continuing without email": "Ohne E-Mail fortfahren", @@ -1358,7 +1292,6 @@ "Resume": "Fortsetzen", "You've reached the maximum number of simultaneous calls.": "Du hast die maximale Anzahl gleichzeitig möglicher Anrufe erreicht.", "Too Many Calls": "Zu viele Anrufe", - "You have no visible notifications.": "Du hast keine sichtbaren Benachrichtigungen.", "Transfer": "Übertragen", "Failed to transfer call": "Anruf-Übertragung fehlgeschlagen", "A call can only be transferred to a single user.": "Ein Anruf kann nur auf einen einzelnen Nutzer übertragen werden.", @@ -1420,8 +1353,6 @@ "Public space": "Öffentlicher Space", " invites you": "Du wirst von eingeladen", "No results found": "Keine Ergebnisse", - "Failed to remove some rooms. Try again later": "Einige Räume konnten nicht entfernt werden. Versuche es bitte später nocheinmal", - "Suggested": "Vorgeschlagen", "%(count)s rooms": { "one": "%(count)s Raum", "other": "%(count)s Räume" @@ -1439,10 +1370,7 @@ "Spaces": "Spaces", "Invite with email or username": "Personen mit E-Mail oder Benutzernamen einladen", "You can change these anytime.": "Du kannst diese jederzeit ändern.", - "Your server does not support showing space hierarchies.": "Dein Home-Server unterstützt hierarchische Spaces nicht.", "You may want to try a different search or check for typos.": "Versuche es mit etwas anderem oder prüfe auf Tippfehler.", - "Mark as not suggested": "Als nicht vorgeschlagen markieren", - "Mark as suggested": "Als vorgeschlagen markieren", "You don't have permission": "Du hast dazu keine Berechtigung", "This space is not public. You will not be able to rejoin without an invite.": "Du wirst diesen privaten Space nur mit einer Einladung wieder betreten können.", "Failed to save space settings.": "Spaceeinstellungen konnten nicht gespeichert werden.", @@ -1456,15 +1384,12 @@ "other": "%(count)s Leute, die du kennst, sind bereits beigetreten" }, "Space options": "Space-Optionen", - "Manage & explore rooms": "Räume erkunden und verwalten", "unknown person": "unbekannte Person", "%(deviceId)s from %(ip)s": "%(deviceId)s von %(ip)s", "Review to ensure your account is safe": "Überprüfe sie, um ein sicheres Konto gewährleisten zu können", - "This room is suggested as a good one to join": "Dieser Raum wird vorgeschlagen", "Verification requested": "Verifizierung angefragt", "Avatar": "Avatar", "Invited people will be able to read old messages.": "Eingeladene Leute werden ältere Nachrichten lesen können.", - "Invite to just this room": "Nur in diesen Raum einladen", "Consult first": "Zuerst Anfragen", "Reset event store?": "Ereignisspeicher zurück setzen?", "You most likely do not want to reset your event index store": "Es ist wahrscheinlich, dass du den Ereignis-Indexspeicher nicht zurück setzen möchtest", @@ -1483,7 +1408,6 @@ }, "Some of your messages have not been sent": "Einige Nachrichten konnten nicht gesendet werden", "Original event source": "Ursprüngliche Rohdaten", - "Decrypted event source": "Entschlüsselte Rohdaten", "Sending": "Senden", "You can select all or individual messages to retry or delete": "Du kannst einzelne oder alle Nachrichten erneut senden oder löschen", "Delete all": "Alle löschen", @@ -1494,7 +1418,6 @@ "Enter your Security Phrase a second time to confirm it.": "Gib dein Kennwort ein zweites Mal zur Bestätigung ein.", "You have no ignored users.": "Du ignorierst keine Benutzer.", "Error processing voice message": "Fehler beim Verarbeiten der Sprachnachricht", - "Select a room below first": "Wähle vorher einen Raum aus", "Want to add a new room instead?": "Willst du einen neuen Raum hinzufügen?", "Adding rooms... (%(progress)s out of %(count)s)": { "one": "Raum hinzufügen …", @@ -1512,7 +1435,6 @@ "Add reaction": "Reaktion hinzufügen", "You may contact me if you have any follow up questions": "Kontaktiert mich, falls ihr weitere Fragen zu meiner Rückmeldung habt", "To leave the beta, visit your settings.": "Du kannst die Beta in den Einstellungen deaktivieren.", - "Space Autocomplete": "Spaces automatisch vervollständigen", "Currently joining %(count)s rooms": { "one": "Betrete %(count)s Raum", "other": "Betrete %(count)s Räume" @@ -1528,13 +1450,11 @@ "Error loading Widget": "Fehler beim Laden des Widgets", "Pinned messages": "Angeheftete Nachrichten", "Nothing pinned, yet": "Es ist nichts angepinnt. Noch nicht.", - "End-to-end encryption isn't enabled": "Ende-zu-Ende-Verschlüsselung ist deaktiviert", "Error - Mixed content": "Fehler - Uneinheitlicher Inhalt", "View source": "Rohdaten anzeigen", "Report": "Melden", "Collapse reply thread": "Antworten verbergen", "Show preview": "Vorschau zeigen", - "Settings - %(spaceName)s": "Einstellungen - %(spaceName)s", "Please provide an address": "Bitte gib eine Adresse an", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Füge Adressen für diesen Space hinzu, damit andere Leute ihn über deinen Heim-Server (%(localDomain)s) finden können", "To publish an address, it needs to be set as a local address first.": "Damit du die Adresse veröffentlichen kannst, musst du sie zuerst als lokale Adresse hinzufügen.", @@ -1606,7 +1526,6 @@ "Stop recording": "Aufnahme beenden", "Send voice message": "Sprachnachricht senden", "Access": "Zutritt", - "Decide who can join %(roomName)s.": "Entscheide, wer %(roomName)s betreten kann.", "Space members": "Spacemitglieder", "Anyone in a space can find and join. You can select multiple spaces.": "Das Betreten ist allen in den gewählten Spaces möglich.", "Spaces with access": "Spaces mit Zutritt", @@ -1643,20 +1562,14 @@ "Other spaces or rooms you might not know": "Andere Spaces, die du möglicherweise nicht kennst", "Spaces you know that contain this room": "Spaces, in denen du Mitglied bist und die diesen Raum enthalten", "You're removing all spaces. Access will default to invite only": "Du entfernst alle Spaces. Der Zutritt wird auf den Standard (Privat) zurückgesetzt", - "People with supported clients will be able to join the room without having a registered account.": "Personen mit unterstützter Anwendung werden diesen Raum ohne registriertes Konto betreten können.", "Decide which spaces can access this room. If a space is selected, its members can find and join .": "Entscheide, welche Spaces auf den Raum zugreifen können. Mitglieder ausgewählter Spaces können betreten.", "Their device couldn't start the camera or microphone": "Mikrofon oder Kamera des Gesprächspartners konnte nicht gestartet werden", - "Enable encryption in settings.": "Aktiviere Verschlüsselung in den Einstellungen.", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Dieser Raum ist nicht verschlüsselt. Oft ist dies aufgrund eines nicht unterstützten Geräts oder Methode wie E-Mail-Einladungen der Fall.", "Cross-signing is ready but keys are not backed up.": "Quersignatur ist bereit, die Schlüssel sind aber nicht gesichert.", "Role in ": "Rolle in ", "Results": "Ergebnisse", "Rooms and spaces": "Räume und Spaces", - "Are you sure you want to make this encrypted room public?": "Willst du diesen verschlüsselten Raum wirklich öffentlich machen?", "Unknown failure": "Unbekannter Fehler", "Failed to update the join rules": "Fehler beim Aktualisieren der Beitrittsregeln", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "Um dieses Problem zu vermeiden, erstelle einen neuen verschlüsselten Raum für deine Konversation.", - "Are you sure you want to add encryption to this public room?": "Dieser Raum ist öffentlich. Willst du die Verschlüsselung wirklich aktivieren?", "Anyone in can find and join. You can select other spaces too.": "Finden und betreten ist Mitgliedern von erlaubt. Du kannst auch weitere Spaces wählen.", "To join a space you'll need an invite.": "Um einen Space zu betreten, brauchst du eine Einladung.", "You are about to leave .": "Du bist dabei, zu verlassen.", @@ -1665,9 +1578,6 @@ "Don't leave any rooms": "Keine Räume und Subspaces verlassen", "Some encryption parameters have been changed.": "Einige Verschlüsselungsoptionen wurden geändert.", "Message didn't send. Click for info.": "Nachricht nicht gesendet. Klicke für Details.", - "To avoid these issues, create a new public room for the conversation you plan to have.": "Erstelle einen neuen Raum für deine Konversation, um diese Probleme zu umgehen.", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "Es ist nicht sinnvoll, verschlüsselte Räume öffentlich zu machen. Das würde bedeuten, dass alle den Raum finden und betreten, also auch Nachrichten lesen könnten. Du erhältst also keinen Vorteil der Verschlüsselung, während sie das Senden und Empfangen von Nachrichten langsamer macht.", - "Select the roles required to change various parts of the space": "Wähle, von wem folgende Aktionen ausgeführt werden können", "%(count)s reply": { "one": "%(count)s Antwort", "other": "%(count)s Antworten" @@ -1676,7 +1586,6 @@ "Skip verification for now": "Verifizierung vorläufig überspringen", "Really reset verification keys?": "Willst du deine Verifizierungsschlüssel wirklich zurücksetzen?", "Joined": "Beigetreten", - "See room timeline (devtools)": "Nachrichtenverlauf anzeigen (Entwicklungswerkzeuge)", "View in room": "Im Raum anzeigen", "Enter your Security Phrase or to continue.": "Um fortzufahren gib die Sicherheitsphrase ein oder .", "Would you like to leave the rooms in this space?": "Willst du die Räume in diesem Space verlassen?", @@ -1728,22 +1637,6 @@ "You do not have permission to start polls in this room.": "Du bist nicht berechtigt, Umfragen in diesem Raum zu beginnen.", "This room isn't bridging messages to any platforms. Learn more.": "Dieser Raum leitet keine Nachrichten von/an andere(n) Plattformen weiter. Mehr erfahren.", "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Dieser Raum ist Teil von Spaces von denen du kein Administrator bist. In diesen Räumen wird der alte Raum weiter angezeigt werden, aber Personen werden aufgefordert werden, dem neuen Raum beizutreten.", - "Deselect all": "Alle abwählen", - "Select all": "Alle auswählen", - "Sign out devices": { - "one": "Gerät abmelden", - "other": "Geräte abmelden" - }, - "Click the button below to confirm signing out these devices.": { - "one": "Klicke unten auf den Knopf, um dieses Gerät abzumelden.", - "other": "Klicke unten auf den Knopf, um diese Geräte abzumelden." - }, - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "Abmelden dieses Geräts durch Beweisen deiner Identität mit Single Sign-On bestätigen.", - "other": "Bestätige das Abmelden dieser Geräte, indem du dich erneut anmeldest." - }, - "You're all caught up": "Du bist auf dem neuesten Stand", - "Someone already has that username. Try another or if it is you, sign in below.": "Jemand anderes nutzt diesen Benutzernamen schon. Probier einen anderen oder wenn du es bist, melde dich unten an.", "Could not connect media": "Konnte Medien nicht verbinden", "In encrypted rooms, verify all users to ensure it's secure.": "Verifiziere alle Benutzer in verschlüsselten Räumen, um die Sicherheit zu garantieren.", "They'll still be able to access whatever you're not an admin of.": "Die Person wird weiterhin Zutritt zu Bereichen haben, in denen du nicht administrierst.", @@ -1786,7 +1679,6 @@ "You cannot place calls without a connection to the server.": "Sie können keine Anrufe starten ohne Verbindung zum Server.", "Connectivity to the server has been lost": "Verbindung zum Server unterbrochen", "Spaces you know that contain this space": "Spaces, die diesen Space enthalten und in denen du Mitglied bist", - "Failed to load list of rooms.": "Fehler beim Laden der Raumliste.", "Open in OpenStreetMap": "In OpenStreetMap öffnen", "Recent searches": "Kürzliche Gesucht", "To search messages, look for this icon at the top of a room ": "Wenn du Nachrichten durchsuchen willst, klicke auf das Icon oberhalb des Raumes", @@ -1859,7 +1751,6 @@ "Verify with another device": "Mit anderem Gerät verifizieren", "Verify this device": "Dieses Gerät verifizieren", "Unable to verify this device": "Gerät konnte nicht verifiziert werden", - "Space home": "Space-Übersicht", "Verify other device": "Anderes Gerät verifizieren", "Missing room name or separator e.g. (my-room:domain.org)": "Fehlender Raumname oder Doppelpunkt (z. B. dein-raum:domain.org)", "Missing domain separator e.g. (:domain.org)": "Fehlender Doppelpunkt vor Server (z. B. :domain.org)", @@ -1867,14 +1758,11 @@ "Message pending moderation": "Nachricht erwartet Moderation", "toggle event": "Event umschalten", "This address had invalid server or is already in use": "Diese Adresse hat einen ungültigen Server oder wird bereits verwendet", - "Unable to check if username has been taken. Try again later.": "Es kann nicht überprüft werden, ob der Nutzername bereits vergeben ist. Bitte versuche es später erneut.", "Internal room ID": "Interne Raum-ID", "Group all your rooms that aren't part of a space in one place.": "Gruppiere all deine Räume, die nicht Teil eines Spaces sind, an einem Ort.", "Group all your people in one place.": "Gruppiere all deine Direktnachrichten an einem Ort.", "Group all your favourite rooms and people in one place.": "Gruppiere all deine favorisierten Unterhaltungen an einem Ort.", "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Mit Spaces kannst du deine Unterhaltungen organisieren. Neben Spaces, in denen du dich befindest, kannst du dir auch dynamische anzeigen lassen.", - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Falls du weißt, was du machst: Element ist Open Source! Checke unser GitHub aus (https://github.com/vector-im/element-web/) und hilf mit!", - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Wenn dir jemand gesagt hat, dass du hier etwas einfügen sollst, ist die Wahrscheinlichkeit sehr groß, dass du von der Person betrogen wirst!", "Wait!": "Warte!", "This address does not point at this room": "Diese Adresse verweist nicht auf diesen Raum", "Pick a date to jump to": "Wähle eine Datum aus", @@ -1980,10 +1868,6 @@ "View older version of %(spaceName)s.": "Alte Version von %(spaceName)s anzeigen.", "Upgrade this space to the recommended room version": "Space auf die empfohlene Version aktualisieren", "Your password was successfully changed.": "Dein Passwort wurde erfolgreich geändert.", - "Confirm signing out these devices": { - "one": "Abmelden des Geräts bestätigen", - "other": "Abmelden dieser Geräte bestätigen" - }, "View List": "Liste Anzeigen", "View list": "Liste anzeigen", "Cameras": "Kameras", @@ -2016,7 +1900,6 @@ }, "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Bitte beachte: Dies ist eine experimentelle Funktion, die eine temporäre Implementierung nutzt. Das bedeutet, dass du deinen Standortverlauf nicht löschen kannst und erfahrene Nutzer ihn sehen können, selbst wenn du deinen Echtzeit-Standort nicht mehr mit diesem Raum teilst.", "Video room": "Videoraum", - "Video rooms are a beta feature": "Videoräume sind eine Betafunktion", "Edit topic": "Thema bearbeiten", "Remove server “%(roomServer)s”": "Server „%(roomServer)s“ entfernen", "Click to read topic": "Klicke, um das Thema zu lesen", @@ -2059,37 +1942,12 @@ "Who will you chat to the most?": "Mit wem wirst du am meisten schreiben?", "We're creating a room with %(names)s": "Wir erstellen einen Raum mit %(names)s", "Messages in this chat will be end-to-end encrypted.": "Nachrichten in dieser Unterhaltung werden Ende-zu-Ende-verschlüsselt.", - "Send your first message to invite to chat": "Schreibe deine erste Nachricht, um zur Unterhaltung einzuladen", "Deactivating your account is a permanent action — be careful!": "Die Deaktivierung deines Kontos ist unwiderruflich — sei vorsichtig!", "In spaces %(space1Name)s and %(space2Name)s.": "In den Spaces %(space1Name)s und %(space2Name)s.", "Joining…": "Betrete …", "Show Labs settings": "Zeige die \"Labor\" Einstellungen", "To view, please enable video rooms in Labs first": "Zum Anzeigen, aktiviere bitte Videoräume in den Laboreinstellungen", - "Security recommendations": "Sicherheitsempfehlungen", - "Filter devices": "Geräte filtern", - "Inactive for %(inactiveAgeDays)s days or longer": "Seit %(inactiveAgeDays)s oder mehr Tagen inaktiv", - "Inactive": "Inaktiv", - "Not ready for secure messaging": "Nicht bereit für sichere Kommunikation", - "Ready for secure messaging": "Bereit für sichere Kommunikation", - "All": "Alle", - "No sessions found.": "Keine Sitzungen gefunden.", - "No inactive sessions found.": "Keine inaktiven Sitzungen gefunden.", - "No unverified sessions found.": "Keine unverifizierten Sitzungen gefunden.", - "No verified sessions found.": "Keine verifizierten Sitzungen gefunden.", - "Inactive sessions": "Inaktive Sitzungen", - "Unverified sessions": "Nicht verifizierte Sitzungen", - "For best security, sign out from any session that you don't recognize or use anymore.": "Für bestmögliche Sicherheit, melde dich von allen Sitzungen ab, die du nicht erkennst oder benutzt.", - "Verified sessions": "Verifizierte Sitzungen", - "Unverified session": "Nicht verifizierte Sitzung", - "This session is ready for secure messaging.": "Diese Sitzung ist für sichere Kommunikation bereit.", - "Verified session": "Verifizierte Sitzung", - "Inactive for %(inactiveAgeDays)s+ days": "Seit %(inactiveAgeDays)s+ Tagen inaktiv", - "Session details": "Sitzungsdetails", - "IP address": "IP-Adresse", - "Last activity": "Neueste Aktivität", - "Current session": "Aktuelle Sitzung", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Für bestmögliche Sicherheit verifiziere deine Sitzungen und melde dich von allen ab, die du nicht erkennst oder nutzt.", - "Other sessions": "Andere Sitzungen", "Sessions": "Sitzungen", "Spell check": "Rechtschreibprüfung", "In %(spaceName)s and %(count)s other spaces.": { @@ -2116,10 +1974,7 @@ "Choose a locale": "Wähle ein Gebietsschema", "Saved Items": "Gespeicherte Elemente", "Read receipts": "Lesebestätigungen", - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Für besonders sichere Kommunikation verifiziere deine Sitzungen oder melde dich von ihnen ab, falls du sie nicht mehr identifizieren kannst.", - "Verify or sign out from this session for best security and reliability.": "Für bestmögliche Sicherheit und Zuverlässigkeit verifiziere diese Sitzung oder melde sie ab.", "Join the room to participate": "Betrete den Raum, um teilzunehmen", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "Verschlüsselung ist für öffentliche Räume nicht empfohlen. Jeder kann öffentliche Räume finden und betreten, also kann auch jeder die Nachrichten lesen. Du wirst keine der Vorteile von Verschlüsselung erhalten und kannst sie später auch nicht mehr deaktivieren. Nachrichten in öffentlichen Räumen zu verschlüsseln, wird das empfangen und senden verlangsamen.", "Empty room (was %(oldName)s)": "Leerer Raum (war %(oldName)s)", "Inviting %(user)s and %(count)s others": { "other": "Lade %(user)s und %(count)s weitere Person ein", @@ -2131,51 +1986,31 @@ "other": "%(user)s und %(count)s andere" }, "%(user1)s and %(user2)s": "%(user1)s und %(user2)s", - "Sliding Sync configuration": "Sliding-Sync-Konfiguration", - "Your server has native support": "Dein Server unterstützt dies nativ", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s oder %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s oder %(recoveryFile)s", - "Proxy URL": "Proxy-URL", - "Proxy URL (optional)": "Proxy-URL (optional)", - "Your server lacks native support, you must specify a proxy": "Dein Server unterstützt dies nicht nativ, du musst einen Proxy angeben", - "Your server lacks native support": "Dein Server unterstützt dies nicht nativ", - "To disable you will need to log out and back in, use with caution!": "Zum Deaktivieren musst du dich neu anmelden. Mit Vorsicht verwenden!", "Voice broadcast": "Sprachübertragung", "You need to be able to kick users to do that.": "Du musst in der Lage sein, Benutzer zu entfernen um das zu tun.", - "Sign out of this session": "Von dieser Sitzung abmelden", - "Rename session": "Sitzung umbenennen", "There's no one here to call": "Hier ist niemand zum Anrufen", "You do not have permission to start voice calls": "Dir fehlt die Berechtigung, um Audioanrufe zu beginnen", "You do not have permission to start video calls": "Dir fehlt die Berechtigung, um Videoanrufe zu beginnen", "Ongoing call": "laufender Anruf", "Video call (Jitsi)": "Videoanruf (Jitsi)", "Live": "Live", - "Receive push notifications on this session.": "Erhalte Push-Benachrichtigungen in dieser Sitzung.", - "Push notifications": "Push-Benachrichtigungen", - "Toggle push notifications on this session.": "(De)Aktiviere Push-Benachrichtigungen in dieser Sitzung.", "Failed to set pusher state": "Konfigurieren des Push-Dienstes fehlgeschlagen", "Video call ended": "Videoanruf beendet", "%(name)s started a video call": "%(name)s hat einen Videoanruf begonnen", - "URL": "URL", - "Mobile session": "Mobil-Sitzung", - "Desktop session": "Desktop-Sitzung", - "Web session": "Web-Sitzung", - "Unknown session type": "Unbekannter Sitzungstyp", "Unknown room": "Unbekannter Raum", "Freedom": "Freiraum", "Spotlight": "Rampenlicht", "Room info": "Raum-Info", "View chat timeline": "Nachrichtenverlauf anzeigen", "Close call": "Anruf schließen", - "Operating system": "Betriebssystem", "Call type": "Anrufart", "You do not have sufficient permissions to change this.": "Du hast nicht die erforderlichen Berechtigungen, um dies zu ändern.", "Video call (%(brand)s)": "Videoanruf (%(brand)s)", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s ist Ende-zu-Ende-verschlüsselt, allerdings noch auf eine geringere Anzahl Benutzer beschränkt.", "Enable %(brand)s as an additional calling option in this room": "Verwende %(brand)s als alternative Anrufoption in diesem Raum", "Sorry — this call is currently full": "Entschuldigung — dieser Anruf ist aktuell besetzt", - "Sign in with QR code": "Mit QR-Code anmelden", - "Browser": "Browser", "Completing set up of your new device": "Schließe Anmeldung deines neuen Gerätes ab", "Waiting for device to sign in": "Warte auf Anmeldung des Gerätes", "Review and approve the sign in": "Überprüfe und genehmige die Anmeldung", @@ -2194,22 +2029,11 @@ "The scanned code is invalid.": "Der gescannte Code ist ungültig.", "The linking wasn't completed in the required time.": "Die Verbindung konnte nicht in der erforderlichen Zeit hergestellt werden.", "Sign in new device": "Neues Gerät anmelden", - "Show QR code": "QR-Code anzeigen", - "You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.": "Du kannst dieses Gerät verwenden, um ein neues Gerät per QR-Code anzumelden. Dazu musst du den auf diesem Gerät angezeigten QR-Code mit deinem nicht angemeldeten Gerät einlesen.", "Are you sure you want to sign out of %(count)s sessions?": { "one": "Bist du sicher, dass du dich von %(count)s Sitzung abmelden möchtest?", "other": "Bist du sicher, dass du dich von %(count)s Sitzungen abmelden möchtest?" }, - "Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.": "Inaktive Sitzungen sind jene, die du schon seit geraumer Zeit nicht mehr verwendet hast, aber nach wie vor Verschlüsselungs-Schlüssel erhalten.", - "You should make especially certain that you recognise these sessions as they could represent an unauthorised use of your account.": "Du solltest besonders sicher gehen, dass du diese Sitzungen kennst, da sie die unbefugte Nutzung deines Kontos durch Dritte bedeuten könnten.", - "Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.": "Nicht verifizierte Sitzungen sind jene, die mit deinen Daten angemeldet, aber nicht quer signiert wurden.", - "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Erwäge, dich aus alten (%(inactiveAgeDays)s Tage oder mehr), nicht mehr verwendeten Sitzungen abzumelden.", - "Removing inactive sessions improves security and performance, and makes it easier for you to identify if a new session is suspicious.": "Das Entfernen inaktiver Sitzungen verbessert Sicherheit, Leistung und das Erkennen von dubiosen neuen Sitzungen.", "Show formatting": "Formatierung anzeigen", - "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "Dies gibt ihnen die Gewissheit, dass sie auch wirklich mit dir kommunizieren, allerdings bedeutet es auch, dass sie die Sitzungsnamen sehen können, die du hier eingibst.", - "Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "Andere Benutzer in Direktnachrichten oder von dir betretenen Räumen können die volle Liste deiner Sitzungen sehen.", - "Renaming sessions": "Sitzungen umbenennen", - "Please be aware that session names are also visible to people you communicate with.": "Sei dir bitte bewusst, dass Sitzungsnamen auch für Personen, mit denen du kommunizierst, sichtbar sind.", "Hide formatting": "Formatierung ausblenden", "Connection": "Verbindung", "Voice processing": "Sprachverarbeitung", @@ -2218,10 +2042,6 @@ "Voice settings": "Spracheinstellungen", "Error downloading image": "Fehler beim Herunterladen des Bildes", "Unable to show image due to error": "Kann Bild aufgrund eines Fehlers nicht anzeigen", - "This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Dies bedeutet, dass du alle Schlüssel zum Entsperren deiner verschlüsselten Nachrichten hast und anderen bestätigst, dieser Sitzung zu vertrauen.", - "Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Auf verifizierte Sitzungen kannst du überall mit deinem Konto zugreifen, wenn du deine Passphrase eingegeben oder deine Identität mit einer anderen Sitzung verifiziert hast.", - "Show details": "Details anzeigen", - "Hide details": "Details ausblenden", "Send email": "E-Mail senden", "Sign out of all devices": "Auf allen Geräten abmelden", "Confirm new password": "Neues Passwort bestätigen", @@ -2240,35 +2060,19 @@ "Add privileged users": "Berechtigten Benutzer hinzufügen", "Search users in this room…": "Benutzer im Raum suchen …", "Give one or multiple users in this room more privileges": "Einem oder mehreren Benutzern im Raum mehr Berechtigungen geben", - "For best security and privacy, it is recommended to use Matrix clients that support encryption.": "Aus Sicherheits- und Datenschutzgründen, wird die Nutzung von verschlüsselungsfähigen Matrix-Anwendungen empfohlen.", - "You won't be able to participate in rooms where encryption is enabled when using this session.": "Du wirst dich mit dieser Sitzung nicht an Unterhaltungen in Räumen mit aktivierter Verschlüsselung beteiligen können.", - "This session doesn't support encryption and thus can't be verified.": "Diese Sitzung unterstützt keine Verschlüsselung und kann deshalb nicht verifiziert werden.", "Unable to decrypt message": "Nachrichten-Entschlüsselung nicht möglich", "This message could not be decrypted": "Diese Nachricht konnte nicht enschlüsselt werden", "You can’t start a call as you are currently recording a live broadcast. Please end your live broadcast in order to start a call.": "Du kannst keinen Anruf beginnen, da du im Moment eine Sprachübertragung aufzeichnest. Bitte beende deine Sprachübertragung, um ein Gespräch zu beginnen.", "Can’t start a call": "Kann keinen Anruf beginnen", - "Improve your account security by following these recommendations.": "Verbessere deine Kontosicherheit, indem du diese Empfehlungen beherzigst.", - "%(count)s sessions selected": { - "one": "%(count)s Sitzung ausgewählt", - "other": "%(count)s Sitzungen ausgewählt" - }, "Failed to read events": "Lesen der Ereignisse fehlgeschlagen", "Failed to send event": "Übertragung des Ereignisses fehlgeschlagen", " in %(room)s": " in %(room)s", - "Verify your current session for enhanced secure messaging.": "Verifiziere deine aktuelle Sitzung für besonders sichere Kommunikation.", - "Your current session is ready for secure messaging.": "Deine aktuelle Sitzung ist für sichere Kommunikation bereit.", "Mark as read": "Als gelesen markieren", "Text": "Text", "Create a link": "Link erstellen", - "Sign out of %(count)s sessions": { - "one": "Von %(count)s Sitzung abmelden", - "other": "Von %(count)s Sitzungen abmelden" - }, - "Sign out of all other sessions (%(otherSessionsCount)s)": "Von allen anderen Sitzungen abmelden (%(otherSessionsCount)s)", "Can't start voice message": "Kann Sprachnachricht nicht beginnen", "You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Du kannst keine Sprachnachricht beginnen, da du im Moment eine Echtzeitübertragung aufzeichnest. Bitte beende deine Sprachübertragung, um ein Gespräch zu beginnen.", "Edit link": "Link bearbeiten", - "Decrypted source unavailable": "Entschlüsselte Quelle nicht verfügbar", "%(senderName)s started a voice broadcast": "%(senderName)s begann eine Sprachübertragung", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", "Registration token": "Registrierungstoken", @@ -2345,7 +2149,6 @@ "Verify Session": "Sitzung verifizieren", "Ignore (%(counter)s)": "Ignorieren (%(counter)s)", "Invites by email can only be sent one at a time": "E-Mail-Einladungen können nur nacheinander gesendet werden", - "Once everyone has joined, you’ll be able to chat": "Sobald alle den Raum betreten hat, könnt ihr euch unterhalten", "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Ein Fehler ist während der Aktualisierung deiner Benachrichtigungseinstellungen aufgetreten. Bitte versuche die Option erneut umzuschalten.", "Desktop app logo": "Desktop-App-Logo", "Requires your server to support the stable version of MSC3827": "Dafür muss dein Server die fertige Fassung der MSC3827 unterstützen", @@ -2390,7 +2193,6 @@ "User is not logged in": "Benutzer ist nicht angemeldet", "Alternatively, you can try to use the public server at , but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "Alternativ kannst du versuchen, den öffentlichen Server unter zu verwenden. Dieser wird nicht so zuverlässig sein und deine IP-Adresse wird mit ihm geteilt. Du kannst dies auch in den Einstellungen konfigurieren.", "Try using %(server)s": "Versuche %(server)s zu verwenden", - "Your server requires encryption to be disabled.": "Dein Server erfordert die Deaktivierung der Verschlüsselung.", "Are you sure you wish to remove (delete) this event?": "Möchtest du dieses Ereignis wirklich entfernen (löschen)?", "Note that removing room changes like this could undo the change.": "Beachte, dass das Entfernen von Raumänderungen diese rückgängig machen könnte.", "User cannot be invited until they are unbanned": "Benutzer kann nicht eingeladen werden, solange er nicht entbannt ist", @@ -2544,7 +2346,9 @@ "orphan_rooms": "Andere Räume", "on": "An", "off": "Aus", - "all_rooms": "Alle Räume" + "all_rooms": "Alle Räume", + "deselect_all": "Alle abwählen", + "select_all": "Alle auswählen" }, "action": { "continue": "Fortfahren", @@ -2728,7 +2532,15 @@ "rust_crypto_disabled_notice": "Dies kann aktuell nur per config.json aktiviert werden", "automatic_debug_logs_key_backup": "Sende automatisch Protokolle zur Fehlerkorrektur, wenn die Schlüsselsicherung nicht funktioniert", "automatic_debug_logs_decryption": "Sende bei Entschlüsselungsfehlern automatisch Protokolle zur Fehlerkorrektur", - "automatic_debug_logs": "Sende bei Fehlern automatisch Protokolle zur Fehlerkorrektur" + "automatic_debug_logs": "Sende bei Fehlern automatisch Protokolle zur Fehlerkorrektur", + "sliding_sync_server_support": "Dein Server unterstützt dies nativ", + "sliding_sync_server_no_support": "Dein Server unterstützt dies nicht nativ", + "sliding_sync_server_specify_proxy": "Dein Server unterstützt dies nicht nativ, du musst einen Proxy angeben", + "sliding_sync_configuration": "Sliding-Sync-Konfiguration", + "sliding_sync_disable_warning": "Zum Deaktivieren musst du dich neu anmelden. Mit Vorsicht verwenden!", + "sliding_sync_proxy_url_optional_label": "Proxy-URL (optional)", + "sliding_sync_proxy_url_label": "Proxy-URL", + "video_rooms_beta": "Videoräume sind eine Betafunktion" }, "keyboard": { "home": "Startseite", @@ -2823,7 +2635,19 @@ "placeholder_reply_encrypted": "Verschlüsselte Antwort senden …", "placeholder_reply": "Antwort senden …", "placeholder_encrypted": "Verschlüsselte Nachricht senden …", - "placeholder": "Nachricht senden …" + "placeholder": "Nachricht senden …", + "autocomplete": { + "command_description": "Befehle", + "command_a11y": "Autovervollständigung aktivieren", + "emoji_a11y": "Emoji-Auto-Vervollständigung", + "@room_description": "Alle im Raum benachrichtigen", + "notification_description": "Raum-Benachrichtigung", + "notification_a11y": "Benachrichtigung Autovervollständigen", + "room_a11y": "Raum-Auto-Vervollständigung", + "space_a11y": "Spaces automatisch vervollständigen", + "user_description": "Benutzer", + "user_a11y": "Nutzer-Auto-Vervollständigung" + } }, "Bold": "Fett", "Link": "Link", @@ -3078,6 +2902,95 @@ }, "keyboard": { "title": "Tastatur" + }, + "sessions": { + "rename_form_heading": "Sitzung umbenennen", + "rename_form_caption": "Sei dir bitte bewusst, dass Sitzungsnamen auch für Personen, mit denen du kommunizierst, sichtbar sind.", + "rename_form_learn_more": "Sitzungen umbenennen", + "rename_form_learn_more_description_1": "Andere Benutzer in Direktnachrichten oder von dir betretenen Räumen können die volle Liste deiner Sitzungen sehen.", + "rename_form_learn_more_description_2": "Dies gibt ihnen die Gewissheit, dass sie auch wirklich mit dir kommunizieren, allerdings bedeutet es auch, dass sie die Sitzungsnamen sehen können, die du hier eingibst.", + "session_id": "Sitzungs-ID", + "last_activity": "Neueste Aktivität", + "url": "URL", + "os": "Betriebssystem", + "browser": "Browser", + "ip": "IP-Adresse", + "details_heading": "Sitzungsdetails", + "push_toggle": "(De)Aktiviere Push-Benachrichtigungen in dieser Sitzung.", + "push_heading": "Push-Benachrichtigungen", + "push_subheading": "Erhalte Push-Benachrichtigungen in dieser Sitzung.", + "sign_out": "Von dieser Sitzung abmelden", + "hide_details": "Details ausblenden", + "show_details": "Details anzeigen", + "inactive_days": "Seit %(inactiveAgeDays)s+ Tagen inaktiv", + "verified_sessions": "Verifizierte Sitzungen", + "verified_sessions_explainer_1": "Auf verifizierte Sitzungen kannst du überall mit deinem Konto zugreifen, wenn du deine Passphrase eingegeben oder deine Identität mit einer anderen Sitzung verifiziert hast.", + "verified_sessions_explainer_2": "Dies bedeutet, dass du alle Schlüssel zum Entsperren deiner verschlüsselten Nachrichten hast und anderen bestätigst, dieser Sitzung zu vertrauen.", + "unverified_sessions": "Nicht verifizierte Sitzungen", + "unverified_sessions_explainer_1": "Nicht verifizierte Sitzungen sind jene, die mit deinen Daten angemeldet, aber nicht quer signiert wurden.", + "unverified_sessions_explainer_2": "Du solltest besonders sicher gehen, dass du diese Sitzungen kennst, da sie die unbefugte Nutzung deines Kontos durch Dritte bedeuten könnten.", + "unverified_session": "Nicht verifizierte Sitzung", + "unverified_session_explainer_1": "Diese Sitzung unterstützt keine Verschlüsselung und kann deshalb nicht verifiziert werden.", + "unverified_session_explainer_2": "Du wirst dich mit dieser Sitzung nicht an Unterhaltungen in Räumen mit aktivierter Verschlüsselung beteiligen können.", + "unverified_session_explainer_3": "Aus Sicherheits- und Datenschutzgründen, wird die Nutzung von verschlüsselungsfähigen Matrix-Anwendungen empfohlen.", + "inactive_sessions": "Inaktive Sitzungen", + "inactive_sessions_explainer_1": "Inaktive Sitzungen sind jene, die du schon seit geraumer Zeit nicht mehr verwendet hast, aber nach wie vor Verschlüsselungs-Schlüssel erhalten.", + "inactive_sessions_explainer_2": "Das Entfernen inaktiver Sitzungen verbessert Sicherheit, Leistung und das Erkennen von dubiosen neuen Sitzungen.", + "desktop_session": "Desktop-Sitzung", + "mobile_session": "Mobil-Sitzung", + "web_session": "Web-Sitzung", + "unknown_session": "Unbekannter Sitzungstyp", + "device_verified_description_current": "Deine aktuelle Sitzung ist für sichere Kommunikation bereit.", + "device_verified_description": "Diese Sitzung ist für sichere Kommunikation bereit.", + "verified_session": "Verifizierte Sitzung", + "device_unverified_description_current": "Verifiziere deine aktuelle Sitzung für besonders sichere Kommunikation.", + "device_unverified_description": "Für bestmögliche Sicherheit und Zuverlässigkeit verifiziere diese Sitzung oder melde sie ab.", + "verify_session": "Sitzung verifizieren", + "verified_sessions_list_description": "Für bestmögliche Sicherheit, melde dich von allen Sitzungen ab, die du nicht erkennst oder benutzt.", + "unverified_sessions_list_description": "Für besonders sichere Kommunikation verifiziere deine Sitzungen oder melde dich von ihnen ab, falls du sie nicht mehr identifizieren kannst.", + "inactive_sessions_list_description": "Erwäge, dich aus alten (%(inactiveAgeDays)s Tage oder mehr), nicht mehr verwendeten Sitzungen abzumelden.", + "no_verified_sessions": "Keine verifizierten Sitzungen gefunden.", + "no_unverified_sessions": "Keine unverifizierten Sitzungen gefunden.", + "no_inactive_sessions": "Keine inaktiven Sitzungen gefunden.", + "no_sessions": "Keine Sitzungen gefunden.", + "filter_all": "Alle", + "filter_verified_description": "Bereit für sichere Kommunikation", + "filter_unverified_description": "Nicht bereit für sichere Kommunikation", + "filter_inactive": "Inaktiv", + "filter_inactive_description": "Seit %(inactiveAgeDays)s oder mehr Tagen inaktiv", + "filter_label": "Geräte filtern", + "n_sessions_selected": { + "one": "%(count)s Sitzung ausgewählt", + "other": "%(count)s Sitzungen ausgewählt" + }, + "sign_in_with_qr": "Mit QR-Code anmelden", + "sign_in_with_qr_description": "Du kannst dieses Gerät verwenden, um ein neues Gerät per QR-Code anzumelden. Dazu musst du den auf diesem Gerät angezeigten QR-Code mit deinem nicht angemeldeten Gerät einlesen.", + "sign_in_with_qr_button": "QR-Code anzeigen", + "sign_out_n_sessions": { + "one": "Von %(count)s Sitzung abmelden", + "other": "Von %(count)s Sitzungen abmelden" + }, + "other_sessions_heading": "Andere Sitzungen", + "sign_out_all_other_sessions": "Von allen anderen Sitzungen abmelden (%(otherSessionsCount)s)", + "current_session": "Aktuelle Sitzung", + "confirm_sign_out_sso": { + "one": "Abmelden dieses Geräts durch Beweisen deiner Identität mit Single Sign-On bestätigen.", + "other": "Bestätige das Abmelden dieser Geräte, indem du dich erneut anmeldest." + }, + "confirm_sign_out": { + "one": "Abmelden des Geräts bestätigen", + "other": "Abmelden dieser Geräte bestätigen" + }, + "confirm_sign_out_body": { + "one": "Klicke unten auf den Knopf, um dieses Gerät abzumelden.", + "other": "Klicke unten auf den Knopf, um diese Geräte abzumelden." + }, + "confirm_sign_out_continue": { + "one": "Gerät abmelden", + "other": "Geräte abmelden" + }, + "security_recommendations": "Sicherheitsempfehlungen", + "security_recommendations_description": "Verbessere deine Kontosicherheit, indem du diese Empfehlungen beherzigst." } }, "devtools": { @@ -3177,7 +3090,9 @@ "show_hidden_events": "Versteckte Ereignisse im Verlauf anzeigen", "low_bandwidth_mode_description": "Benötigt kompatiblen Heim-Server.", "low_bandwidth_mode": "Modus für geringe Bandbreite", - "developer_mode": "Entwicklungsmodus" + "developer_mode": "Entwicklungsmodus", + "view_source_decrypted_event_source": "Entschlüsselte Rohdaten", + "view_source_decrypted_event_source_unavailable": "Entschlüsselte Quelle nicht verfügbar" }, "export_chat": { "html": "HTML", @@ -3573,7 +3488,9 @@ "io.element.voice_broadcast_info": { "you": "Du hast eine Sprachübertragung beendet", "user": "%(senderName)s beendete eine Sprachübertragung" - } + }, + "creation_summary_dm": "%(creator)s hat diese Direktnachricht erstellt.", + "creation_summary_room": "%(creator)s hat den Raum erstellt und konfiguriert." }, "slash_command": { "spoiler": "Die gegebene Nachricht als Spoiler senden", @@ -3768,13 +3685,53 @@ "kick": "Benutzer entfernen", "ban": "Benutzer verbannen", "redact": "Nachrichten von anderen löschen", - "notifications.room": "Alle benachrichtigen" + "notifications.room": "Alle benachrichtigen", + "no_privileged_users": "Keine Nutzer haben in diesem Raum privilegierte Berechtigungen", + "privileged_users_section": "Privilegierte Benutzer", + "muted_users_section": "Stummgeschaltete Benutzer", + "banned_users_section": "Verbannte Benutzer", + "send_event_type": "%(eventType)s-Ereignisse senden", + "title": "Rollen und Berechtigungen", + "permissions_section": "Berechtigungen", + "permissions_section_description_space": "Wähle, von wem folgende Aktionen ausgeführt werden können", + "permissions_section_description_room": "Wähle Rollen, die benötigt werden, um einige Teile des Raumes zu ändern" }, "security": { "strict_encryption": "Niemals verschlüsselte Nachrichten von dieser Sitzung zu unverifizierten Sitzungen in diesem Raum senden", "join_rule_invite": "Privat (Betreten mit Einladung)", "join_rule_invite_description": "Nur Eingeladene können betreten.", - "join_rule_public_description": "Sichtbar und zugänglich für jeden." + "join_rule_public_description": "Sichtbar und zugänglich für jeden.", + "enable_encryption_public_room_confirm_title": "Dieser Raum ist öffentlich. Willst du die Verschlüsselung wirklich aktivieren?", + "enable_encryption_public_room_confirm_description_1": "Verschlüsselung ist für öffentliche Räume nicht empfohlen. Jeder kann öffentliche Räume finden und betreten, also kann auch jeder die Nachrichten lesen. Du wirst keine der Vorteile von Verschlüsselung erhalten und kannst sie später auch nicht mehr deaktivieren. Nachrichten in öffentlichen Räumen zu verschlüsseln, wird das empfangen und senden verlangsamen.", + "enable_encryption_public_room_confirm_description_2": "Um dieses Problem zu vermeiden, erstelle einen neuen verschlüsselten Raum für deine Konversation.", + "enable_encryption_confirm_title": "Verschlüsselung aktivieren?", + "enable_encryption_confirm_description": "Sobald aktiviert, kann die Verschlüsselung für einen Raum nicht mehr deaktiviert werden. Nachrichten in einem verschlüsselten Raum können nur noch von Teilnehmern, aber nicht mehr vom Server gelesen werden. Einige Bots und Brücken werden vielleicht nicht mehr funktionieren. Erfahre mehr über Verschlüsselung.", + "public_without_alias_warning": "Um den Raum zu verlinken, füge bitte eine Adresse hinzu.", + "join_rule_description": "Entscheide, wer %(roomName)s betreten kann.", + "encrypted_room_public_confirm_title": "Willst du diesen verschlüsselten Raum wirklich öffentlich machen?", + "encrypted_room_public_confirm_description_1": "Es ist nicht sinnvoll, verschlüsselte Räume öffentlich zu machen. Das würde bedeuten, dass alle den Raum finden und betreten, also auch Nachrichten lesen könnten. Du erhältst also keinen Vorteil der Verschlüsselung, während sie das Senden und Empfangen von Nachrichten langsamer macht.", + "encrypted_room_public_confirm_description_2": "Erstelle einen neuen Raum für deine Konversation, um diese Probleme zu umgehen.", + "history_visibility": {}, + "history_visibility_warning": "Änderungen an der Sichtbarkeit des Verlaufs gelten nur für zukünftige Nachrichten. Die Sichtbarkeit des existierenden Verlaufs bleibt unverändert.", + "history_visibility_legend": "Wer kann den bisherigen Verlauf lesen?", + "guest_access_warning": "Personen mit unterstützter Anwendung werden diesen Raum ohne registriertes Konto betreten können.", + "title": "Sicherheit", + "encryption_permanent": "Sobald du die Verschlüsselung aktivierst, kannst du sie nicht mehr deaktivieren.", + "encryption_forced": "Dein Server erfordert die Deaktivierung der Verschlüsselung.", + "history_visibility_shared": "Mitglieder", + "history_visibility_invited": "Mitglieder (ab Einladung)", + "history_visibility_joined": "Mitglieder (ab Betreten)", + "history_visibility_world_readable": "Alle" + }, + "general": { + "publish_toggle": "Diesen Raum im Raumverzeichnis von %(domain)s veröffentlichen?", + "user_url_previews_default_on": "Du hast die URL-Vorschau standardmäßig aktiviert.", + "user_url_previews_default_off": "Du hast die URL-Vorschau standardmäßig deaktiviert.", + "default_url_previews_on": "URL-Vorschau ist für Mitglieder des Raumes standardmäßig aktiviert.", + "default_url_previews_off": "URL-Vorschau ist für Mitglieder des Raumes standardmäßig deaktiviert.", + "url_preview_encryption_warning": "In verschlüsselten Räumen wie diesem ist die Linkvorschau standardmäßig deaktiviert, damit dein Heim-Server (der die Vorschau erzeugt) keine Informationen über Links in diesem Raum erhält.", + "url_preview_explainer": "Die URL-Vorschau kann Informationen wie den Titel, die Beschreibung sowie ein Vorschaubild der Website enthalten.", + "url_previews_section": "URL-Vorschau" } }, "encryption": { @@ -3898,7 +3855,15 @@ "server_picker_explainer": "Verwende einen Matrix-Heim-Server deiner Wahl oder betreibe deinen eigenen.", "server_picker_learn_more": "Über Heim-Server", "incorrect_credentials": "Inkorrekter Nutzername und/oder Passwort.", - "account_deactivated": "Dieses Konto wurde deaktiviert." + "account_deactivated": "Dieses Konto wurde deaktiviert.", + "registration_username_validation": "Verwende nur Kleinbuchstaben, Zahlen, Bindestriche und Unterstriche", + "registration_username_unable_check": "Es kann nicht überprüft werden, ob der Nutzername bereits vergeben ist. Bitte versuche es später erneut.", + "registration_username_in_use": "Jemand anderes nutzt diesen Benutzernamen schon. Probier einen anderen oder wenn du es bist, melde dich unten an.", + "phone_label": "Telefon", + "phone_optional_label": "Telefon (optional)", + "email_help_text": "Füge eine E-Mail-Adresse hinzu, um dein Passwort zurücksetzen zu können.", + "email_phone_discovery_text": "Nutze optional eine E-Mail-Adresse oder Telefonnummer, um von Nutzern gefunden werden zu können.", + "email_discovery_text": "Nutze optional eine E-Mail-Adresse, um von Nutzern gefunden werden zu können." }, "room_list": { "sort_unread_first": "Räume mit ungelesenen Nachrichten zuerst zeigen", @@ -4110,7 +4075,21 @@ "light_high_contrast": "Hell kontrastreich" }, "space": { - "landing_welcome": "Willkommen bei " + "landing_welcome": "Willkommen bei ", + "suggested_tooltip": "Dieser Raum wird vorgeschlagen", + "suggested": "Vorgeschlagen", + "select_room_below": "Wähle vorher einen Raum aus", + "unmark_suggested": "Als nicht vorgeschlagen markieren", + "mark_suggested": "Als vorgeschlagen markieren", + "failed_remove_rooms": "Einige Räume konnten nicht entfernt werden. Versuche es bitte später nocheinmal", + "failed_load_rooms": "Fehler beim Laden der Raumliste.", + "incompatible_server_hierarchy": "Dein Home-Server unterstützt hierarchische Spaces nicht.", + "context_menu": { + "devtools_open_timeline": "Nachrichtenverlauf anzeigen (Entwicklungswerkzeuge)", + "home": "Space-Übersicht", + "explore": "Räume erkunden", + "manage_and_explore": "Räume erkunden und verwalten" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "Dein Heim-Server unterstützt das Anzeigen von Karten nicht.", @@ -4167,5 +4146,52 @@ "setup_rooms_description": "Du kannst später weitere hinzufügen, auch bereits bestehende.", "setup_rooms_private_heading": "Welche Projekte bearbeitet euer Team?", "setup_rooms_private_description": "Wir werden für jedes einen Raum erstellen." + }, + "user_menu": { + "switch_theme_light": "Zum hellen Thema wechseln", + "switch_theme_dark": "Zum dunklen Thema wechseln" + }, + "notif_panel": { + "empty_heading": "Du bist auf dem neuesten Stand", + "empty_description": "Du hast keine sichtbaren Benachrichtigungen." + }, + "console_scam_warning": "Wenn dir jemand gesagt hat, dass du hier etwas einfügen sollst, ist die Wahrscheinlichkeit sehr groß, dass du von der Person betrogen wirst!", + "console_dev_note": "Falls du weißt, was du machst: Element ist Open Source! Checke unser GitHub aus (https://github.com/vector-im/element-web/) und hilf mit!", + "room": { + "drop_file_prompt": "Datei hier loslassen zum hochladen", + "intro": { + "send_message_start_dm": "Schreibe deine erste Nachricht, um zur Unterhaltung einzuladen", + "encrypted_3pid_dm_pending_join": "Sobald alle den Raum betreten hat, könnt ihr euch unterhalten", + "start_of_dm_history": "Dies ist der Beginn deiner Direktnachrichten mit .", + "dm_caption": "Nur ihr beide nehmt an dieser Konversation teil, es sei denn, ihr ladet jemanden ein.", + "topic_edit": "Thema: %(topic)s (ändern)", + "topic": "Thema: %(topic)s ", + "no_topic": "Füge ein Thema hinzu, damit andere wissen, worum es hier geht.", + "you_created": "Du hast diesen Raum erstellt.", + "user_created": "%(displayName)s hat diesen Raum erstellt.", + "room_invite": "Nur in diesen Raum einladen", + "no_avatar_label": "Füge ein Bild hinzu, damit andere deinen Raum besser erkennen können.", + "start_of_room": "Dies ist der Beginn von .", + "private_unencrypted_warning": "Dieser Raum ist nicht verschlüsselt. Oft ist dies aufgrund eines nicht unterstützten Geräts oder Methode wie E-Mail-Einladungen der Fall.", + "enable_encryption_prompt": "Aktiviere Verschlüsselung in den Einstellungen.", + "unencrypted_warning": "Ende-zu-Ende-Verschlüsselung ist deaktiviert" + } + }, + "file_panel": { + "guest_note": "Du musst dich registrieren, um diese Funktionalität nutzen zu können", + "peek_note": "Du musst den Raum betreten, um die verknüpften Dateien sehen zu können", + "empty_heading": "Keine Dateien in diesem Raum", + "empty_description": "Hänge Dateien aus der Unterhaltung an oder ziehe sie einfach an eine beliebige Stelle im Raum." + }, + "terms": { + "integration_manager": "Nutze Bots, Brücken, Widgets und Sticker-Pakete", + "tos": "Nutzungsbedingungen", + "intro": "Um fortzufahren, musst du die Bedingungen dieses Dienstes akzeptieren.", + "column_service": "Dienst", + "column_summary": "Zusammenfassung", + "column_document": "Dokument" + }, + "space_settings": { + "title": "Einstellungen - %(spaceName)s" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/el.json b/src/i18n/strings/el.json index 8674ae327f..1348d201a2 100644 --- a/src/i18n/strings/el.json +++ b/src/i18n/strings/el.json @@ -10,7 +10,6 @@ "Authentication": "Πιστοποίηση", "A new password must be entered.": "Ο νέος κωδικός πρόσβασης πρέπει να εισαχθεί.", "An error has occurred.": "Παρουσιάστηκε ένα σφάλμα.", - "Anyone": "Oποιοσδήποτε", "Are you sure?": "Είστε σίγουροι;", "Are you sure you want to leave the room '%(roomName)s'?": "Είστε σίγουροι ότι θέλετε να αποχωρήσετε από το δωμάτιο '%(roomName)s';", "Are you sure you want to reject the invitation?": "Είστε σίγουροι ότι θέλετε να απορρίψετε την πρόσκληση;", @@ -49,7 +48,6 @@ "Sign in with": "Συνδεθείτε με", "Jump to first unread message.": "Πηγαίνετε στο πρώτο μη αναγνωσμένο μήνυμα.", "Low priority": "Χαμηλής προτεραιότητας", - "Commands": "Εντολές", "Failed to send request.": "Δεν ήταν δυνατή η αποστολή αιτήματος.", "Failure to create room": "Δεν ήταν δυνατή η δημιουργία δωματίου", "Join Room": "Είσοδος σε δωμάτιο", @@ -68,14 +66,11 @@ "Create new room": "Δημιουργία νέου δωματίου", "Admin Tools": "Εργαλεία διαχειριστή", "No media permissions": "Χωρίς δικαιώματα πολυμέσων", - "Banned users": "Αποκλεισμένοι χρήστες", "Enter passphrase": "Εισαγωγή συνθηματικού", "Failed to set display name": "Δεν ήταν δυνατό ο ορισμός του ονόματος εμφάνισης", "Home": "Αρχική", "Missing room_id in request": "Λείπει το room_id στο αίτημα", - "Permissions": "Δικαιώματα", "Power level must be positive integer.": "Το επίπεδο δύναμης πρέπει να είναι ένας θετικός ακέραιος.", - "Privileged Users": "Προνομιούχοι χρήστες", "Profile": "Προφίλ", "Reason": "Αιτία", "Reject invitation": "Απόρριψη πρόσκλησης", @@ -94,9 +89,7 @@ "Unable to enable Notifications": "Αδυναμία ενεργοποίησης των ειδοποιήσεων", "Upload avatar": "Αποστολή προσωπικής εικόνας", "Upload Failed": "Απέτυχε η αποστολή", - "Users": "Χρήστες", "Warning!": "Προειδοποίηση!", - "You must register to use this functionality": "Πρέπει να εγγραφείτε για να χρησιμοποιήσετε αυτή την λειτουργία", "You need to be logged in.": "Πρέπει να είστε συνδεδεμένος.", "Sun": "Κυρ", "Mon": "Δευ", @@ -138,8 +131,6 @@ "Error decrypting image": "Σφάλμα κατά την αποκρυπτογράφηση της εικόνας", "Error decrypting video": "Σφάλμα κατά την αποκρυπτογράφηση του βίντεο", "Add an Integration": "Προσθήκη ενσωμάτωσης", - "URL Previews": "Προεπισκόπηση συνδέσμων", - "Drop file here to upload": "Αποθέστε εδώ για αποστολή", "Something went wrong!": "Κάτι πήγε στραβά!", "Failed to ban user": "Δεν ήταν δυνατό ο αποκλεισμός του χρήστη", "Failed to change power level": "Δεν ήταν δυνατή η αλλαγή του επιπέδου δύναμης", @@ -148,7 +139,6 @@ "Missing user_id in request": "Λείπει το user_id στο αίτημα", "not specified": "μη καθορισμένο", "No display name": "Χωρίς όνομα", - "No users have specific privileges in this room": "Κανένας χρήστης δεν έχει συγκεκριμένα δικαιώματα σε αυτό το δωμάτιο", "Please check your email and click on the link it contains. Once this is done, click continue.": "Παρακαλούμε ελέγξτε την ηλεκτρονική σας αλληλογραφία και κάντε κλικ στον σύνδεσμο που περιέχει. Μόλις γίνει αυτό, κάντε κλίκ στο κουμπί συνέχεια.", "%(brand)s does not have permission to send you notifications - please check your browser settings": "Το %(brand)s δεν έχει δικαιώματα για αποστολή ειδοποιήσεων - παρακαλούμε ελέγξτε τις ρυθμίσεις του περιηγητή σας", "%(brand)s was not given permission to send notifications - please try again": "Δεν δόθηκαν δικαιώματα αποστολής ειδοποιήσεων στο %(brand)s - παρακαλούμε προσπαθήστε ξανά", @@ -164,7 +154,6 @@ "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (δύναμη %(powerLevelNumber)s)", "Verification Pending": "Εκκρεμεί επιβεβαίωση", "Verified key": "Επιβεβαιωμένο κλειδί", - "Who can read history?": "Ποιος μπορεί να διαβάσει το ιστορικό;", "You cannot place a call with yourself.": "Δεν μπορείτε να καλέσετε τον εαυτό σας.", "You do not have permission to post to this room": "Δεν έχετε δικαιώματα για να δημοσιεύσετε σε αυτό το δωμάτιο", "You seem to be in a call, are you sure you want to quit?": "Φαίνεται ότι είστε σε μια κλήση, είστε βέβαιοι ότι θέλετε να αποχωρήσετε;", @@ -175,11 +164,8 @@ "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Δεν είναι δυνατή η σύνδεση στον κεντρικό διακομιστή - παρακαλούμε ελέγξτε τη συνδεσιμότητα, βεβαιωθείτε ότι το πιστοποιητικό SSL του διακομιστή είναι έμπιστο και ότι κάποιο πρόσθετο περιηγητή δεν αποτρέπει τα αιτήματα.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Δεν είναι δυνατή η σύνδεση στον κεντρικό διακομιστή μέσω HTTP όταν μια διεύθυνση HTTPS βρίσκεται στην μπάρα του περιηγητή. Είτε χρησιμοποιήστε HTTPS ή ενεργοποιήστε τα μη ασφαλή σενάρια εντολών.", "This room is not accessible by remote Matrix servers": "Αυτό το δωμάτιο δεν είναι προσβάσιμο από απομακρυσμένους διακομιστές Matrix", - "You have disabled URL previews by default.": "Έχετε απενεργοποιημένη από προεπιλογή την προεπισκόπηση συνδέσμων.", - "You have enabled URL previews by default.": "Έχετε ενεργοποιημένη από προεπιλογή την προεπισκόπηση συνδέσμων.", "You need to be able to invite users to do that.": "Για να το κάνετε αυτό πρέπει να έχετε τη δυνατότητα να προσκαλέσετε χρήστες.", "You seem to be uploading files, are you sure you want to quit?": "Φαίνεται ότι αποστέλετε αρχεία, είστε βέβαιοι ότι θέλετε να αποχωρήσετε;", - "You must join the room to see its files": "Πρέπει να συνδεθείτε στο δωμάτιο για να δείτε τα αρχεία του", "Reject all %(invitedRooms)s invites": "Απόρριψη όλων των προσκλήσεων %(invitedRooms)s", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Δεν θα μπορέσετε να αναιρέσετε αυτήν την αλλαγή καθώς προωθείτε τον χρήστη να έχει το ίδιο επίπεδο δύναμης με τον εαυτό σας.", "Sent messages will be stored until your connection has returned.": "Τα απεσταλμένα μηνύματα θα αποθηκευτούν μέχρι να αακτηθεί η σύνδεσή σας.", @@ -234,8 +220,6 @@ "%(duration)sm": "%(duration)sλ", "%(duration)sh": "%(duration)sω", "%(duration)sd": "%(duration)sμ", - "Room Notification": "Ειδοποίηση Δωματίου", - "Notify the whole room": "Ειδοποιήστε όλο το δωμάτιο", "Add Email Address": "Προσθήκη Διεύθυνσης Ηλ. Ταχυδρομείου", "Add Phone Number": "Προσθήκη Τηλεφωνικού Αριθμού", "Call failed due to misconfigured server": "Η κλήση απέτυχε λόγω της λανθασμένης διάρθρωσης του διακομιστή", @@ -564,11 +548,6 @@ "one": "%(spaceName)s και %(count)s άλλο" }, "Message didn't send. Click for info.": "Το μήνυμα δεν στάλθηκε. Κάντε κλικ για πληροφορίες.", - "End-to-end encryption isn't enabled": "Η κρυπτογράφηση από άκρο σε άκρο δεν είναι ενεργοποιημένη", - "Enable encryption in settings.": "Ενεργοποιήστε την κρυπτογράφηση στις ρυθμίσεις.", - "Add a photo, so people can easily spot your room.": "Προσθέστε μια φωτογραφία, ώστε οι χρήστες να μπορούν εύκολα να εντοπίσουν το δωμάτιό σας.", - "Invite to just this room": "Προσκαλέστε μόνο σε αυτό το δωμάτιο", - "You created this room.": "Δημιουργήσατε αυτό το δωμάτιο.", "Insert link": "Εισαγωγή συνδέσμου", "Italics": "Πλάγια", "Poll": "Ψηφοφορία", @@ -594,9 +573,6 @@ "Verify the link in your inbox": "Επαληθεύστε τον σύνδεσμο στα εισερχόμενα σας", "Your email address hasn't been verified yet": "Η διεύθυνση email σας δεν έχει επαληθευτεί ακόμα", "Unable to share email address": "Δεν είναι δυνατή η κοινή χρήση της διεύθυνσης email", - "Once enabled, encryption cannot be disabled.": "Αφού ενεργοποιηθεί, η κρυπτογράφηση δεν μπορεί να απενεργοποιηθεί.", - "To avoid these issues, create a new public room for the conversation you plan to have.": "Για να αποφύγετε αυτά τα ζητήματα, δημιουργήστε ένα νέο δημόσιο δωμάτιο για τη συνομιλία που σκοπεύετε να έχετε.", - "Are you sure you want to make this encrypted room public?": "Είστε βέβαιοι ότι θέλετε να κάνετε δημόσιο αυτό το κρυπτογραφημένο δωμάτιο;", "Backup version:": "Έκδοση αντιγράφου ασφαλείας:", "Algorithm:": "Αλγόριθμος:", "Restore from Backup": "Επαναφορά από Αντίγραφο ασφαλείας", @@ -653,7 +629,6 @@ "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Μοιραστείτε ανώνυμα δεδομένα για να μας βοηθήσετε να εντοπίσουμε προβλήματα. Δε συλλέγουμε προσωπικά δεδομένα. Δεν τα παρέχουμε σε τρίτους.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Ο διαχειριστής του διακομιστή σας έχει απενεργοποιήσει την κρυπτογράφηση από άκρο σε άκρο από προεπιλογή σε ιδιωτικά δωμάτια & άμεσα μηνύματα.", "Message search": "Αναζήτηση μηνυμάτων", - "Security & Privacy": "Ασφάλεια & Απόρρητο", "Allow people to preview your space before they join.": "Επιτρέψτε στους χρήστες να κάνουν προεπισκόπηση του χώρου σας προτού να εγγραφούν.", "Invite people": "Προσκαλέστε άτομα", "Unknown App": "Άγνωστη εφαρμογή", @@ -833,14 +808,6 @@ "Back up your keys before signing out to avoid losing them.": "Δημιουργήστε αντίγραφα ασφαλείας των κλειδιών σας πριν αποσυνδεθείτε για να μην τα χάσετε.", "Your keys are not being backed up from this session.": "Δεν δημιουργούνται αντίγραφα ασφαλείας των κλειδιών σας από αυτήν την συνεδρία.", "This backup is trusted because it has been restored on this session": "Αυτό το αντίγραφο ασφαλείας είναι αξιόπιστο επειδή έχει αποκατασταθεί σε αυτήν τη συνεδρία", - "Click the button below to confirm signing out these devices.": { - "other": "Κάντε κλικ στο κουμπί παρακάτω για να επιβεβαιώσετε αποσύνδεση αυτών των συσκευών.", - "one": "Κάντε κλικ στο κουμπί παρακάτω για επιβεβαίωση αποσύνδεση αυτής της συσκευής." - }, - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "Επιβεβαιώστε ότι αποσυνδέεστε από αυτήν τη συσκευή χρησιμοποιώντας Single Sign On για να αποδείξετε την ταυτότητά σας.", - "other": "Επιβεβαιώστε την αποσύνδεση από αυτές τις συσκευές χρησιμοποιώντας Single Sign On για να αποδείξετε την ταυτότητά σας." - }, "Session key:": "Κλειδί συνεδρίας:", "Session ID:": "Αναγνωριστικό συνεδρίας:", "exists": "υπάρχει", @@ -855,12 +822,6 @@ }, "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Επαληθεύστε μεμονωμένα κάθε συνεδρία που χρησιμοποιείται από έναν χρήστη για να την επισημάνετε ως αξιόπιστη, χωρίς να εμπιστεύεστε συσκευές με διασταυρούμενη υπογραφή.", "Display Name": "Εμφανιζόμενο όνομα", - "Select all": "Επιλογή όλων", - "Deselect all": "Αποεπιλογή όλων", - "Sign out devices": { - "one": "Αποσύνδεση συσκευής", - "other": "Αποσύνδεση συσκευών" - }, "Account management": "Διαχείριση λογαριασμών", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Αποδεχτείτε τους Όρους χρήσης του διακομιστή ταυτότητας (%(serverName)s), ώστε να μπορείτε να είστε ανιχνεύσιμοι μέσω της διεύθυνσης ηλεκτρονικού ταχυδρομείου ή του αριθμού τηλεφώνου.", "Language and region": "Γλώσσα και περιοχή", @@ -976,12 +937,6 @@ "Room %(name)s": "Δωμάτιο %(name)s", "Recently viewed": "Προβλήθηκε πρόσφατα", "View message": "Προβολή μηνύματος", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Τα προσωπικά σας μηνύματα είναι συνήθως κρυπτογραφημένα, αλλά αυτό το δωμάτιο δεν είναι. Συνήθως αυτό οφείλεται σε μια μη υποστηριζόμενη συσκευή ή μέθοδο που χρησιμοποιείται, όπως προσκλήσεις μέσω email.", - "%(displayName)s created this room.": "%(displayName)s δημιούργησε αυτό το δωμάτιο.", - "Add a topic to help people know what it is about.": "Προσθέστε ένα θέμα για να βοηθήσετε τους χρήστες να γνωρίζουν περί τίνος πρόκειται.", - "Topic: %(topic)s ": "Θέμα: %(topic)s ", - "This is the beginning of your direct message history with .": "Αυτή είναι η αρχή του ιστορικού των άμεσων μηνυμάτων σας με .", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Μόνο οι δυο σας συμμετέχετε σε αυτήν τη συνομιλία, εκτός εάν κάποιος από εσάς προσκαλέσει κάποιον να συμμετάσχει.", "The authenticity of this encrypted message can't be guaranteed on this device.": "Η αυθεντικότητα αυτού του κρυπτογραφημένου μηνύματος δεν είναι εγγυημένη σε αυτήν τη συσκευή.", "Encrypted by a deleted session": "Κρυπτογραφήθηκε από μια διαγραμμένη συνεδρία", "Unencrypted": "Μη κρυπτογραφημένο", @@ -998,17 +953,8 @@ "Unable to share phone number": "Αδυναμία κοινής χρήσης του αριθμού τηλεφώνου", "Unable to revoke sharing for phone number": "Αδυναμία ανάκληση της κοινής χρήσης για τον αριθμό τηλεφώνου", "Discovery options will appear once you have added an email above.": "Οι επιλογές εντοπισμού θα εμφανιστούν μόλις προσθέσετε ένα email παραπάνω.", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "Δε συνιστάται να κάνετε δημόσια τα κρυπτογραφημένα δωμάτια. Αυτό σημαίνει ότι οποιοσδήποτε μπορεί να βρει και να συμμετάσχει στο δωμάτιο, επομένως όλοι θα μπορούν να διαβάζουν τα μηνύματα. Δε θα έχετε κανένα από τα οφέλη της κρυπτογράφησης. Η κρυπτογράφηση μηνυμάτων σε δημόσιο δωμάτιο θα κάνει τη λήψη και την αποστολή μηνυμάτων πιο αργή.", "Unknown failure": "Άγνωστο σφάλμα", "Failed to update the join rules": "Αποτυχία ενημέρωσης των κανόνων συμμετοχής", - "Decide who can join %(roomName)s.": "Αποφασίστε ποιος μπορεί να συμμετάσχει στο %(roomName)s.", - "To link to this room, please add an address.": "Για να δημιουργήσετε σύνδεσμο σε αυτό το δωμάτιο, παρακαλώ προσθέστε μια διεύθυνση.", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Αφού ενεργοποιηθεί, η κρυπτογράφηση για ένα δωμάτιο δεν μπορεί να απενεργοποιηθεί. Τα μηνύματα που αποστέλλονται σε κρυπτογραφημένα δωμάτια δεν είναι ορατά από τον διακομιστή, παρά μόνο από τους συμμετέχοντες στην αίθουσα. Η ενεργοποίηση της κρυπτογράφησης μπορεί να αποτρέψει τη σωστή λειτουργία πολλών bots και γεφυρών. Μάθετε περισσότερα σχετικά με την κρυπτογράφηση.", - "Enable encryption?": "Ενεργοποίηση κρυπτογράφησης;", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "Για να αποφύγετε αυτά τα ζητήματα, δημιουργήστε ένα νέα κρυπτογραφημένο δωμάτιο για τη συνομιλία που σκοπεύετε να πραγματοποιήσετε.", - "Are you sure you want to add encryption to this public room?": "Είστε βέβαιοι ότι θέλετε να προσθέσετε κρυπτογράφηση σε αυτό το δημόσιο δωμάτιο;", - "Roles & Permissions": "Ρόλοι & Δικαιώματα", - "Muted Users": "Χρήστες σε Σίγαση", "Browse": "Εξερεύνηση", "Set a new custom sound": "Ορίστε έναν νέο προσαρμοσμένο ήχο", "Notification sound": "Ήχος ειδοποίησης", @@ -1038,14 +984,6 @@ "Bulk options": "Μαζικές επιλογές", "Click the link in the email you received to verify and then click continue again.": "Κάντε κλικ στον σύνδεσμο ηλεκτρονικής διεύθυνσης που λάβατε για επαλήθευση και μετα, κάντε ξανά κλικ στη συνέχεια.", "Unable to revoke sharing for email address": "Δεν είναι δυνατή η ανάκληση της κοινής χρήσης για τη διεύθυνση ηλεκτρονικού ταχυδρομείου", - "People with supported clients will be able to join the room without having a registered account.": "Τα άτομα με υποστηριζόμενους πελάτες θα μπορούν να εγγραφούν στο δωμάτιο χωρίς να έχουν εγγεγραμμένο λογαριασμό.", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Οι αλλαγές στα άτομα που μπορούν να διαβάσουν το ιστορικό θα ισχύουν μόνο για μελλοντικά μηνύματα σε αυτό το δωμάτιο. Η ορατότητα της υπάρχουσας ιστορίας θα παραμείνει αμετάβλητη.", - "Members only (since they joined)": "Μόνο μέλη (από τη στιγμή που έγιναν μέλη)", - "Members only (since they were invited)": "Μόνο μέλη (από τη στιγμή που προσκλήθηκαν)", - "Members only (since the point in time of selecting this option)": "Μόνο μέλη (από τη στιγμή που ορίστηκε αυτή η επιλογή)", - "Select the roles required to change various parts of the room": "Επιλέξτε τους ρόλους που απαιτούνται για να αλλάξετε διάφορα μέρη του δωματίου", - "Select the roles required to change various parts of the space": "Επιλέξτε τους ρόλους που απαιτούνται για να αλλάξετε διάφορα μέρη του χώρου", - "Send %(eventType)s events": "Στελιτε %(eventType)sσυμβάντα", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Παρουσιάστηκε σφάλμα κατά την αλλαγή του επιπέδου ισχύος του χρήστη. Βεβαιωθείτε ότι έχετε επαρκή δικαιώματα και δοκιμάστε ξανά.", "Error changing power level": "Σφάλμα αλλαγής του επιπέδου ισχύος", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Παρουσιάστηκε σφάλμα κατά την αλλαγή των απαιτήσεων επιπέδου ισχύος του δωματίου. Βεβαιωθείτε ότι έχετε επαρκή δικαιώματα και δοκιμάστε ξανά.", @@ -1059,7 +997,6 @@ "You have no ignored users.": "Δεν έχετε χρήστες που έχετε αγνοήσει.", "User signing private key:": "Ιδιωτικό κλειδί για υπογραφή χρήστη:", "Your homeserver doesn't seem to support this feature.": "Ο διακομιστής σας δε φαίνεται να υποστηρίζει αυτήν τη δυνατότητα.", - "Verify session": "Επαλήθευση συνεδρίας", "If they don't match, the security of your communication may be compromised.": "Εάν δεν ταιριάζουν, η ασφάλεια της επικοινωνίας σας μπορεί να τεθεί σε κίνδυνο.", "Session key": "Κλειδί συνεδρίας", "Session name": "Όνομα συνεδρίας", @@ -1122,8 +1059,6 @@ "Show Widgets": "Εμφάνιση μικροεφαρμογών", "Hide Widgets": "Απόκρυψη μικροεφαρμογών", "Replying": "Απαντώντας", - "This is the start of .": "Αυτή είναι η αρχή του .", - "Topic: %(topic)s (edit)": "Θέμα: %(topic)s (επεξεργασία)", "A connection error occurred while trying to contact the server.": "Παρουσιάστηκε σφάλμα σύνδεσης κατά την προσπάθεια επικοινωνίας με τον διακομιστή.", "Your area is experiencing difficulties connecting to the internet.": "Η περιοχή σας αντιμετωπίζει δυσκολίες σύνδεσης στο διαδίκτυο.", "The server has denied your request.": "Ο διακομιστής απέρριψε το αίτημά σας.", @@ -1154,18 +1089,10 @@ "This room is not public. You will not be able to rejoin without an invite.": "Αυτό το δωμάτιο δεν είναι δημόσιο. Δε θα μπορείτε να ξανασυμμετάσχετε χωρίς πρόσκληση.", "This space is not public. You will not be able to rejoin without an invite.": "Αυτός ο χώρος δεν είναι δημόσιος. Δε θα μπορείτε να ξανασυμμετάσχετε χωρίς πρόσκληση.", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Είστε το μόνο άτομο εδώ μέσα. Εάν φύγετε, κανείς δε θα μπορεί αργότερα να συμμετάσχει, συμπεριλαμβανομένου και εσάς.", - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Εάν κάποιος σας είπε να κάνετε αντιγραφή και επικόλληση κάτι εδώ, υπάρχει μεγάλη πιθανότητα να σας έχουν εξαπατήσει!", "Wait!": "Μια στιγμή!", - "Attach files from chat or just drag and drop them anywhere in a room.": "Επισυνάψτε αρχεία από τη συνομιλία ή απλώς σύρετε και αποθέστε τα οπουδήποτε μέσα σε ένα δωμάτιο.", - "No files visible in this room": "Δεν υπάρχουν αρχεία ορατά σε αυτό το δωμάτιο", "Couldn't load page": "Δεν ήταν δυνατή η φόρτωση της σελίδας", "Error downloading audio": "Σφάλμα λήψης ήχου", "Sign in with SSO": "Συνδεθείτε με SSO", - "Add an email to be able to reset your password.": "Προσθέστε ένα email για να μπορείτε να κάνετε επαναφορά του κωδικού πρόσβασης σας.", - "Phone (optional)": "Τηλέφωνο (προαιρετικό)", - "Someone already has that username. Try another or if it is you, sign in below.": "Κάποιος έχει ήδη αυτό το όνομα χρήστη. Δοκιμάστε άλλο ή εάν είστε εσείς, συνδεθείτε παρακάτω.", - "Unable to check if username has been taken. Try again later.": "Δεν είναι δυνατός ο έλεγχος εάν το όνομα χρήστη είναι διαθέσιμο. Δοκιμάστε ξανά αργότερα.", - "Use lowercase letters, numbers, dashes and underscores only": "Χρησιμοποιήστε μόνο πεζά γράμματα, αριθμούς, παύλες και κάτω παύλες", "Use an email address to recover your account": "Χρησιμοποιήστε μια διεύθυνση email για να ανακτήσετε τον λογαριασμό σας", "That phone number doesn't look quite right, please check and try again": "Αυτός ο αριθμός τηλεφώνου δε φαίνεται σωστός, ελέγξτε και δοκιμάστε ξανά", "Enter phone number": "Εισάγετε αριθμό τηλεφώνου", @@ -1237,10 +1164,6 @@ "Upload all": "Μεταφόρτωση όλων", "Upload files": "Μεταφόρτωση αρχείων", "Upload files (%(current)s of %(total)s)": "Μεταφόρτωση αρχείων %(current)s από %(total)s", - "Document": "Έγγραφο", - "Summary": "Περίληψη", - "Service": "Υπηρεσία", - "To continue you need to accept the terms of this service.": "Για να συνεχίσετε, πρέπει να αποδεχτείτε τους όρους αυτής της υπηρεσίας.", "Find others by phone or email": "Βρείτε άλλους μέσω τηλεφώνου ή email", "Your browser likely removed this data when running low on disk space.": "Το πρόγραμμα περιήγησης σας πιθανότατα αφαίρεσε αυτά τα δεδομένα όταν ο χώρος στο δίσκο εξαντλήθηκε.", "Missing session data": "Λείπουν δεδομένα της συνεδρίας (session)", @@ -1252,7 +1175,6 @@ "Join %(roomAddress)s": "Συμμετοχή στο %(roomAddress)s", "Other rooms in %(spaceName)s": "Άλλα δωμάτιο στο %(spaceName)s", "Spaces you're in": "Χώροι που ανήκετε", - "Settings - %(spaceName)s": "Ρυθμίσεις - %(spaceName)s", "Sections to show": "Ενότητες προς εμφάνιση", "Command Help": "Βοήθεια Εντολών", "Link to room": "Σύνδεσμος στο δωμάτιο", @@ -1292,7 +1214,6 @@ "Old cryptography data detected": "Εντοπίστηκαν παλιά δεδομένα κρυπτογράφησης", "expand": "επέκταση", "collapse": "σύμπτηξη", - "URL previews are disabled by default for participants in this room.": "Η προεπισκόπηση διευθύνσεων URL είναι απενεργοποιημένη από προεπιλογή για τους συμμετέχοντες σε αυτό το δωμάτιο.", "%(name)s wants to verify": "%(name)s θέλει να επαληθεύσει", "%(name)s cancelled": "%(name)s ακύρωσε", "%(name)s declined": "%(name)s αρνήθηκε", @@ -1326,9 +1247,6 @@ "Messages in this room are end-to-end encrypted.": "Τα μηνύματα σε αυτό το δωμάτιο είναι κρυπτογραφημένα από άκρο σε άκρο.", "Accepting…": "Αποδοχή …", "To proceed, please accept the verification request on your other device.": "Για να συνεχίσετε, αποδεχτείτε το αίτημα επαλήθευσης στην άλλη συσκευή σας.", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Όταν κάποιος εισάγει μια διεύθυνση URL στο μήνυμά του, μπορεί να εμφανιστεί μια προεπισκόπηση του URL για να δώσει περισσότερες πληροφορίες σχετικά με αυτόν τον σύνδεσμο, όπως τον τίτλο, την περιγραφή και μια εικόνα από τον ιστότοπο.", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Σε κρυπτογραφημένα δωμάτια, όπως αυτό, οι προεπισκόπηση URL είναι απενεργοποιημένη από προεπιλογή για να διασφαλιστεί ότι ο κεντρικός σας διακομιστής (όπου δημιουργείται μια προεπισκόπηση) δεν μπορεί να συγκεντρώσει πληροφορίες σχετικά με συνδέσμους που βλέπετε σε αυτό το δωμάτιο.", - "Publish this room to the public in %(domain)s's room directory?": "Δημοσίευση αυτού του δωματίου στο κοινό κατάλογο δωματίων του %(domain)s;", "Room avatar": "Εικόνα δωματίου", "Show more": "Δείτε περισσότερα", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Ορίστε διευθύνσεις για αυτόν τον χώρο, ώστε οι χρήστες να μπορούν να τον βρίσκουν μέσω του κεντρικού σας διακομιστή (%(localDomain)s)", @@ -1498,7 +1416,6 @@ "Your messages are secured and only you and the recipient have the unique keys to unlock them.": "Τα μηνύματά σας είναι ασφαλή και μόνο εσείς και ο παραλήπτης έχετε τα μοναδικά κλειδιά για να τα ξεκλειδώσετε.", "Start Verification": "Έναρξη επαλήθευσης", "Waiting for %(displayName)s to accept…": "Αναμονή αποδοχής από %(displayName)s…", - "URL previews are enabled by default for participants in this room.": "Η προεπισκόπηση διευθύνσεων URL είναι ενεργοποιημένη από προεπιλογή για τους συμμετέχοντες σε αυτό το δωμάτιο.", "Invited by %(sender)s": "Προσκεκλημένος από %(sender)s", "Revoke invite": "Ανάκληση πρόσκλησης", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Δεν ήταν δυνατή η ανάκληση της πρόσκλησης. Ο διακομιστής μπορεί να αντιμετωπίζει ένα προσωρινό πρόβλημα ή δεν έχετε επαρκή δικαιώματα για να ανακαλέσετε την πρόσκληση.", @@ -1659,10 +1576,6 @@ "That matches!": "Ταιριάζει!", "Great! This Security Phrase looks strong enough.": "Τέλεια! Αυτή η Φράση Ασφαλείας φαίνεται αρκετά ισχυρή.", "Enter a Security Phrase": "Εισαγάγετε τη Φράση Ασφαλείας", - "User Autocomplete": "Αυτόματη συμπλήρωση Χρήστη", - "Space Autocomplete": "Αυτόματη συμπλήρωση Χώρου", - "Room Autocomplete": "Αυτόματη συμπλήρωση Δωματίου", - "Notification Autocomplete": "Αυτόματη συμπλήρωση Ειδοποίησης", "Clear personal data": "Εκκαθάριση προσωπικών δεδομένων", "I'll verify later": "Θα επαληθεύσω αργότερα", "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Χωρίς επαλήθευση, δε θα έχετε πρόσβαση σε όλα τα μηνύματά σας και ενδέχεται να φαίνεστε ως αναξιόπιστος στους άλλους.", @@ -1683,26 +1596,19 @@ "Verify this device": "Επαληθεύστε αυτήν τη συσκευή", "Unable to verify this device": "Αδυναμία επαλήθευσης αυτής της συσκευής", "Original event source": "Αρχική πηγή συμβάντος", - "Decrypted event source": "Αποκρυπτογραφημένη πηγή συμβάντος", "Could not load user profile": "Αδυναμία φόρτωσης του προφίλ χρήστη", "Switch theme": "Αλλαγή θέματος", - "Switch to dark mode": "Αλλαγή σε σκοτεινό", - "Switch to light mode": "Αλλαγή σε φωτεινό", " invites you": " σας προσκαλεί", "Private space": "Ιδιωτικός χώρος", "Search names and descriptions": "Αναζήτηση ονομάτων και περιγραφών", "Rooms and spaces": "Δωμάτια και Χώροι", "Results": "Αποτελέσματα", "You may want to try a different search or check for typos.": "Μπορεί να θέλετε να δοκιμάσετε μια διαφορετική αναζήτηση ή να ελέγξετε για ορθογραφικά λάθη.", - "Your server does not support showing space hierarchies.": "Ο διακομιστής σας δεν υποστηρίζει την εμφάνιση ιεραρχιών χώρου.", "Review terms and conditions": "Ελέγξτε τους όρους και τις προϋποθέσεις", "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Για να συνεχίσετε να χρησιμοποιείτε τον κεντρικό διακομιστή %(homeserverDomain)s πρέπει να διαβάσετε και να συμφωνήσετε με τους όρους και τις προϋποθέσεις μας.", "Terms and Conditions": "Οροι και Προϋποθέσεις", - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Εάν ξέρετε τι κάνετε, το Element είναι ανοιχτού κώδικα, ανατρέξετε στο GitHub (https://github.com/vector-im/element-web/) και συνεισφέρετε!", "Open dial pad": "Άνοιγμα πληκτρολογίου κλήσης", "Unnamed audio": "Ήχος χωρίς όνομα", - "Use email or phone to optionally be discoverable by existing contacts.": "Χρησιμοποιήστε email ή τηλέφωνο για να είστε προαιρετικά ανιχνεύσιμος από υπάρχουσες επαφές.", - "Use email to optionally be discoverable by existing contacts.": "Χρησιμοποιήστε email για να είστε προαιρετικά ανιχνεύσιμος από υπάρχουσες επαφές.", "Enter phone number (required on this homeserver)": "Εισαγάγετε τον αριθμό τηλεφώνου (απαιτείται σε αυτόν τον κεντρικό διακομιστή)", "Other users can invite you to rooms using your contact details": "Άλλοι χρήστες μπορούν να σας προσκαλέσουν σε δωμάτια χρησιμοποιώντας τα στοιχεία επικοινωνίας σας", "Enter email address (required on this homeserver)": "Εισαγάγετε τη διεύθυνση email (απαιτείται σε αυτόν τον κεντρικό διακομιστή)", @@ -1711,13 +1617,6 @@ "Country Dropdown": "Αναπτυσσόμενο μενού Χώρας", "This homeserver would like to make sure you are not a robot.": "Αυτός ο κεντρικός διακομιστής θα ήθελε να βεβαιωθεί ότι δεν είστε ρομπότ.", "You are sharing your live location": "Μοιράζεστε την τρέχουσα τοποθεσία σας", - "Failed to load list of rooms.": "Αποτυχία φόρτωσης λίστας δωματίων.", - "Mark as suggested": "Επισήμανση ως προτεινόμενο", - "Mark as not suggested": "Επισήμανση ως μη προτεινόμενο", - "Failed to remove some rooms. Try again later": "Αποτυχία κατάργησης ορισμένων δωματίων. Δοκιμάστε ξανά αργότερα", - "Select a room below first": "Επιλέξτε πρώτα ένα δωμάτιο παρακάτω", - "Suggested": "Προτεινόμενα", - "This room is suggested as a good one to join": "Αυτό το δωμάτιο προτείνεται ως ένα καλό δωμάτιο για συμμετοχή", "You don't have permission": "Δεν έχετε άδεια", "You have %(count)s unread notifications in a prior version of this room.": { "one": "Έχετε %(count)s μη αναγνωσμένη ειδοποιήση σε προηγούμενη έκδοση αυτού του δωματίου.", @@ -1727,7 +1626,6 @@ "Retry all": "Επανάληψη όλων", "Delete all": "Διαγραφή όλων", "Some of your messages have not been sent": "Μερικά από τα μηνύματα σας δεν έχουν αποσταλεί", - "You have no visible notifications.": "Δεν έχετε ορατές ειδοποιήσεις.", "Verification requested": "Ζητήθηκε επαλήθευση", "Search spaces": "Αναζήτηση χώρων", "Updating %(brand)s": "Ενημέρωση %(brand)s", @@ -1773,7 +1671,6 @@ "Add a space to a space you manage.": "Προσθέστε έναν χώρο σε ένα χώρο που διαχειρίζεστε.", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Η εκκαθάριση όλων των δεδομένων από αυτήν τη συνεδρία είναι μόνιμη. Τα κρυπτογραφημένα μηνύματα θα χαθούν εκτός εάν έχουν δημιουργηθεί αντίγραφα ασφαλείας των κλειδιών τους.", "Unable to load commit detail: %(msg)s": "Δεν είναι δυνατή η φόρτωση των λεπτομερειών δέσμευσης: %(msg)s", - "Use bots, bridges, widgets and sticker packs": "Χρησιμοποιήστε bots, γέφυρες, μικροεφαρμογές και πακέτα αυτοκόλλητων", "Data on this screen is shared with %(widgetDomain)s": "Τα δεδομένα σε αυτήν την οθόνη μοιράζονται με το %(widgetDomain)s", "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Η χρήση αυτής της μικροεφαρμογής μπορεί να μοιραστεί δεδομένα με το %(widgetDomain)s και τον διαχειριστή πρόσθετων.", "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Οι διαχειριστές πρόσθετων λαμβάνουν δεδομένα διαμόρφωσης και μπορούν να τροποποιούν μικροεφαρμογές, να στέλνουν προσκλήσεις για δωμάτια και να ορίζουν δικαιώματα πρόσβασης για λογαριασμό σας.", @@ -1789,17 +1686,12 @@ "Recovery Method Removed": "Η Μέθοδος Ανάκτησης Καταργήθηκε", "This session is encrypting history using the new recovery method.": "Αυτή η συνεδρία κρυπτογραφεί το ιστορικό χρησιμοποιώντας τη νέα μέθοδο ανάκτησης.", "Your keys are being backed up (the first backup could take a few minutes).": "Δημιουργούνται αντίγραφα ασφαλείας των κλειδιών σας (το πρώτο αντίγραφο ασφαλείας μπορεί να διαρκέσει μερικά λεπτά).", - "Emoji Autocomplete": "Αυτόματη συμπλήρωση Emoji", - "Command Autocomplete": "Αυτόματη συμπλήρωση εντολών", "Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "Αποκτήστε ξανά πρόσβαση στον λογαριασμό σας και ανακτήστε τα κλειδιά κρυπτογράφησης που είναι αποθηκευμένα σε αυτήν τη συνεδρία. Χωρίς αυτά, δε θα μπορείτε να διαβάσετε όλα τα ασφαλή μηνύματά σας σε καμία συνεδρία.", "Resetting your verification keys cannot be undone. After resetting, you won't have access to old encrypted messages, and any friends who have previously verified you will see security warnings until you re-verify with them.": "Δεν είναι δυνατή η αναίρεση της επαναφοράς των κλειδιών επαλήθευσης. Μετά την επαναφορά, δε θα έχετε πρόσβαση σε παλιά κρυπτογραφημένα μηνύματα και όλοι οι φίλοι που σας έχουν προηγουμένως επαληθεύσει θα βλέπουν προειδοποιήσεις ασφαλείας μέχρι να επαληθεύσετε ξανά μαζί τους.", "It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "Φαίνεται ότι δε διαθέτετε Κλειδί Ασφαλείας ή άλλες συσκευές με τις οποίες μπορείτε να επαληθεύσετε. Αυτή η συσκευή δε θα έχει πρόσβαση σε παλιά κρυπτογραφημένα μηνύματα. Για να επαληθεύσετε την ταυτότητά σας σε αυτήν τη συσκευή, θα πρέπει να επαναφέρετε τα κλειδιά επαλήθευσης.", "General failure": "Γενική αποτυχία", "You can't send any messages until you review and agree to our terms and conditions.": "Δεν μπορείτε να στείλετε μηνύματα μέχρι να ελέγξετε και να συμφωνήσετε με τους όρους και τις προϋποθέσεις μας.", - "%(creator)s created and configured the room.": "Ο/η %(creator)s δημιούργησε και διαμόρφωσε το δωμάτιο.", - "%(creator)s created this DM.": "Ο/η %(creator)s δημιούργησε αυτό το απευθείας μήνυμα.", "Failed to start livestream": "Η έναρξη της ζωντανής ροής απέτυχε", - "Manage & explore rooms": "Διαχειριστείτε και εξερευνήστε δωμάτια", "Mentions only": "Αναφορές μόνο", "Unsent": "Μη απεσταλμένα", "No results found": "Δε βρέθηκαν αποτελέσματα", @@ -1841,7 +1733,6 @@ "Verify this device to mark it as trusted. Trusting this device gives you and other users extra peace of mind when using end-to-end encrypted messages.": "Επαληθεύστε αυτήν τη συσκευή για να την επισημάνετε ως αξιόπιστη. Η εμπιστοσύνη αυτής της συσκευής προσφέρει σε εσάς και σε άλλους χρήστες επιπλέον ηρεμία όταν χρησιμοποιείτε μηνύματα με κρυπτογράφηση από άκρο σε άκρο.", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Η επαλήθευση αυτού του χρήστη θα επισημάνει τη συνεδρία του ως αξιόπιστη και θα επισημάνει επίσης τη συνεδρία σας ως αξιόπιστη σε αυτόν.", "Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Επαληθεύστε αυτόν τον χρήστη για να τον επισημάνετε ως αξιόπιστο. Η εμπιστοσύνη των χρηστών σάς προσφέρει επιπλέον ηρεμία όταν χρησιμοποιείτε μηνύματα με κρυπτογράφηση από άκρο σε άκρο.", - "Terms of Service": "Όροι Χρήσης", "You may contact me if you have any follow up questions": "Μπορείτε να επικοινωνήσετε μαζί μου εάν έχετε περαιτέρω ερωτήσεις", "Feedback sent! Thanks, we appreciate it!": "Τα σχόλια ανατροφοδότησης στάλθηκαν! Ευχαριστούμε, το εκτιμούμε!", "Search for rooms or people": "Αναζήτηση δωματίων ή ατόμων", @@ -1905,10 +1796,8 @@ "Failed to invite users to %(roomName)s": "Αποτυχία πρόσκλησης χρηστών στο %(roomName)s", "Joined": "Συνδέθηκε", "Joining": "Συνδέετε", - "You're all caught up": "Είστε πλήρως ενημερωμένοι", "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Έχουν εντοπιστεί δεδομένα από μια παλαιότερη έκδοση του %(brand)s. Αυτό θα έχει προκαλέσει δυσλειτουργία της κρυπτογράφησης από άκρο σε άκρο στην παλαιότερη έκδοση. Τα κρυπτογραφημένα μηνύματα από άκρο σε άκρο που ανταλλάχθηκαν πρόσφατα κατά τη χρήση της παλαιότερης έκδοσης ενδέχεται να μην μπορούν να αποκρυπτογραφηθούν σε αυτήν την έκδοση. Αυτό μπορεί επίσης να προκαλέσει την αποτυχία των μηνυμάτων που ανταλλάσσονται με αυτήν την έκδοση. Εάν αντιμετωπίζετε προβλήματα, αποσυνδεθείτε και συνδεθείτε ξανά. Για να διατηρήσετε το ιστορικό μηνυμάτων, εξάγετε και εισαγάγετε ξανά τα κλειδιά σας.", "Avatar": "Avatar", - "See room timeline (devtools)": "Εμφάνιση χρονοδιαγράμματος δωματίου (develtools)", "Forget": "Ξεχάστε", "Resend %(unsentCount)s reaction(s)": "Επανάληψη αποστολής %(unsentCount)s αντιδράσεων", "If you've forgotten your Security Key you can ": "Εάν έχετε ξεχάσει το κλειδί ασφαλείας σας, μπορείτε να ", @@ -1955,7 +1844,6 @@ "Generate a Security Key": "Δημιουργήστε ένα κλειδί ασφαλείας", "Unable to create key backup": "Δεν είναι δυνατή η δημιουργία αντιγράφου ασφαλείας κλειδιού", "Create key backup": "Δημιουργία αντιγράφου ασφαλείας κλειδιού", - "Space home": "Αρχική σελίδα χώρου", "An error occurred while stopping your live location, please try again": "Παρουσιάστηκε σφάλμα κατά τη διακοπή της ζωντανής τοποθεσίας σας, δοκιμάστε ξανά", "Resume": "Συνέχιση", "Invalid base_url for m.identity_server": "Μη έγκυρο base_url για m.identity_server", @@ -1972,10 +1860,6 @@ "New room": "Νέο δωμάτιο", "Private room": "Ιδιωτικό δωμάτιο", "Your password was successfully changed.": "Ο κωδικός πρόσβασης σας άλλαξε με επιτυχία.", - "Confirm signing out these devices": { - "one": "Επιβεβαιώστε την αποσύνδεση αυτής της συσκευής", - "other": "Επιβεβαιώστε την αποσύνδεση αυτών των συσκευών" - }, "Unread email icon": "Εικονίδιο μη αναγνωσμένου μηνύματος", "Check your email to continue": "Ελέγξτε το email σας για να συνεχίσετε", "Start a group chat": "Ξεκινήστε μια ομαδική συνομιλία", @@ -2012,7 +1896,6 @@ "To view %(roomName)s, you need an invite": "Για να δείτε το %(roomName)s, χρειάζεστε μια πρόσκληση", "New video room": "Νέο δωμάτιο βίντεο", "Video room": "Δωμάτια βίντεο", - "Video rooms are a beta feature": "Οι αίθουσες βίντεο είναι μια λειτουργία beta", "Seen by %(count)s people": { "one": "Αναγνώστηκε από %(count)s άτομο", "other": "Αναγνώστηκε από %(count)s άτομα" @@ -2102,7 +1985,9 @@ "orphan_rooms": "Άλλα δωμάτια", "on": "Ενεργό", "off": "Ανενεργό", - "all_rooms": "Όλα τα δωμάτια" + "all_rooms": "Όλα τα δωμάτια", + "deselect_all": "Αποεπιλογή όλων", + "select_all": "Επιλογή όλων" }, "action": { "continue": "Συνέχεια", @@ -2244,7 +2129,8 @@ "join_beta": "Συμμετοχή στη beta", "automatic_debug_logs_key_backup": "Αυτόματη αποστολή αρχείων καταγραφής εντοπισμού σφαλμάτων όταν η δημιουργία αντίγραφου κλειδιού ασφαλείας δεν λειτουργεί", "automatic_debug_logs_decryption": "Αυτόματη αποστολή αρχείων καταγραφής εντοπισμού σφαλμάτων για σφάλματα αποκρυπτογράφησης", - "automatic_debug_logs": "Αυτόματη αποστολή αρχείων καταγραφής εντοπισμού σφαλμάτων για οποιοδήποτε σφάλμα" + "automatic_debug_logs": "Αυτόματη αποστολή αρχείων καταγραφής εντοπισμού σφαλμάτων για οποιοδήποτε σφάλμα", + "video_rooms_beta": "Οι αίθουσες βίντεο είναι μια λειτουργία beta" }, "keyboard": { "home": "Αρχική", @@ -2327,7 +2213,19 @@ "placeholder_reply_encrypted": "Αποστολή κρυπτογραφημένης απάντησης…", "placeholder_reply": "Στείλτε μια απάντηση…", "placeholder_encrypted": "Αποστολή κρυπτογραφημένου μηνύματος…", - "placeholder": "Στείλτε ένα μήνυμα…" + "placeholder": "Στείλτε ένα μήνυμα…", + "autocomplete": { + "command_description": "Εντολές", + "command_a11y": "Αυτόματη συμπλήρωση εντολών", + "emoji_a11y": "Αυτόματη συμπλήρωση Emoji", + "@room_description": "Ειδοποιήστε όλο το δωμάτιο", + "notification_description": "Ειδοποίηση Δωματίου", + "notification_a11y": "Αυτόματη συμπλήρωση Ειδοποίησης", + "room_a11y": "Αυτόματη συμπλήρωση Δωματίου", + "space_a11y": "Αυτόματη συμπλήρωση Χώρου", + "user_description": "Χρήστες", + "user_a11y": "Αυτόματη συμπλήρωση Χρήστη" + } }, "Bold": "Έντονα", "Code": "Κωδικός", @@ -2504,6 +2402,26 @@ }, "keyboard": { "title": "Πληκτρολόγιο" + }, + "sessions": { + "session_id": "Αναγνωριστικό συνεδρίας", + "verify_session": "Επαλήθευση συνεδρίας", + "confirm_sign_out_sso": { + "one": "Επιβεβαιώστε ότι αποσυνδέεστε από αυτήν τη συσκευή χρησιμοποιώντας Single Sign On για να αποδείξετε την ταυτότητά σας.", + "other": "Επιβεβαιώστε την αποσύνδεση από αυτές τις συσκευές χρησιμοποιώντας Single Sign On για να αποδείξετε την ταυτότητά σας." + }, + "confirm_sign_out": { + "one": "Επιβεβαιώστε την αποσύνδεση αυτής της συσκευής", + "other": "Επιβεβαιώστε την αποσύνδεση αυτών των συσκευών" + }, + "confirm_sign_out_body": { + "other": "Κάντε κλικ στο κουμπί παρακάτω για να επιβεβαιώσετε αποσύνδεση αυτών των συσκευών.", + "one": "Κάντε κλικ στο κουμπί παρακάτω για επιβεβαίωση αποσύνδεση αυτής της συσκευής." + }, + "confirm_sign_out_continue": { + "one": "Αποσύνδεση συσκευής", + "other": "Αποσύνδεση συσκευών" + } } }, "devtools": { @@ -2575,7 +2493,8 @@ "widget_screenshots": "Ενεργοποίηση στιγμιότυπων οθόνης μικροεφαρμογών σε υποστηριζόμενες μικροεφαρμογές", "title": "Εργαλεία προγραμματιστή", "show_hidden_events": "Εμφάνιση κρυφών συμβάντων στη γραμμή χρόνου", - "developer_mode": "Λειτουργία για προγραμματιστές" + "developer_mode": "Λειτουργία για προγραμματιστές", + "view_source_decrypted_event_source": "Αποκρυπτογραφημένη πηγή συμβάντος" }, "export_chat": { "html": "HTML", @@ -2941,7 +2860,9 @@ "m.room.create": { "continuation": "Αυτό το δωμάτιο είναι η συνέχεια μιας άλλης συνομιλίας.", "see_older_messages": "Κάντε κλικ εδώ για να δείτε παλαιότερα μηνύματα." - } + }, + "creation_summary_dm": "Ο/η %(creator)s δημιούργησε αυτό το απευθείας μήνυμα.", + "creation_summary_room": "Ο/η %(creator)s δημιούργησε και διαμόρφωσε το δωμάτιο." }, "slash_command": { "spoiler": "Στέλνει το δοθέν μήνυμα ως spoiler", @@ -3115,13 +3036,51 @@ "kick": "Καταργήστε χρήστες", "ban": "Αποκλεισμός χρηστών", "redact": "Καταργήστε τα μηνύματα που αποστέλλονται από άλλους", - "notifications.room": "Ειδοποιήστε όλους" + "notifications.room": "Ειδοποιήστε όλους", + "no_privileged_users": "Κανένας χρήστης δεν έχει συγκεκριμένα δικαιώματα σε αυτό το δωμάτιο", + "privileged_users_section": "Προνομιούχοι χρήστες", + "muted_users_section": "Χρήστες σε Σίγαση", + "banned_users_section": "Αποκλεισμένοι χρήστες", + "send_event_type": "Στελιτε %(eventType)sσυμβάντα", + "title": "Ρόλοι & Δικαιώματα", + "permissions_section": "Δικαιώματα", + "permissions_section_description_space": "Επιλέξτε τους ρόλους που απαιτούνται για να αλλάξετε διάφορα μέρη του χώρου", + "permissions_section_description_room": "Επιλέξτε τους ρόλους που απαιτούνται για να αλλάξετε διάφορα μέρη του δωματίου" }, "security": { "strict_encryption": "Μη στέλνετε ποτέ κρυπτογραφημένα μηνύματα σε μη επαληθευμένες συνεδρίες σε αυτό το δωμάτιο από αυτή τη συνεδρία", "join_rule_invite": "Ιδιωτικό (μόνο με πρόσκληση)", "join_rule_invite_description": "Μόνο προσκεκλημένοι μπορούν να συμμετάσχουν.", - "join_rule_public_description": "Οποιοσδήποτε μπορεί να το βρει και να εγγραφεί." + "join_rule_public_description": "Οποιοσδήποτε μπορεί να το βρει και να εγγραφεί.", + "enable_encryption_public_room_confirm_title": "Είστε βέβαιοι ότι θέλετε να προσθέσετε κρυπτογράφηση σε αυτό το δημόσιο δωμάτιο;", + "enable_encryption_public_room_confirm_description_2": "Για να αποφύγετε αυτά τα ζητήματα, δημιουργήστε ένα νέα κρυπτογραφημένο δωμάτιο για τη συνομιλία που σκοπεύετε να πραγματοποιήσετε.", + "enable_encryption_confirm_title": "Ενεργοποίηση κρυπτογράφησης;", + "enable_encryption_confirm_description": "Αφού ενεργοποιηθεί, η κρυπτογράφηση για ένα δωμάτιο δεν μπορεί να απενεργοποιηθεί. Τα μηνύματα που αποστέλλονται σε κρυπτογραφημένα δωμάτια δεν είναι ορατά από τον διακομιστή, παρά μόνο από τους συμμετέχοντες στην αίθουσα. Η ενεργοποίηση της κρυπτογράφησης μπορεί να αποτρέψει τη σωστή λειτουργία πολλών bots και γεφυρών. Μάθετε περισσότερα σχετικά με την κρυπτογράφηση.", + "public_without_alias_warning": "Για να δημιουργήσετε σύνδεσμο σε αυτό το δωμάτιο, παρακαλώ προσθέστε μια διεύθυνση.", + "join_rule_description": "Αποφασίστε ποιος μπορεί να συμμετάσχει στο %(roomName)s.", + "encrypted_room_public_confirm_title": "Είστε βέβαιοι ότι θέλετε να κάνετε δημόσιο αυτό το κρυπτογραφημένο δωμάτιο;", + "encrypted_room_public_confirm_description_1": "Δε συνιστάται να κάνετε δημόσια τα κρυπτογραφημένα δωμάτια. Αυτό σημαίνει ότι οποιοσδήποτε μπορεί να βρει και να συμμετάσχει στο δωμάτιο, επομένως όλοι θα μπορούν να διαβάζουν τα μηνύματα. Δε θα έχετε κανένα από τα οφέλη της κρυπτογράφησης. Η κρυπτογράφηση μηνυμάτων σε δημόσιο δωμάτιο θα κάνει τη λήψη και την αποστολή μηνυμάτων πιο αργή.", + "encrypted_room_public_confirm_description_2": "Για να αποφύγετε αυτά τα ζητήματα, δημιουργήστε ένα νέο δημόσιο δωμάτιο για τη συνομιλία που σκοπεύετε να έχετε.", + "history_visibility": {}, + "history_visibility_warning": "Οι αλλαγές στα άτομα που μπορούν να διαβάσουν το ιστορικό θα ισχύουν μόνο για μελλοντικά μηνύματα σε αυτό το δωμάτιο. Η ορατότητα της υπάρχουσας ιστορίας θα παραμείνει αμετάβλητη.", + "history_visibility_legend": "Ποιος μπορεί να διαβάσει το ιστορικό;", + "guest_access_warning": "Τα άτομα με υποστηριζόμενους πελάτες θα μπορούν να εγγραφούν στο δωμάτιο χωρίς να έχουν εγγεγραμμένο λογαριασμό.", + "title": "Ασφάλεια & Απόρρητο", + "encryption_permanent": "Αφού ενεργοποιηθεί, η κρυπτογράφηση δεν μπορεί να απενεργοποιηθεί.", + "history_visibility_shared": "Μόνο μέλη (από τη στιγμή που ορίστηκε αυτή η επιλογή)", + "history_visibility_invited": "Μόνο μέλη (από τη στιγμή που προσκλήθηκαν)", + "history_visibility_joined": "Μόνο μέλη (από τη στιγμή που έγιναν μέλη)", + "history_visibility_world_readable": "Oποιοσδήποτε" + }, + "general": { + "publish_toggle": "Δημοσίευση αυτού του δωματίου στο κοινό κατάλογο δωματίων του %(domain)s;", + "user_url_previews_default_on": "Έχετε ενεργοποιημένη από προεπιλογή την προεπισκόπηση συνδέσμων.", + "user_url_previews_default_off": "Έχετε απενεργοποιημένη από προεπιλογή την προεπισκόπηση συνδέσμων.", + "default_url_previews_on": "Η προεπισκόπηση διευθύνσεων URL είναι ενεργοποιημένη από προεπιλογή για τους συμμετέχοντες σε αυτό το δωμάτιο.", + "default_url_previews_off": "Η προεπισκόπηση διευθύνσεων URL είναι απενεργοποιημένη από προεπιλογή για τους συμμετέχοντες σε αυτό το δωμάτιο.", + "url_preview_encryption_warning": "Σε κρυπτογραφημένα δωμάτια, όπως αυτό, οι προεπισκόπηση URL είναι απενεργοποιημένη από προεπιλογή για να διασφαλιστεί ότι ο κεντρικός σας διακομιστής (όπου δημιουργείται μια προεπισκόπηση) δεν μπορεί να συγκεντρώσει πληροφορίες σχετικά με συνδέσμους που βλέπετε σε αυτό το δωμάτιο.", + "url_preview_explainer": "Όταν κάποιος εισάγει μια διεύθυνση URL στο μήνυμά του, μπορεί να εμφανιστεί μια προεπισκόπηση του URL για να δώσει περισσότερες πληροφορίες σχετικά με αυτόν τον σύνδεσμο, όπως τον τίτλο, την περιγραφή και μια εικόνα από τον ιστότοπο.", + "url_previews_section": "Προεπισκόπηση συνδέσμων" } }, "encryption": { @@ -3225,7 +3184,15 @@ "server_picker_explainer": "Χρησιμοποιήστε τον Matrix διακομιστή που προτιμάτε εάν έχετε, ή φιλοξενήστε τον δικό σας.", "server_picker_learn_more": "Σχετικά με τους κεντρικούς διακομιστές", "incorrect_credentials": "Λανθασμένο όνομα χρήστη και/ή κωδικός.", - "account_deactivated": "Αυτός ο λογαριασμός έχει απενεργοποιηθεί." + "account_deactivated": "Αυτός ο λογαριασμός έχει απενεργοποιηθεί.", + "registration_username_validation": "Χρησιμοποιήστε μόνο πεζά γράμματα, αριθμούς, παύλες και κάτω παύλες", + "registration_username_unable_check": "Δεν είναι δυνατός ο έλεγχος εάν το όνομα χρήστη είναι διαθέσιμο. Δοκιμάστε ξανά αργότερα.", + "registration_username_in_use": "Κάποιος έχει ήδη αυτό το όνομα χρήστη. Δοκιμάστε άλλο ή εάν είστε εσείς, συνδεθείτε παρακάτω.", + "phone_label": "Τηλέφωνο", + "phone_optional_label": "Τηλέφωνο (προαιρετικό)", + "email_help_text": "Προσθέστε ένα email για να μπορείτε να κάνετε επαναφορά του κωδικού πρόσβασης σας.", + "email_phone_discovery_text": "Χρησιμοποιήστε email ή τηλέφωνο για να είστε προαιρετικά ανιχνεύσιμος από υπάρχουσες επαφές.", + "email_discovery_text": "Χρησιμοποιήστε email για να είστε προαιρετικά ανιχνεύσιμος από υπάρχουσες επαφές." }, "room_list": { "sort_unread_first": "Εμφάνιση δωματίων με μη αναγνωσμένα μηνύματα πρώτα", @@ -3413,7 +3380,21 @@ "light_high_contrast": "Ελαφριά υψηλή αντίθεση" }, "space": { - "landing_welcome": "Καλώς ήρθατε στο " + "landing_welcome": "Καλώς ήρθατε στο ", + "suggested_tooltip": "Αυτό το δωμάτιο προτείνεται ως ένα καλό δωμάτιο για συμμετοχή", + "suggested": "Προτεινόμενα", + "select_room_below": "Επιλέξτε πρώτα ένα δωμάτιο παρακάτω", + "unmark_suggested": "Επισήμανση ως μη προτεινόμενο", + "mark_suggested": "Επισήμανση ως προτεινόμενο", + "failed_remove_rooms": "Αποτυχία κατάργησης ορισμένων δωματίων. Δοκιμάστε ξανά αργότερα", + "failed_load_rooms": "Αποτυχία φόρτωσης λίστας δωματίων.", + "incompatible_server_hierarchy": "Ο διακομιστής σας δεν υποστηρίζει την εμφάνιση ιεραρχιών χώρου.", + "context_menu": { + "devtools_open_timeline": "Εμφάνιση χρονοδιαγράμματος δωματίου (develtools)", + "home": "Αρχική σελίδα χώρου", + "explore": "Εξερευνήστε δωμάτια", + "manage_and_explore": "Διαχειριστείτε και εξερευνήστε δωμάτια" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "Αυτός ο κεντρικός διακομιστής δεν έχει ρυθμιστεί για εμφάνιση χαρτών.", @@ -3461,5 +3442,50 @@ "setup_rooms_description": "Μπορείτε επίσης να προσθέσετε περισσότερα αργότερα, συμπεριλαμβανομένων των ήδη υπαρχόντων.", "setup_rooms_private_heading": "Σε ποια έργα εργάζεται η ομάδα σας;", "setup_rooms_private_description": "Θα δημιουργήσουμε δωμάτια για καθένα από αυτά." + }, + "user_menu": { + "switch_theme_light": "Αλλαγή σε φωτεινό", + "switch_theme_dark": "Αλλαγή σε σκοτεινό" + }, + "notif_panel": { + "empty_heading": "Είστε πλήρως ενημερωμένοι", + "empty_description": "Δεν έχετε ορατές ειδοποιήσεις." + }, + "console_scam_warning": "Εάν κάποιος σας είπε να κάνετε αντιγραφή και επικόλληση κάτι εδώ, υπάρχει μεγάλη πιθανότητα να σας έχουν εξαπατήσει!", + "console_dev_note": "Εάν ξέρετε τι κάνετε, το Element είναι ανοιχτού κώδικα, ανατρέξετε στο GitHub (https://github.com/vector-im/element-web/) και συνεισφέρετε!", + "room": { + "drop_file_prompt": "Αποθέστε εδώ για αποστολή", + "intro": { + "start_of_dm_history": "Αυτή είναι η αρχή του ιστορικού των άμεσων μηνυμάτων σας με .", + "dm_caption": "Μόνο οι δυο σας συμμετέχετε σε αυτήν τη συνομιλία, εκτός εάν κάποιος από εσάς προσκαλέσει κάποιον να συμμετάσχει.", + "topic_edit": "Θέμα: %(topic)s (επεξεργασία)", + "topic": "Θέμα: %(topic)s ", + "no_topic": "Προσθέστε ένα θέμα για να βοηθήσετε τους χρήστες να γνωρίζουν περί τίνος πρόκειται.", + "you_created": "Δημιουργήσατε αυτό το δωμάτιο.", + "user_created": "%(displayName)s δημιούργησε αυτό το δωμάτιο.", + "room_invite": "Προσκαλέστε μόνο σε αυτό το δωμάτιο", + "no_avatar_label": "Προσθέστε μια φωτογραφία, ώστε οι χρήστες να μπορούν εύκολα να εντοπίσουν το δωμάτιό σας.", + "start_of_room": "Αυτή είναι η αρχή του .", + "private_unencrypted_warning": "Τα προσωπικά σας μηνύματα είναι συνήθως κρυπτογραφημένα, αλλά αυτό το δωμάτιο δεν είναι. Συνήθως αυτό οφείλεται σε μια μη υποστηριζόμενη συσκευή ή μέθοδο που χρησιμοποιείται, όπως προσκλήσεις μέσω email.", + "enable_encryption_prompt": "Ενεργοποιήστε την κρυπτογράφηση στις ρυθμίσεις.", + "unencrypted_warning": "Η κρυπτογράφηση από άκρο σε άκρο δεν είναι ενεργοποιημένη" + } + }, + "file_panel": { + "guest_note": "Πρέπει να εγγραφείτε για να χρησιμοποιήσετε αυτή την λειτουργία", + "peek_note": "Πρέπει να συνδεθείτε στο δωμάτιο για να δείτε τα αρχεία του", + "empty_heading": "Δεν υπάρχουν αρχεία ορατά σε αυτό το δωμάτιο", + "empty_description": "Επισυνάψτε αρχεία από τη συνομιλία ή απλώς σύρετε και αποθέστε τα οπουδήποτε μέσα σε ένα δωμάτιο." + }, + "terms": { + "integration_manager": "Χρησιμοποιήστε bots, γέφυρες, μικροεφαρμογές και πακέτα αυτοκόλλητων", + "tos": "Όροι Χρήσης", + "intro": "Για να συνεχίσετε, πρέπει να αποδεχτείτε τους όρους αυτής της υπηρεσίας.", + "column_service": "Υπηρεσία", + "column_summary": "Περίληψη", + "column_document": "Έγγραφο" + }, + "space_settings": { + "title": "Ρυθμίσεις - %(spaceName)s" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/en_EN.json b/src/i18n/strings/en_EN.json index 5388bec732..5c0500f39d 100644 --- a/src/i18n/strings/en_EN.json +++ b/src/i18n/strings/en_EN.json @@ -25,6 +25,14 @@ "server_picker_explainer": "Use your preferred Matrix homeserver if you have one, or host your own.", "server_picker_learn_more": "About homeservers", "footer_powered_by_matrix": "powered by Matrix", + "registration_username_validation": "Use lowercase letters, numbers, dashes and underscores only", + "registration_username_unable_check": "Unable to check if username has been taken. Try again later.", + "registration_username_in_use": "Someone already has that username. Try another or if it is you, sign in below.", + "phone_label": "Phone", + "phone_optional_label": "Phone (optional)", + "email_help_text": "Add an email to be able to reset your password.", + "email_phone_discovery_text": "Use email or phone to optionally be discoverable by existing contacts.", + "email_discovery_text": "Use email to optionally be discoverable by existing contacts.", "sign_in_prompt": "Got an account? Sign in", "create_account_prompt": "New here? Create an account", "reset_password_action": "Reset password", @@ -237,6 +245,8 @@ "model": "Model", "verified": "Verified", "unverified": "Unverified", + "deselect_all": "Deselect all", + "select_all": "Select all", "emoji": "Emoji", "sticker": "Sticker", "system_alerts": "System Alerts", @@ -840,7 +850,9 @@ "other": "%(oneUser)ssent %(count)s hidden messages", "one": "%(oneUser)ssent a hidden message" } - } + }, + "creation_summary_dm": "%(creator)s created this DM.", + "creation_summary_room": "%(creator)s created and configured the room." }, "theme": { "light_high_contrast": "Light high contrast" @@ -1278,6 +1290,14 @@ "automatic_debug_logs_key_backup": "Automatically send debug logs when key backup is not functioning", "rust_crypto_disabled_notice": "Can currently only be enabled via config.json", "sliding_sync_disabled_notice": "Log out and back in to disable", + "video_rooms_beta": "Video rooms are a beta feature", + "sliding_sync_server_support": "Your server has native support", + "sliding_sync_server_no_support": "Your server lacks native support", + "sliding_sync_server_specify_proxy": "Your server lacks native support, you must specify a proxy", + "sliding_sync_configuration": "Sliding Sync configuration", + "sliding_sync_disable_warning": "To disable you will need to log out and back in, use with caution!", + "sliding_sync_proxy_url_optional_label": "Proxy URL (optional)", + "sliding_sync_proxy_url_label": "Proxy URL", "beta_feature": "This is a beta feature", "click_for_info": "Click for more info", "leave_beta_reload": "Leaving the beta will reload %(brand)s.", @@ -1426,6 +1446,95 @@ }, "keyboard": { "title": "Keyboard" + }, + "sessions": { + "sign_out_all_other_sessions": "Sign out of all other sessions (%(otherSessionsCount)s)", + "current_session": "Current session", + "confirm_sign_out_sso": { + "other": "Confirm logging out these devices by using Single Sign On to prove your identity.", + "one": "Confirm logging out this device by using Single Sign On to prove your identity." + }, + "confirm_sign_out": { + "other": "Confirm signing out these devices", + "one": "Confirm signing out this device" + }, + "confirm_sign_out_body": { + "other": "Click the button below to confirm signing out these devices.", + "one": "Click the button below to confirm signing out this device." + }, + "confirm_sign_out_continue": { + "other": "Sign out devices", + "one": "Sign out device" + }, + "rename_form_heading": "Rename session", + "rename_form_caption": "Please be aware that session names are also visible to people you communicate with.", + "rename_form_learn_more": "Renaming sessions", + "rename_form_learn_more_description_1": "Other users in direct messages and rooms that you join are able to view a full list of your sessions.", + "rename_form_learn_more_description_2": "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.", + "session_id": "Session ID", + "last_activity": "Last activity", + "url": "URL", + "os": "Operating system", + "browser": "Browser", + "ip": "IP address", + "details_heading": "Session details", + "push_toggle": "Toggle push notifications on this session.", + "push_heading": "Push notifications", + "push_subheading": "Receive push notifications on this session.", + "sign_out": "Sign out of this session", + "hide_details": "Hide details", + "show_details": "Show details", + "inactive_days": "Inactive for %(inactiveAgeDays)s+ days", + "verified_sessions": "Verified sessions", + "verified_sessions_explainer_1": "Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.", + "verified_sessions_explainer_2": "This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.", + "unverified_sessions": "Unverified sessions", + "unverified_sessions_explainer_1": "Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.", + "unverified_sessions_explainer_2": "You should make especially certain that you recognise these sessions as they could represent an unauthorised use of your account.", + "unverified_session": "Unverified session", + "unverified_session_explainer_1": "This session doesn't support encryption and thus can't be verified.", + "unverified_session_explainer_2": "You won't be able to participate in rooms where encryption is enabled when using this session.", + "unverified_session_explainer_3": "For best security and privacy, it is recommended to use Matrix clients that support encryption.", + "inactive_sessions": "Inactive sessions", + "inactive_sessions_explainer_1": "Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.", + "inactive_sessions_explainer_2": "Removing inactive sessions improves security and performance, and makes it easier for you to identify if a new session is suspicious.", + "desktop_session": "Desktop session", + "mobile_session": "Mobile session", + "web_session": "Web session", + "unknown_session": "Unknown session type", + "device_verified_description_current": "Your current session is ready for secure messaging.", + "device_verified_description": "This session is ready for secure messaging.", + "verified_session": "Verified session", + "device_unverified_description_current": "Verify your current session for enhanced secure messaging.", + "device_unverified_description": "Verify or sign out from this session for best security and reliability.", + "verify_session": "Verify session", + "verified_sessions_list_description": "For best security, sign out from any session that you don't recognize or use anymore.", + "unverified_sessions_list_description": "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.", + "inactive_sessions_list_description": "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.", + "no_verified_sessions": "No verified sessions found.", + "no_unverified_sessions": "No unverified sessions found.", + "no_inactive_sessions": "No inactive sessions found.", + "no_sessions": "No sessions found.", + "filter_all": "All", + "filter_verified_description": "Ready for secure messaging", + "filter_unverified_description": "Not ready for secure messaging", + "filter_inactive": "Inactive", + "filter_inactive_description": "Inactive for %(inactiveAgeDays)s days or longer", + "filter_label": "Filter devices", + "n_sessions_selected": { + "other": "%(count)s sessions selected", + "one": "%(count)s session selected" + }, + "sign_in_with_qr": "Sign in with QR code", + "sign_in_with_qr_description": "You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.", + "sign_in_with_qr_button": "Show QR code", + "sign_out_n_sessions": { + "other": "Sign out of %(count)s sessions", + "one": "Sign out of %(count)s session" + }, + "other_sessions_heading": "Other sessions", + "security_recommendations": "Security recommendations", + "security_recommendations_description": "Improve your account security by following these recommendations." } }, "room_settings": { @@ -1433,7 +1542,27 @@ "strict_encryption": "Never send encrypted messages to unverified sessions in this room from this session", "join_rule_invite": "Private (invite only)", "join_rule_invite_description": "Only invited people can join.", - "join_rule_public_description": "Anyone can find and join." + "join_rule_public_description": "Anyone can find and join.", + "enable_encryption_public_room_confirm_title": "Are you sure you want to add encryption to this public room?", + "enable_encryption_public_room_confirm_description_1": "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.", + "enable_encryption_public_room_confirm_description_2": "To avoid these issues, create a new encrypted room for the conversation you plan to have.", + "enable_encryption_confirm_title": "Enable encryption?", + "enable_encryption_confirm_description": "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.", + "public_without_alias_warning": "To link to this room, please add an address.", + "join_rule_description": "Decide who can join %(roomName)s.", + "encrypted_room_public_confirm_title": "Are you sure you want to make this encrypted room public?", + "encrypted_room_public_confirm_description_1": "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.", + "encrypted_room_public_confirm_description_2": "To avoid these issues, create a new public room for the conversation you plan to have.", + "history_visibility_shared": "Members only (since the point in time of selecting this option)", + "history_visibility_invited": "Members only (since they were invited)", + "history_visibility_joined": "Members only (since they joined)", + "history_visibility_world_readable": "Anyone", + "history_visibility_warning": "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.", + "history_visibility_legend": "Who can read history?", + "guest_access_warning": "People with supported clients will be able to join the room without having a registered account.", + "title": "Security & Privacy", + "encryption_permanent": "Once enabled, encryption cannot be disabled.", + "encryption_forced": "Your server requires encryption to be disabled." }, "permissions": { "m.room.avatar_space": "Change space avatar", @@ -1464,7 +1593,26 @@ "kick": "Remove users", "ban": "Ban users", "redact": "Remove messages sent by others", - "notifications.room": "Notify everyone" + "notifications.room": "Notify everyone", + "no_privileged_users": "No users have specific privileges in this room", + "privileged_users_section": "Privileged Users", + "muted_users_section": "Muted Users", + "banned_users_section": "Banned users", + "send_event_type": "Send %(eventType)s events", + "title": "Roles & Permissions", + "permissions_section": "Permissions", + "permissions_section_description_space": "Select the roles required to change various parts of the space", + "permissions_section_description_room": "Select the roles required to change various parts of the room" + }, + "general": { + "publish_toggle": "Publish this room to the public in %(domain)s's room directory?", + "user_url_previews_default_on": "You have enabled URL previews by default.", + "user_url_previews_default_off": "You have disabled URL previews by default.", + "default_url_previews_on": "URL previews are enabled by default for participants in this room.", + "default_url_previews_off": "URL previews are disabled by default for participants in this room.", + "url_preview_encryption_warning": "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.", + "url_preview_explainer": "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.", + "url_previews_section": "URL Previews" } }, "devtools": { @@ -1564,6 +1712,8 @@ "observe_only": "Observe only", "no_verification_requests_found": "No verification requests found", "failed_to_find_widget": "There was an error finding this widget.", + "view_source_decrypted_event_source": "Decrypted event source", + "view_source_decrypted_event_source_unavailable": "Decrypted source unavailable", "event_id": "Event ID: %(eventId)s" }, "bug_reporting": { @@ -2090,37 +2240,8 @@ "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.", "Error changing power level": "Error changing power level", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.", - "No users have specific privileges in this room": "No users have specific privileges in this room", - "Privileged Users": "Privileged Users", - "Muted Users": "Muted Users", - "Banned users": "Banned users", - "Send %(eventType)s events": "Send %(eventType)s events", - "Roles & Permissions": "Roles & Permissions", - "Permissions": "Permissions", - "Select the roles required to change various parts of the space": "Select the roles required to change various parts of the space", - "Select the roles required to change various parts of the room": "Select the roles required to change various parts of the room", - "Are you sure you want to add encryption to this public room?": "Are you sure you want to add encryption to this public room?", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "To avoid these issues, create a new encrypted room for the conversation you plan to have.", - "Enable encryption?": "Enable encryption?", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.", - "To link to this room, please add an address.": "To link to this room, please add an address.", - "Decide who can join %(roomName)s.": "Decide who can join %(roomName)s.", "Failed to update the join rules": "Failed to update the join rules", "Unknown failure": "Unknown failure", - "Are you sure you want to make this encrypted room public?": "Are you sure you want to make this encrypted room public?", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.", - "To avoid these issues, create a new public room for the conversation you plan to have.": "To avoid these issues, create a new public room for the conversation you plan to have.", - "Members only (since the point in time of selecting this option)": "Members only (since the point in time of selecting this option)", - "Members only (since they were invited)": "Members only (since they were invited)", - "Members only (since they joined)": "Members only (since they joined)", - "Anyone": "Anyone", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.", - "Who can read history?": "Who can read history?", - "People with supported clients will be able to join the room without having a registered account.": "People with supported clients will be able to join the room without having a registered account.", - "Security & Privacy": "Security & Privacy", - "Once enabled, encryption cannot be disabled.": "Once enabled, encryption cannot be disabled.", - "Your server requires encryption to be disabled.": "Your server requires encryption to be disabled.", "Enable %(brand)s as an additional calling option in this room": "Enable %(brand)s as an additional calling option in this room", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.", "You do not have sufficient permissions to change this.": "You do not have sufficient permissions to change this.", @@ -2165,97 +2286,8 @@ "Please enter verification code sent via text.": "Please enter verification code sent via text.", "Verification code": "Verification code", "Discovery options will appear once you have added a phone number above.": "Discovery options will appear once you have added a phone number above.", - "Sign out of all other sessions (%(otherSessionsCount)s)": "Sign out of all other sessions (%(otherSessionsCount)s)", - "Current session": "Current session", - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "other": "Confirm logging out these devices by using Single Sign On to prove your identity.", - "one": "Confirm logging out this device by using Single Sign On to prove your identity." - }, - "Confirm signing out these devices": { - "other": "Confirm signing out these devices", - "one": "Confirm signing out this device" - }, - "Click the button below to confirm signing out these devices.": { - "other": "Click the button below to confirm signing out these devices.", - "one": "Click the button below to confirm signing out this device." - }, - "Sign out devices": { - "other": "Sign out devices", - "one": "Sign out device" - }, "Authentication": "Authentication", "Failed to set display name": "Failed to set display name", - "Rename session": "Rename session", - "Please be aware that session names are also visible to people you communicate with.": "Please be aware that session names are also visible to people you communicate with.", - "Renaming sessions": "Renaming sessions", - "Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "Other users in direct messages and rooms that you join are able to view a full list of your sessions.", - "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.", - "Session ID": "Session ID", - "Last activity": "Last activity", - "URL": "URL", - "Operating system": "Operating system", - "Browser": "Browser", - "IP address": "IP address", - "Session details": "Session details", - "Toggle push notifications on this session.": "Toggle push notifications on this session.", - "Push notifications": "Push notifications", - "Receive push notifications on this session.": "Receive push notifications on this session.", - "Sign out of this session": "Sign out of this session", - "Hide details": "Hide details", - "Show details": "Show details", - "Inactive for %(inactiveAgeDays)s+ days": "Inactive for %(inactiveAgeDays)s+ days", - "Verified sessions": "Verified sessions", - "Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.", - "This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.", - "Unverified sessions": "Unverified sessions", - "Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.": "Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.", - "You should make especially certain that you recognise these sessions as they could represent an unauthorised use of your account.": "You should make especially certain that you recognise these sessions as they could represent an unauthorised use of your account.", - "Unverified session": "Unverified session", - "This session doesn't support encryption and thus can't be verified.": "This session doesn't support encryption and thus can't be verified.", - "You won't be able to participate in rooms where encryption is enabled when using this session.": "You won't be able to participate in rooms where encryption is enabled when using this session.", - "For best security and privacy, it is recommended to use Matrix clients that support encryption.": "For best security and privacy, it is recommended to use Matrix clients that support encryption.", - "Inactive sessions": "Inactive sessions", - "Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.": "Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.", - "Removing inactive sessions improves security and performance, and makes it easier for you to identify if a new session is suspicious.": "Removing inactive sessions improves security and performance, and makes it easier for you to identify if a new session is suspicious.", - "Desktop session": "Desktop session", - "Mobile session": "Mobile session", - "Web session": "Web session", - "Unknown session type": "Unknown session type", - "Your current session is ready for secure messaging.": "Your current session is ready for secure messaging.", - "This session is ready for secure messaging.": "This session is ready for secure messaging.", - "Verified session": "Verified session", - "Verify your current session for enhanced secure messaging.": "Verify your current session for enhanced secure messaging.", - "Verify or sign out from this session for best security and reliability.": "Verify or sign out from this session for best security and reliability.", - "Verify session": "Verify session", - "For best security, sign out from any session that you don't recognize or use anymore.": "For best security, sign out from any session that you don't recognize or use anymore.", - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.", - "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.", - "No verified sessions found.": "No verified sessions found.", - "No unverified sessions found.": "No unverified sessions found.", - "No inactive sessions found.": "No inactive sessions found.", - "No sessions found.": "No sessions found.", - "All": "All", - "Ready for secure messaging": "Ready for secure messaging", - "Not ready for secure messaging": "Not ready for secure messaging", - "Inactive": "Inactive", - "Inactive for %(inactiveAgeDays)s days or longer": "Inactive for %(inactiveAgeDays)s days or longer", - "Filter devices": "Filter devices", - "Deselect all": "Deselect all", - "Select all": "Select all", - "%(count)s sessions selected": { - "other": "%(count)s sessions selected", - "one": "%(count)s session selected" - }, - "Sign in with QR code": "Sign in with QR code", - "You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.": "You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.", - "Show QR code": "Show QR code", - "Sign out of %(count)s sessions": { - "other": "Sign out of %(count)s sessions", - "one": "Sign out of %(count)s session" - }, - "Other sessions": "Other sessions", - "Security recommendations": "Security recommendations", - "Improve your account security by following these recommendations.": "Improve your account security by following these recommendations.", "Failed to set pusher state": "Failed to set pusher state", "Unable to remove contact information": "Unable to remove contact information", "Remove %(email)s?": "Remove %(email)s?", @@ -2304,7 +2336,6 @@ "other": "(~%(count)s results)", "one": "(~%(count)s result)" }, - "Video rooms are a beta feature": "Video rooms are a beta feature", "Show %(count)s other previews": { "other": "Show %(count)s other previews", "one": "Show %(count)s other preview" @@ -2342,7 +2373,19 @@ "format_increase_indent": "Indent increase", "format_decrease_indent": "Indent decrease", "format_inline_code": "Code", - "format_link": "Link" + "format_link": "Link", + "autocomplete": { + "command_description": "Commands", + "command_a11y": "Command Autocomplete", + "emoji_a11y": "Emoji Autocomplete", + "@room_description": "Notify the whole room", + "notification_description": "Room Notification", + "notification_a11y": "Notification Autocomplete", + "room_a11y": "Room Autocomplete", + "space_a11y": "Space Autocomplete", + "user_description": "Users", + "user_a11y": "User Autocomplete" + } }, "The conversation continues here.": "The conversation continues here.", "This room has been replaced and is no longer active.": "This room has been replaced and is no longer active.", @@ -2357,21 +2400,26 @@ "Formatting": "Formatting", "Italics": "Italics", "Insert link": "Insert link", - "Send your first message to invite to chat": "Send your first message to invite to chat", - "Once everyone has joined, you’ll be able to chat": "Once everyone has joined, you’ll be able to chat", - "This is the beginning of your direct message history with .": "This is the beginning of your direct message history with .", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Only the two of you are in this conversation, unless either of you invites anyone to join.", - "Topic: %(topic)s (edit)": "Topic: %(topic)s (edit)", - "Topic: %(topic)s ": "Topic: %(topic)s ", - "Add a topic to help people know what it is about.": "Add a topic to help people know what it is about.", - "You created this room.": "You created this room.", - "%(displayName)s created this room.": "%(displayName)s created this room.", - "Invite to just this room": "Invite to just this room", - "Add a photo, so people can easily spot your room.": "Add a photo, so people can easily spot your room.", - "This is the start of .": "This is the start of .", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.", - "Enable encryption in settings.": "Enable encryption in settings.", - "End-to-end encryption isn't enabled": "End-to-end encryption isn't enabled", + "room": { + "intro": { + "send_message_start_dm": "Send your first message to invite to chat", + "encrypted_3pid_dm_pending_join": "Once everyone has joined, you’ll be able to chat", + "start_of_dm_history": "This is the beginning of your direct message history with .", + "dm_caption": "Only the two of you are in this conversation, unless either of you invites anyone to join.", + "topic_edit": "Topic: %(topic)s (edit)", + "topic": "Topic: %(topic)s ", + "no_topic": "Add a topic to help people know what it is about.", + "you_created": "You created this room.", + "user_created": "%(displayName)s created this room.", + "room_invite": "Invite to just this room", + "no_avatar_label": "Add a photo, so people can easily spot your room.", + "start_of_room": "This is the start of .", + "private_unencrypted_warning": "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.", + "enable_encryption_prompt": "Enable encryption in settings.", + "unencrypted_warning": "End-to-end encryption isn't enabled" + }, + "drop_file_prompt": "Drop file here to upload" + }, "Message didn't send. Click for info.": "Message didn't send. Click for info.", "View message": "View message", "presence": { @@ -2604,14 +2652,6 @@ "Room Name": "Room Name", "Room Topic": "Room Topic", "Room avatar": "Room avatar", - "Publish this room to the public in %(domain)s's room directory?": "Publish this room to the public in %(domain)s's room directory?", - "You have enabled URL previews by default.": "You have enabled URL previews by default.", - "You have disabled URL previews by default.": "You have disabled URL previews by default.", - "URL previews are enabled by default for participants in this room.": "URL previews are enabled by default for participants in this room.", - "URL previews are disabled by default for participants in this room.": "URL previews are disabled by default for participants in this room.", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.", - "URL Previews": "URL Previews", "To proceed, please accept the verification request on your other device.": "To proceed, please accept the verification request on your other device.", "Waiting for %(displayName)s to accept…": "Waiting for %(displayName)s to accept…", "Accepting…": "Accepting…", @@ -3283,6 +3323,7 @@ "Confirm by comparing the following with the User Settings in your other session:": "Confirm by comparing the following with the User Settings in your other session:", "Confirm this user's session by comparing the following with their User Settings:": "Confirm this user's session by comparing the following with their User Settings:", "Session name": "Session name", + "Session ID": "Session ID", "Session key": "Session key", "If they don't match, the security of your communication may be compromised.": "If they don't match, the security of your communication may be compromised.", "Your homeserver doesn't seem to support this feature.": "Your homeserver doesn't seem to support this feature.", @@ -3366,28 +3407,25 @@ "Link to room": "Link to room", "Command Help": "Command Help", "Checking…": "Checking…", - "Your server has native support": "Your server has native support", - "Your server lacks native support": "Your server lacks native support", - "Your server lacks native support, you must specify a proxy": "Your server lacks native support, you must specify a proxy", - "Sliding Sync configuration": "Sliding Sync configuration", - "To disable you will need to log out and back in, use with caution!": "To disable you will need to log out and back in, use with caution!", - "Proxy URL (optional)": "Proxy URL (optional)", - "Proxy URL": "Proxy URL", "Sections to show": "Sections to show", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.", - "Settings - %(spaceName)s": "Settings - %(spaceName)s", + "space_settings": { + "title": "Settings - %(spaceName)s" + }, "To help us prevent this in future, please send us logs.": "To help us prevent this in future, please send us logs.", "Missing session data": "Missing session data", "Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.", "Your browser likely removed this data when running low on disk space.": "Your browser likely removed this data when running low on disk space.", "Find others by phone or email": "Find others by phone or email", "Be found by phone or email": "Be found by phone or email", - "Use bots, bridges, widgets and sticker packs": "Use bots, bridges, widgets and sticker packs", - "Terms of Service": "Terms of Service", - "To continue you need to accept the terms of this service.": "To continue you need to accept the terms of this service.", - "Service": "Service", - "Summary": "Summary", - "Document": "Document", + "terms": { + "integration_manager": "Use bots, bridges, widgets and sticker packs", + "tos": "Terms of Service", + "intro": "To continue you need to accept the terms of this service.", + "column_service": "Service", + "column_summary": "Summary", + "column_document": "Document" + }, "You signed in to a new session without verifying it:": "You signed in to a new session without verifying it:", "Verify your other session using one of the options below.": "Verify your other session using one of the options below.", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) signed in to a new session without verifying it:", @@ -3513,9 +3551,23 @@ "Mark as read": "Mark as read", "Match default setting": "Match default setting", "Mute room": "Mute room", - "See room timeline (devtools)": "See room timeline (devtools)", - "Space home": "Space home", - "Manage & explore rooms": "Manage & explore rooms", + "space": { + "context_menu": { + "devtools_open_timeline": "See room timeline (devtools)", + "home": "Space home", + "manage_and_explore": "Manage & explore rooms", + "explore": "Explore rooms" + }, + "suggested_tooltip": "This room is suggested as a good one to join", + "suggested": "Suggested", + "select_room_below": "Select a room below first", + "unmark_suggested": "Mark as not suggested", + "mark_suggested": "Mark as suggested", + "failed_remove_rooms": "Failed to remove some rooms. Try again later", + "failed_load_rooms": "Failed to load list of rooms.", + "incompatible_server_hierarchy": "Your server does not support showing space hierarchies.", + "landing_welcome": "Welcome to " + }, "Thread options": "Thread options", "Unable to start audio streaming.": "Unable to start audio streaming.", "Failed to start livestream": "Failed to start livestream", @@ -3603,25 +3655,19 @@ "Enter email address (required on this homeserver)": "Enter email address (required on this homeserver)", "Other users can invite you to rooms using your contact details": "Other users can invite you to rooms using your contact details", "Enter phone number (required on this homeserver)": "Enter phone number (required on this homeserver)", - "Use lowercase letters, numbers, dashes and underscores only": "Use lowercase letters, numbers, dashes and underscores only", - "Unable to check if username has been taken. Try again later.": "Unable to check if username has been taken. Try again later.", - "Someone already has that username. Try another or if it is you, sign in below.": "Someone already has that username. Try another or if it is you, sign in below.", - "Phone (optional)": "Phone (optional)", - "Add an email to be able to reset your password.": "Add an email to be able to reset your password.", - "Use email or phone to optionally be discoverable by existing contacts.": "Use email or phone to optionally be discoverable by existing contacts.", - "Use email to optionally be discoverable by existing contacts.": "Use email to optionally be discoverable by existing contacts.", "Unnamed audio": "Unnamed audio", "Error downloading audio": "Error downloading audio", "Couldn't load page": "Couldn't load page", - "Drop file here to upload": "Drop file here to upload", - "You must register to use this functionality": "You must register to use this functionality", - "You must join the room to see its files": "You must join the room to see its files", - "No files visible in this room": "No files visible in this room", - "Attach files from chat or just drag and drop them anywhere in a room.": "Attach files from chat or just drag and drop them anywhere in a room.", + "file_panel": { + "guest_note": "You must register to use this functionality", + "peek_note": "You must join the room to see its files", + "empty_heading": "No files visible in this room", + "empty_description": "Attach files from chat or just drag and drop them anywhere in a room." + }, "Open dial pad": "Open dial pad", "Wait!": "Wait!", - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!", - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!", + "console_scam_warning": "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!", + "console_dev_note": "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!", "Reject invitation": "Reject invitation", "Are you sure you want to reject the invitation?": "Are you sure you want to reject the invitation?", "Failed to reject invitation": "Failed to reject invitation", @@ -3641,10 +3687,10 @@ "Old cryptography data detected": "Old cryptography data detected", "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.", "Verification requested": "Verification requested", - "%(creator)s created this DM.": "%(creator)s created this DM.", - "%(creator)s created and configured the room.": "%(creator)s created and configured the room.", - "You're all caught up": "You're all caught up", - "You have no visible notifications.": "You have no visible notifications.", + "notif_panel": { + "empty_heading": "You're all caught up", + "empty_description": "You have no visible notifications." + }, "Search failed": "Search failed", "Server may be unavailable, overloaded, or search timed out :(": "Server may be unavailable, overloaded, or search timed out :(", "No more results": "No more results", @@ -3669,21 +3715,10 @@ }, "Joining": "Joining", "You don't have permission": "You don't have permission", - "This room is suggested as a good one to join": "This room is suggested as a good one to join", - "Suggested": "Suggested", - "Select a room below first": "Select a room below first", - "Mark as not suggested": "Mark as not suggested", - "Mark as suggested": "Mark as suggested", - "Failed to remove some rooms. Try again later": "Failed to remove some rooms. Try again later", - "Failed to load list of rooms.": "Failed to load list of rooms.", - "Your server does not support showing space hierarchies.": "Your server does not support showing space hierarchies.", "You may want to try a different search or check for typos.": "You may want to try a different search or check for typos.", "Results": "Results", "Rooms and spaces": "Rooms and spaces", "Search names and descriptions": "Search names and descriptions", - "space": { - "landing_welcome": "Welcome to " - }, "threads": { "all_threads": "All threads", "all_threads_description": "Shows all threads from current room", @@ -3704,12 +3739,11 @@ "one": "Uploading %(filename)s and %(count)s other" }, "Uploading %(filename)s": "Uploading %(filename)s", - "Switch to light mode": "Switch to light mode", - "Switch to dark mode": "Switch to dark mode", - "Switch theme": "Switch theme", + "user_menu": { + "switch_theme_light": "Switch to light mode", + "switch_theme_dark": "Switch to dark mode" + }, "Could not load user profile": "Could not load user profile", - "Decrypted event source": "Decrypted event source", - "Decrypted source unavailable": "Decrypted source unavailable", "Original event source": "Original event source", "Waiting for users to join %(brand)s": "Waiting for users to join %(brand)s", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted", @@ -3755,16 +3789,6 @@ "Clear personal data": "Clear personal data", "Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.", "Send email": "Send email", - "Commands": "Commands", - "Command Autocomplete": "Command Autocomplete", - "Emoji Autocomplete": "Emoji Autocomplete", - "Notify the whole room": "Notify the whole room", - "Room Notification": "Room Notification", - "Notification Autocomplete": "Notification Autocomplete", - "Room Autocomplete": "Room Autocomplete", - "Space Autocomplete": "Space Autocomplete", - "Users": "Users", - "User Autocomplete": "User Autocomplete", "Your keys are being backed up (the first backup could take a few minutes).": "Your keys are being backed up (the first backup could take a few minutes).", "Starting backup…": "Starting backup…", "Success!": "Success!", diff --git a/src/i18n/strings/en_US.json b/src/i18n/strings/en_US.json index 703a59a72d..2dc2d9bc06 100644 --- a/src/i18n/strings/en_US.json +++ b/src/i18n/strings/en_US.json @@ -15,14 +15,11 @@ }, "A new password must be entered.": "A new password must be entered.", "An error has occurred.": "An error has occurred.", - "Anyone": "Anyone", "Are you sure?": "Are you sure?", "Are you sure you want to leave the room '%(roomName)s'?": "Are you sure you want to leave the room '%(roomName)s'?", "Are you sure you want to reject the invitation?": "Are you sure you want to reject the invitation?", - "Banned users": "Banned users", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.", "Change Password": "Change Password", - "Commands": "Commands", "Confirm password": "Confirm password", "Cryptography": "Cryptography", "Current password": "Current password", @@ -67,7 +64,6 @@ "You are no longer ignoring %(userId)s": "You are no longer ignoring %(userId)s", "Unignored user": "Unignored user", "Ignored user": "Ignored user", - "Publish this room to the public in %(domain)s's room directory?": "Publish this room to the public in %(domain)s's room directory?", "Low priority": "Low priority", "Missing room_id in request": "Missing room_id in request", "Missing user_id in request": "Missing user_id in request", @@ -78,14 +74,11 @@ "Notifications": "Notifications", "": "", "No more results": "No more results", - "No users have specific privileges in this room": "No users have specific privileges in this room", "Operation failed": "Operation failed", "Passwords can't be empty": "Passwords can't be empty", - "Permissions": "Permissions", "Phone": "Phone", "Please check your email and click on the link it contains. Once this is done, click continue.": "Please check your email and click on the link it contains. Once this is done, click continue.", "Power level must be positive integer.": "Power level must be positive integer.", - "Privileged Users": "Privileged Users", "Profile": "Profile", "Reason": "Reason", "Reject invitation": "Reject invitation", @@ -116,15 +109,11 @@ "unknown error code": "unknown error code", "Upload avatar": "Upload avatar", "Upload Failed": "Upload Failed", - "Users": "Users", "Verification Pending": "Verification Pending", "Verified key": "Verified key", "Warning!": "Warning!", - "Who can read history?": "Who can read history?", "You cannot place a call with yourself.": "You cannot place a call with yourself.", "You do not have permission to post to this room": "You do not have permission to post to this room", - "You have disabled URL previews by default.": "You have disabled URL previews by default.", - "You have enabled URL previews by default.": "You have enabled URL previews by default.", "You need to be able to invite users to do that.": "You need to be able to invite users to do that.", "You need to be logged in.": "You need to be logged in.", "You seem to be in a call, are you sure you want to quit?": "You seem to be in a call, are you sure you want to quit?", @@ -165,7 +154,6 @@ "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.", - "You must join the room to see its files": "You must join the room to see its files", "Reject all %(invitedRooms)s invites": "Reject all %(invitedRooms)s invites", "Failed to invite": "Failed to invite", "Confirm Removal": "Confirm Removal", @@ -178,8 +166,6 @@ "Error decrypting video": "Error decrypting video", "Add an Integration": "Add an Integration", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?", - "URL Previews": "URL Previews", - "Drop file here to upload": "Drop file here to upload", "Admin Tools": "Admin Tools", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.", "Create new room": "Create new room", @@ -194,7 +180,6 @@ "other": "Uploading %(filename)s and %(count)s others" }, "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (power %(powerLevelNumber)s)", - "You must register to use this functionality": "You must register to use this functionality", "(~%(count)s results)": { "one": "(~%(count)s result)", "other": "(~%(count)s results)" @@ -379,6 +364,9 @@ "heading": "Customize your appearance", "timeline_image_size_default": "Default", "image_size_default": "Default" + }, + "sessions": { + "session_id": "Session ID" } }, "timeline": { @@ -511,7 +499,8 @@ "sign_in_or_register": "Sign In or Create Account", "sign_in_or_register_description": "Use your account or create a new one to continue.", "register_action": "Create Account", - "incorrect_credentials": "Incorrect username and/or password." + "incorrect_credentials": "Incorrect username and/or password.", + "phone_label": "Phone" }, "export_chat": { "messages": "Messages" @@ -532,5 +521,41 @@ "update": { "see_changes_button": "What's new?", "release_notes_toast_title": "What's New" + }, + "composer": { + "autocomplete": { + "command_description": "Commands", + "user_description": "Users" + } + }, + "room": { + "drop_file_prompt": "Drop file here to upload" + }, + "file_panel": { + "guest_note": "You must register to use this functionality", + "peek_note": "You must join the room to see its files" + }, + "space": { + "context_menu": { + "explore": "Explore rooms" + } + }, + "room_settings": { + "permissions": { + "no_privileged_users": "No users have specific privileges in this room", + "privileged_users_section": "Privileged Users", + "banned_users_section": "Banned users", + "permissions_section": "Permissions" + }, + "security": { + "history_visibility_legend": "Who can read history?", + "history_visibility_world_readable": "Anyone" + }, + "general": { + "publish_toggle": "Publish this room to the public in %(domain)s's room directory?", + "user_url_previews_default_on": "You have enabled URL previews by default.", + "user_url_previews_default_off": "You have disabled URL previews by default.", + "url_previews_section": "URL Previews" + } } } diff --git a/src/i18n/strings/eo.json b/src/i18n/strings/eo.json index f747a72e06..1e86d4c5a4 100644 --- a/src/i18n/strings/eo.json +++ b/src/i18n/strings/eo.json @@ -76,7 +76,6 @@ "Change Password": "Ŝanĝi pasvorton", "Authentication": "Aŭtentikigo", "Failed to set display name": "Malsukcesis agordi vidigan nomon", - "Drop file here to upload": "Demetu dosieron tien ĉi por ĝin alŝuti", "Unban": "Malforbari", "Failed to ban user": "Malsukcesis forbari uzanton", "Failed to mute user": "Malsukcesis silentigi uzanton", @@ -116,26 +115,11 @@ "Banned by %(displayName)s": "Forbarita de %(displayName)s", "unknown error code": "nekonata kodo de eraro", "Failed to forget room %(errCode)s": "Malsukcesis forgesi ĉambron %(errCode)s", - "Privileged Users": "Privilegiuloj", - "No users have specific privileges in this room": "Neniuj uzantoj havas specialajn privilegiojn en tiu ĉi ĉambro", - "Banned users": "Forbaritaj uzantoj", "This room is not accessible by remote Matrix servers": "Ĉi tiu ĉambro ne atingeblas por foraj serviloj de Matrix", "Favourite": "Elstarigi", - "Publish this room to the public in %(domain)s's room directory?": "Ĉu publikigi ĉi tiun ĉambron per la katalogo de ĉambroj de %(domain)s?", - "Who can read history?": "Kiu povas legi la historion?", - "Anyone": "Iu ajn", - "Members only (since the point in time of selecting this option)": "Nur ĉambranoj (ekde ĉi tiu elekto)", - "Members only (since they were invited)": "Nur ĉambranoj (ekde la invito)", - "Members only (since they joined)": "Nur ĉambranoj (ekde la aliĝo)", - "Permissions": "Permesoj", "Jump to first unread message.": "Salti al unua nelegita mesaĝo.", "not specified": "nespecifita", "This room has no local addresses": "Ĉi tiu ĉambro ne havas lokajn adresojn", - "You have enabled URL previews by default.": "Vi ŝaltis implicitajn antaŭrigardojn al retpaĝoj.", - "You have disabled URL previews by default.": "Vi malŝaltis implicitajn antaŭrigardojn al retpaĝoj.", - "URL previews are enabled by default for participants in this room.": "Antaŭrigardoj de URL-oj estas implicite ŝaltitaj por anoj de tiu ĉi ĉambro.", - "URL previews are disabled by default for participants in this room.": "Antaŭrigardoj de URL-oj estas implicite malŝaltitaj por anoj de tiu ĉi ĉambro.", - "URL Previews": "Antaŭrigardoj al retpaĝoj", "Error decrypting attachment": "Malĉifro de aldonaĵo eraris", "Decrypt %(text)s": "Malĉifri %(text)s", "Download %(text)s": "Elŝuti %(text)s", @@ -180,8 +164,6 @@ "Unable to add email address": "Ne povas aldoni retpoŝtadreson", "Unable to verify email address.": "Retpoŝtadreso ne kontroleblas.", "This will allow you to reset your password and receive notifications.": "Tio ĉi permesos al vi restarigi vian pasvorton kaj ricevi sciigojn.", - "You must register to use this functionality": "Vi devas registriĝî por uzi tiun ĉi funkcion", - "You must join the room to see its files": "Vi devas aliĝi al la ĉambro por vidi tie dosierojn", "Reject invitation": "Rifuzi inviton", "Are you sure you want to reject the invitation?": "Ĉu vi certe volas rifuzi la inviton?", "Failed to reject invitation": "Malsukcesis rifuzi la inviton", @@ -226,10 +208,6 @@ "Please note you are logging into the %(hs)s server, not matrix.org.": "Rimarku ke vi salutas la servilon %(hs)s, ne matrix.org.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Hejmservilo ne alkonekteblas per HTTP kun HTTPS URL en via adresbreto. Aŭ uzu HTTPS aŭ ŝaltu malsekurajn skriptojn.", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Ne eblas konekti al hejmservilo – bonvolu kontroli vian konekton, certigi ke la SSL-atestilo de via hejmservilo estas fidata, kaj ke neniu foliumila kromprogramo blokas petojn.", - "Commands": "Komandoj", - "Notify the whole room": "Sciigi la tutan ĉambron", - "Room Notification": "Ĉambra sciigo", - "Users": "Uzantoj", "Session ID": "Identigilo de salutaĵo", "Passphrases must match": "Pasfrazoj devas akordi", "Passphrase must not be empty": "Pasfrazoj maldevas esti malplenaj", @@ -352,15 +330,11 @@ "Email addresses": "Retpoŝtadresoj", "Phone numbers": "Telefonnumeroj", "Ignored users": "Malatentaj uzantoj", - "Security & Privacy": "Sekureco kaj Privateco", "Voice & Video": "Voĉo kaj vido", "Room information": "Informoj pri ĉambro", "Room version": "Ĉambra versio", "Room version:": "Ĉambra versio:", "Room Addresses": "Adresoj de ĉambro", - "Muted Users": "Silentigitaj uzantoj", - "Roles & Permissions": "Roloj kaj Permesoj", - "Enable encryption?": "Ĉu ŝalti ĉifradon?", "Share Link to User": "Kunhavigi ligilon al uzanto", "Share room": "Kunhavigi ĉambron", "Main address": "Ĉefa adreso", @@ -375,7 +349,6 @@ "Share User": "Kunhavigi uzanton", "Share Room Message": "Kunhavigi ĉambran mesaĝon", "Email (optional)": "Retpoŝto (malnepra)", - "Phone (optional)": "Telefono (malnepra)", "Couldn't load page": "Ne povis enlegi paĝon", "Could not load user profile": "Ne povis enlegi profilon de uzanto", "Your password has been reset.": "Vi reagordis vian pasvorton.", @@ -418,8 +391,6 @@ "Invited by %(sender)s": "Invitita de %(sender)s", "Error updating main address": "Ĝisdatigo de la ĉefa adreso eraris", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Ĝisdatigo de la ĉefa adreso de la ĉambro eraris. Aŭ la servilo tion ne permesas, aŭ io misfunkciis.", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "En ĉifritaj ĉambroj, kiel ĉi tiu, antaŭrigardoj al URL-oj estas implicite malŝaltitaj por certigi, ke via hejmservilo (kie la antaŭrigardoj estas generataj) ne povas kolekti informojn pri ligiloj en ĉi tiu ĉambro.", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Kiam iu metas URL-on en sian mesaĝon, antaŭrigardo al tiu URL povas montriĝi, por doni pliajn informojn pri tiu ligilo, kiel ekzemple la titolon, priskribon, kaj bildon el la retejo.", "edited": "redaktita", "Popout widget": "Fenestrigi fenestraĵon", "Rotate Left": "Turni maldekstren", @@ -525,12 +496,7 @@ "No backup found!": "Neniu savkopio troviĝis!", "Go to Settings": "Iri al agordoj", "No Audio Outputs detected": "Neniu soneligo troviĝis", - "Send %(eventType)s events": "Sendi okazojn de tipo « %(eventType)s »", - "Select the roles required to change various parts of the room": "Elektu la rolojn postulatajn por ŝanĝado de diversaj partoj de la ĉambro", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Post ŝalto, ĉifrado de ĉambro ne povas esti malŝaltita. Mesaĝoj senditaj al ĉifrata ĉambro ne estas videblaj por la servilo, nur por la partoprenantoj de la ĉambro. Ŝalto de ĉifrado eble malfunkciigos iujn robotojn kaj pontojn. Eksciu plion pri ĉifrado.", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Ŝanĝoj al legebleco de historio nur efektiviĝos por osaj mesaĝoj de ĉi tiu ĉambro. La videbleco de jama historio ne ŝanĝiĝos.", "Encryption": "Ĉifrado", - "Once enabled, encryption cannot be disabled.": "Post ŝalto, ne plu eblas malŝalti ĉifradon.", "The conversation continues here.": "La interparolo daŭras ĉi tie.", "This room has been replaced and is no longer active.": "Ĉi tiu ĉambro estas anstataŭita, kaj ne plu aktivas.", "Only room administrators will see this warning": "Nur administrantoj de ĉambro vidos ĉi tiun averton", @@ -560,7 +526,6 @@ "Passwords don't match": "Pasvortoj ne akordas", "Other users can invite you to rooms using your contact details": "Aliaj uzantoj povas inviti vin al ĉambroj per viaj kontaktaj detaloj", "Enter phone number (required on this homeserver)": "Enigu telefonnumeron (bezonata sur ĉi tiu hejmservilo)", - "Use lowercase letters, numbers, dashes and underscores only": "Uzu nur malgrandajn leterojn, numerojn, streketojn kaj substrekojn", "Enter username": "Enigu uzantonomon", "Some characters not allowed": "Iuj signoj ne estas permesitaj", "Terms and Conditions": "Uzokondiĉoj", @@ -595,10 +560,6 @@ "Invalid base_url for m.identity_server": "Nevalida base_url por m.identity_server", "Find others by phone or email": "Trovu aliajn per telefonnumero aŭ retpoŝtadreso", "Be found by phone or email": "Troviĝu per telefonnumero aŭ retpoŝtadreso", - "Use bots, bridges, widgets and sticker packs": "Uzu robotojn, pontojn, fenestraĵojn, kaj glumarkarojn", - "Terms of Service": "Uzokondiĉoj", - "Service": "Servo", - "Summary": "Resumo", "Call failed due to misconfigured server": "Voko malsukcesis pro misagordita servilo", "Please ask the administrator of your homeserver (%(homeserverDomain)s) to configure a TURN server in order for calls to work reliably.": "Bonvolu peti la administranton de via hejmservilo (%(homeserverDomain)s) agordi TURN-servilon, por ke vokoj funkciu dependeble.", "Use an identity server": "Uzi identigan servilon", @@ -695,16 +656,8 @@ "Hide advanced": "Kaŝi specialajn", "Show advanced": "Montri specialajn", "Command Help": "Helpo pri komando", - "To continue you need to accept the terms of this service.": "Por pluigi, vi devas akcepti la uzokondiĉojn de ĉi tiu servo.", - "Document": "Dokumento", - "%(creator)s created and configured the room.": "%(creator)s kreis kaj agordis la ĉambron.", "Jump to first unread room.": "Salti al unua nelegita ĉambro.", "Jump to first invite.": "Salti al unua invito.", - "Command Autocomplete": "Memkompletigo de komandoj", - "Emoji Autocomplete": "Memkompletigo de mienetoj", - "Notification Autocomplete": "Memkompletigo de sciigoj", - "Room Autocomplete": "Memkompletigo de ĉambroj", - "User Autocomplete": "Memkompletigo de uzantoj", "Error subscribing to list": "Eraris abono al listo", "Error removing ignored user/server": "Eraris forigo de la malatentata uzanto/servilo", "Error unsubscribing from list": "Eraris malabono de la listo", @@ -849,7 +802,6 @@ "Clear cross-signing keys": "Vakigi delege ĉifrajn ŝlosilojn", "Clear all data in this session?": "Ĉu vakigi ĉiujn datumojn en ĉi tiu salutaĵo?", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Vakigo de ĉiuj datumoj el ĉi tiu salutaĵo estas porĉiama. Ĉifritaj mesaĝoj perdiĝos, malse iliaj ŝlosiloj savkopiiĝis.", - "Verify session": "Kontroli salutaĵon", "Session name": "Nomo de salutaĵo", "Session key": "Ŝlosilo de salutaĵo", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Kontrolo de tiu ĉi uzanto markos ĝian salutaĵon fidata, kaj ankaŭ markos vian salutaĵon fidata por ĝi.", @@ -956,7 +908,6 @@ "IRC display name width": "Larĝo de vidiga nomo de IRC", "Please verify the room ID or address and try again.": "Bonvolu kontroli identigilon aŭ adreson de la ĉambro kaj reprovi.", "Room ID or address of ban list": "Ĉambra identigilo aŭ adreso de listo de forbaroj", - "To link to this room, please add an address.": "Por ligi al ĉi tiu ĉambro, bonvolu aldoni adreson.", "Error creating address": "Eraris kreado de adreso", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Eraris kreado de tiu adreso. Eble ĝi ne estas permesata de la servilo, aŭ okazis portempa fiasko.", "You don't have permission to delete the address.": "Vi ne rajtas forigi la adreson.", @@ -986,8 +937,6 @@ "Security Phrase": "Sekureca frazo", "Security Key": "Sekureca ŝlosilo", "Use your Security Key to continue.": "Uzu vian sekurecan ŝlosilon por daŭrigi.", - "Switch to light mode": "Ŝalti helan reĝimon", - "Switch to dark mode": "Ŝalti malhelan reĝimon", "Switch theme": "Ŝalti haŭton", "All settings": "Ĉiuj agordoj", "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Malhelpu perdon de aliro al ĉifritaj mesaĝoj kaj datumoj per savkopiado de ĉifraj ŝlosiloj al via servilo.", @@ -1016,8 +965,6 @@ "A connection error occurred while trying to contact the server.": "Eraris konekto dum provo kontakti la servilon.", "The server is not configured to indicate what the problem is (CORS).": "La servilo ne estas agordita por indiki la problemon (CORS).", "Recent changes that have not yet been received": "Freŝaj ŝanĝoj ankoraŭ ne ricevitaj", - "No files visible in this room": "Neniuj dosieroj videblas en ĉi tiu ĉambro", - "Attach files from chat or just drag and drop them anywhere in a room.": "Kunsendu dosierojn per la babilujo, aŭ trenu ilin kien ajn en ĉambro vi volas.", "Move right": "Movi dekstren", "Move left": "Movi maldekstren", "Revoke permissions": "Nuligi permesojn", @@ -1336,10 +1283,6 @@ "Confirm your Security Phrase": "Konfirmu vian Sekurecan frazon", "Great! This Security Phrase looks strong enough.": "Bonege! La Sekureca frazo ŝajnas sufiĉe forta.", "There was a problem communicating with the homeserver, please try again later.": "Eraris komunikado kun la hejmservilo, bonvolu reprovi poste.", - "You have no visible notifications.": "Vi havas neniujn videblajn sciigojn.", - "Use email to optionally be discoverable by existing contacts.": "Uzu retpoŝtadreson por laŭplaĉe esti trovebla de jamaj kontaktoj.", - "Use email or phone to optionally be discoverable by existing contacts.": "Uzu retpoŝtadreson aŭ telefonnumeron por laŭplaĉe esti trovebla de jamaj kontaktoj.", - "Add an email to be able to reset your password.": "Aldonu retpoŝtadreson por ebligi rehavon de via pasvorto.", "That phone number doesn't look quite right, please check and try again": "Tiu telefonnumero ne ŝajnas ĝusta, bonvolu kontroli kaj reprovi", "Enter phone number": "Enigu telefonnumeron", "Enter email address": "Enigu retpoŝtadreson", @@ -1368,15 +1311,6 @@ "This widget would like to:": "Ĉi tiu fenestraĵo volas:", "Approve widget permissions": "Aprobi rajtojn de fenestraĵo", "Recently visited rooms": "Freŝe vizititiaj ĉambroj", - "This is the start of .": "Jen la komenco de .", - "Add a photo, so people can easily spot your room.": "Aldonu foton, por ke oni facile trovu vian ĉambron.", - "%(displayName)s created this room.": "%(displayName)s kreis ĉi tiun ĉambron.", - "You created this room.": "Vi kreis ĉi tiun ĉambron.", - "Add a topic to help people know what it is about.": "Aldonu temon, por ke oni sciu, pri kio temas.", - "Topic: %(topic)s ": "Temo: %(topic)s ", - "Topic: %(topic)s (edit)": "Temo: %(topic)s (redakti)", - "This is the beginning of your direct message history with .": "Jen la komenco de historio de viaj rektaj mesaĝoj kun .", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Nur vi du partoprenas ĉi tiun interparolon, se neniu el vi invitos aliulon.", "There was an error looking up the phone number": "Eraris trovado de la telefonnumero", "Unable to look up phone number": "Ne povas trovi telefonnumeron", "Use app": "Uzu aplikaĵon", @@ -1384,7 +1318,6 @@ "Don't miss a reply": "Ne preterpasu respondon", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Ni petis la foliumilon memori, kiun hejmservilon vi uzas por saluti, sed domaĝe, via foliumilo forgesis. Iru al la saluta paĝo kaj reprovu.", "We couldn't log you in": "Ni ne povis salutigi vin", - "%(creator)s created this DM.": "%(creator)s kreis ĉi tiun individuan ĉambron.", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Averte, se vi ne aldonos retpoŝtadreson kaj poste forgesos vian pasvorton, vi eble por ĉiam perdos aliron al via konto.", "Continuing without email": "Daŭrigante sen retpoŝtadreso", "Transfer": "Transdoni", @@ -1397,17 +1330,11 @@ "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Savkopiu viajn čifrajn šlosilojn kune kun la datumoj de via konto, okaze ke vi perdos aliron al viaj salutaĵoj. Viaj ŝlosiloj sekuriĝos per unika Sekureca ŝlosilo.", "Dial pad": "Ciferplato", "This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please report a bug.": "Ĉi tiu kutime influas nur traktadon de la ĉambro servil-flanke. Se vi spertas problemojn pri via %(brand)s, bonvolu raporti eraron.", - "Mark as suggested": "Marki rekomendata", - "Mark as not suggested": "Marki nerekomendata", - "Suggested": "Rekomendata", - "This room is suggested as a good one to join": "Ĉi tiu ĉambro estas rekomendata kiel aliĝinda", "Suggested Rooms": "Rekomendataj ĉambroj", - "Your server does not support showing space hierarchies.": "Via servilo ne subtenas montradon de hierarĥioj de aroj.", "Private space": "Privata aro", "Public space": "Publika aro", " invites you": " invitas vin", "No results found": "Neniuj rezultoj troviĝis", - "Failed to remove some rooms. Try again later": "Malsukcesis forigi iujn arojn. Reprovu poste", "%(count)s rooms": { "one": "%(count)s ĉambro", "other": "%(count)s ĉambroj" @@ -1447,7 +1374,6 @@ "You can change these anytime.": "Vi povas ŝanĝi ĉi tiujn kiam ajn vi volas.", "Create a space": "Krei aron", "Original event source": "Originala fonto de okazo", - "Decrypted event source": "Malĉifrita fonto de okazo", "You may want to try a different search or check for typos.": "Eble vi provu serĉi alion, aŭ kontroli je mistajpoj.", "You don't have permission": "Vi ne rajtas", "Space options": "Agordoj de aro", @@ -1463,10 +1389,8 @@ "one": "Montri 1 anon", "other": "Montri ĉiujn %(count)s anojn" }, - "Invite to just this room": "Inviti nur al ĉi tiu ĉambro", "Failed to send": "Malsukcesis sendi", "Workspace: ": "Laborspaco: ", - "Manage & explore rooms": "Administri kaj esplori ĉambrojn", "unknown person": "nekonata persono", "%(deviceId)s from %(ip)s": "%(deviceId)s de %(ip)s", "Review to ensure your account is safe": "Kontrolu por certigi sekurecon de via konto", @@ -1493,10 +1417,8 @@ "Consult first": "Unue konsulti", "Message search initialisation failed": "Malsukcesis komenci serĉadon de mesaĝoj", "Enter your Security Phrase a second time to confirm it.": "Enigu vian Sekurecan frazon duafoje por ĝin konfirmi.", - "Space Autocomplete": "Memaga finfaro de aro", "Verify your identity to access encrypted messages and prove your identity to others.": "Kontrolu vian identecon por aliri ĉifritajn mesaĝojn kaj pruvi vian identecon al aliuloj.", "Search names and descriptions": "Serĉi nomojn kaj priskribojn", - "Select a room below first": "Unue elektu ĉambron de sube", "You can select all or individual messages to retry or delete": "Vi povas elekti ĉiujn aŭ unuopajn mesaĝojn, por reprovi aŭ forigi", "Sending": "Sendante", "Retry all": "Reprovi ĉiujn", @@ -1548,15 +1470,12 @@ "Hide sidebar": "Kaŝi flankan breton", "This space has no local addresses": "Ĉi tiu aro ne havas lokajn adresojn", "Stop recording": "Malŝalti registradon", - "End-to-end encryption isn't enabled": "Tutvoja ĉifrado ne estas ŝaltita", "Send voice message": "Sendi voĉmesaĝon", "Show %(count)s other previews": { "one": "Montri %(count)s alian antaŭrigardon", "other": "Montri %(count)s aliajn antaŭrigardojn" }, "Access": "Aliro", - "People with supported clients will be able to join the room without having a registered account.": "Personoj kun subtenataj klientoj povos aliĝi al la ĉambro sen registrita konto.", - "Decide who can join %(roomName)s.": "Decidu, kiu povas aliĝi al %(roomName)s.", "Space members": "Aranoj", "Anyone in a space can find and join. You can select multiple spaces.": "Ĉiu en aro povas trovi kaj aliĝi. Vi povas elekti plurajn arojn.", "Spaces with access": "Aroj kun aliro", @@ -1592,7 +1511,6 @@ "Collapse reply thread": "Maletendi respondan fadenon", "Show preview": "Antaŭrigardi", "View source": "Montri fonton", - "Settings - %(spaceName)s": "Agordoj – %(spaceName)s", "Please note upgrading will make a new version of the room. All current messages will stay in this archived room.": "Sciu, ke gradaltigo kreos novan version de la ĉambro. Ĉiuj nunaj mesaĝoj restos en ĉi tiu arĥivita ĉambro.", "Automatically invite members from this room to the new one": "Memage inviti anojn de ĉi tiu ĉambro al la nova", "Other spaces or rooms you might not know": "Aliaj aroj aŭ ĉambroj, kiujn vi eble ne konas", @@ -1638,7 +1556,6 @@ "The call is in an unknown state!": "La voko estas en nekonata stato!", "Unknown failure: %(reason)s": "Malsukceso nekonata: %(reason)s", "No answer": "Sen respondo", - "Enable encryption in settings.": "Ŝaltu ĉifradon per agordoj.", "An unknown error occurred": "Okazis nekonata eraro", "Their device couldn't start the camera or microphone": "Ĝia aparato ne povis startigi la filmilon aŭ la mikrofonon", "Connection failed": "Malsukcesis konekto", @@ -1650,11 +1567,7 @@ "If you have permissions, open the menu on any message and select Pin to stick them here.": "Se vi havas la bezonajn permesojn, malfermu la menuon sur ajna mesaĝo, kaj klaku al Fiksi por meti ĝin ĉi tien.", "Nothing pinned, yet": "Ankoraŭ nenio fiksita", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Agordu adresojn por ĉi tiu aro, por ke uzantoj trovu ĝin per via hejmservilo (%(localDomain)s)", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Viaj privataj mesaĝoj normale estas ĉifrataj, sed ĉi tiu ĉambro ne estas ĉifrata. Plej ofte tio okazas pro uzo de nesubtenata aparato aŭ metodo, ekzemple retpoŝtaj invitoj.", "Cross-signing is ready but keys are not backed up.": "Delegaj subskriboj pretas, sed ŝlosiloj ne estas savkopiitaj.", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "Por eviti tiujn problemojn, kreu novan ĉifritan ĉambron por la planata interparolo.", - "Are you sure you want to add encryption to this public room?": "Ĉu vi certas, ke vi volas aldoni ĉifradon al ĉi tiu publika ĉambro?", - "Select the roles required to change various parts of the space": "Elekti rolojn bezonatajn por ŝanĝado de diversaj partoj de la aro", "Anyone in can find and join. You can select other spaces too.": "Ĉiu en povas trovi kaj aliĝi. Vi povas elekti ankaŭ aliajn arojn.", "To join a space you'll need an invite.": "Por aliĝi al aro, vi bezonas inviton.", "Rooms and spaces": "Ĉambroj kaj aroj", @@ -1667,9 +1580,6 @@ "Some encryption parameters have been changed.": "Ŝanĝiĝis iuj parametroj de ĉifrado.", "Role in ": "Rolo en ", "Message didn't send. Click for info.": "Mesaĝo ne sendiĝis. Klaku por akiri informojn.", - "To avoid these issues, create a new public room for the conversation you plan to have.": "Por eviti ĉi tiujn problemojn, kreu novan publikan ĉambron por la dezirata interparolo.", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "Publikigo de ĉifrataj ĉambroj estas malrekomendata. Ĝi implicas, ke ĉiu povos trovi la ĉambron kaj aliĝi al ĝi, kaj ĉiu do povos legi mesaĝojn. Vi havos neniujn avantaĝojn de ĉifrado. Ĉifrado de mesaĝoj en publika ĉambro malrapidigos iliajn ricevadon kaj sendadon.", - "Are you sure you want to make this encrypted room public?": "Ĉu vi certas, ke vi volas publikigi ĉi tiun ĉifratan ĉambron?", "Unknown failure": "Nekonata malsukceso", "Failed to update the join rules": "Malsukcesis ĝisdatigi regulojn pri aliĝo", "Failed to invite users to %(roomName)s": "Malsukcesis inviti uzantojn al %(roomName)s", @@ -1770,38 +1680,10 @@ "You have unverified sessions": "Vi havas nekontrolitajn salutaĵojn", "Export chat": "Eksporti babilejon", "Files": "Dosieroj", - "Other sessions": "Aliaj salutaĵoj", - "Verified sessions": "Kontrolitaj salutaĵoj", - "Renaming sessions": "Renomi salutaĵojn", "Sessions": "Salutaĵoj", "Close sidebar": "Fermu la flanka kolumno", "Sidebar": "Flanka kolumno", - "Sign out of %(count)s sessions": { - "one": "Elsaluti el %(count)s salutaĵo", - "other": "Elsaluti el %(count)s salutaĵoj" - }, - "%(count)s sessions selected": { - "one": "%(count)s salutaĵo elektita", - "other": "%(count)s salutaĵoj elektitaj" - }, - "No sessions found.": "Neniuj salutaĵoj trovitaj.", - "No inactive sessions found.": "Neniuj neaktivaj salutaĵoj trovitaj.", - "No unverified sessions found.": "Neniuj nekontrolitaj salutaĵoj trovitaj.", - "No verified sessions found.": "Neniuj kontrolitaj salutaĵoj trovitaj.", - "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Konsideru elsaluti de malnovaj salutaĵoj (%(inactiveAgeDays)s tagoj aŭ pli malnovaj), kiujn vi ne plu uzas.", - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Por plia sekura komunikado, kontrolu viajn salutaĵojn aŭ elsalutu el ili se vi ne plu rekonas ilin.", - "Removing inactive sessions improves security and performance, and makes it easier for you to identify if a new session is suspicious.": "Forigi neaktivajn salutaĵojn plibonigas sekurecon, rendimenton kaj detekton de dubindaj novaj salutaĵoj.", - "Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.": "Neaktivaj salutaĵoj estas salutaĵoj, kiujn vi ne uzis dum kelka tempo, sed ili daŭre ricevas ĉifrajn ŝlosilojn.", - "Inactive sessions": "Neaktivaj salutaĵoj", - "Unverified sessions": "Nekontrolitaj salutaĵoj", "Public rooms": "Publikajn ĉambrojn", - "Show details": "Montri detalojn", - "Hide details": "Kaŝi detalojn", - "Sign out of this session": "Eliri el ĉi tiu salutaĵo", - "Receive push notifications on this session.": "Ricevi puŝajn sciigojn pri ĉi tiu sesio.", - "Push notifications": "Puŝaj sciigoj", - "IP address": "IP-adreso", - "Browser": "Retumilo", "Add privileged users": "Aldoni rajtigitan uzanton", "That's fine": "Tio estas bone", "Developer": "Programisto", @@ -2100,7 +1982,19 @@ "placeholder_reply_encrypted": "Sendi ĉifritan respondon…", "placeholder_reply": "Sendi respondon…", "placeholder_encrypted": "Sendi ĉifritan mesaĝon…", - "placeholder": "Sendi mesaĝon…" + "placeholder": "Sendi mesaĝon…", + "autocomplete": { + "command_description": "Komandoj", + "command_a11y": "Memkompletigo de komandoj", + "emoji_a11y": "Memkompletigo de mienetoj", + "@room_description": "Sciigi la tutan ĉambron", + "notification_description": "Ĉambra sciigo", + "notification_a11y": "Memkompletigo de sciigoj", + "room_a11y": "Memkompletigo de ĉambroj", + "space_a11y": "Memaga finfaro de aro", + "user_description": "Uzantoj", + "user_a11y": "Memkompletigo de uzantoj" + } }, "Bold": "Grase", "Code": "Kodo", @@ -2263,6 +2157,38 @@ }, "keyboard": { "title": "Klavaro" + }, + "sessions": { + "rename_form_learn_more": "Renomi salutaĵojn", + "session_id": "Identigilo de salutaĵo", + "browser": "Retumilo", + "ip": "IP-adreso", + "push_heading": "Puŝaj sciigoj", + "push_subheading": "Ricevi puŝajn sciigojn pri ĉi tiu sesio.", + "sign_out": "Eliri el ĉi tiu salutaĵo", + "hide_details": "Kaŝi detalojn", + "show_details": "Montri detalojn", + "verified_sessions": "Kontrolitaj salutaĵoj", + "unverified_sessions": "Nekontrolitaj salutaĵoj", + "inactive_sessions": "Neaktivaj salutaĵoj", + "inactive_sessions_explainer_1": "Neaktivaj salutaĵoj estas salutaĵoj, kiujn vi ne uzis dum kelka tempo, sed ili daŭre ricevas ĉifrajn ŝlosilojn.", + "inactive_sessions_explainer_2": "Forigi neaktivajn salutaĵojn plibonigas sekurecon, rendimenton kaj detekton de dubindaj novaj salutaĵoj.", + "verify_session": "Kontroli salutaĵon", + "unverified_sessions_list_description": "Por plia sekura komunikado, kontrolu viajn salutaĵojn aŭ elsalutu el ili se vi ne plu rekonas ilin.", + "inactive_sessions_list_description": "Konsideru elsaluti de malnovaj salutaĵoj (%(inactiveAgeDays)s tagoj aŭ pli malnovaj), kiujn vi ne plu uzas.", + "no_verified_sessions": "Neniuj kontrolitaj salutaĵoj trovitaj.", + "no_unverified_sessions": "Neniuj nekontrolitaj salutaĵoj trovitaj.", + "no_inactive_sessions": "Neniuj neaktivaj salutaĵoj trovitaj.", + "no_sessions": "Neniuj salutaĵoj trovitaj.", + "n_sessions_selected": { + "one": "%(count)s salutaĵo elektita", + "other": "%(count)s salutaĵoj elektitaj" + }, + "sign_out_n_sessions": { + "one": "Elsaluti el %(count)s salutaĵo", + "other": "Elsaluti el %(count)s salutaĵoj" + }, + "other_sessions_heading": "Aliaj salutaĵoj" } }, "devtools": { @@ -2295,7 +2221,8 @@ "category_room": "Ĉambro", "category_other": "Alia", "widget_screenshots": "Ŝalti bildojn de fenestraĵoj por subtenataj fenestraĵoj", - "show_hidden_events": "Montri kaŝitajn okazojn en historio" + "show_hidden_events": "Montri kaŝitajn okazojn en historio", + "view_source_decrypted_event_source": "Malĉifrita fonto de okazo" }, "export_chat": { "html": "HTML", @@ -2611,7 +2538,9 @@ "io.element.voice_broadcast_info": { "you": "Vi finis voĉan elsendon", "user": "%(senderName)s finis voĉan elsendon" - } + }, + "creation_summary_dm": "%(creator)s kreis ĉi tiun individuan ĉambron.", + "creation_summary_room": "%(creator)s kreis kaj agordis la ĉambron." }, "slash_command": { "spoiler": "Sendas la donitan mesaĝon kiel malkaŝon de intrigo", @@ -2784,13 +2713,51 @@ "state_default": "Ŝanĝi agordojn", "ban": "Forbari uzantojn", "redact": "Forigi mesaĝojn senditajn de aliaj", - "notifications.room": "Sciigi ĉiujn" + "notifications.room": "Sciigi ĉiujn", + "no_privileged_users": "Neniuj uzantoj havas specialajn privilegiojn en tiu ĉi ĉambro", + "privileged_users_section": "Privilegiuloj", + "muted_users_section": "Silentigitaj uzantoj", + "banned_users_section": "Forbaritaj uzantoj", + "send_event_type": "Sendi okazojn de tipo « %(eventType)s »", + "title": "Roloj kaj Permesoj", + "permissions_section": "Permesoj", + "permissions_section_description_space": "Elekti rolojn bezonatajn por ŝanĝado de diversaj partoj de la aro", + "permissions_section_description_room": "Elektu la rolojn postulatajn por ŝanĝado de diversaj partoj de la ĉambro" }, "security": { "strict_encryption": "Neniam sendi ĉifritajn mesaĝojn al nekontrolitaj salutaĵoj en ĉi tiu ĉambro de ĉi tiu salutaĵo", "join_rule_invite": "Privata (nur invititoj)", "join_rule_invite_description": "Nur invititoj povas aliĝi.", - "join_rule_public_description": "Ĉiu povas trovi kaj aliĝi." + "join_rule_public_description": "Ĉiu povas trovi kaj aliĝi.", + "enable_encryption_public_room_confirm_title": "Ĉu vi certas, ke vi volas aldoni ĉifradon al ĉi tiu publika ĉambro?", + "enable_encryption_public_room_confirm_description_2": "Por eviti tiujn problemojn, kreu novan ĉifritan ĉambron por la planata interparolo.", + "enable_encryption_confirm_title": "Ĉu ŝalti ĉifradon?", + "enable_encryption_confirm_description": "Post ŝalto, ĉifrado de ĉambro ne povas esti malŝaltita. Mesaĝoj senditaj al ĉifrata ĉambro ne estas videblaj por la servilo, nur por la partoprenantoj de la ĉambro. Ŝalto de ĉifrado eble malfunkciigos iujn robotojn kaj pontojn. Eksciu plion pri ĉifrado.", + "public_without_alias_warning": "Por ligi al ĉi tiu ĉambro, bonvolu aldoni adreson.", + "join_rule_description": "Decidu, kiu povas aliĝi al %(roomName)s.", + "encrypted_room_public_confirm_title": "Ĉu vi certas, ke vi volas publikigi ĉi tiun ĉifratan ĉambron?", + "encrypted_room_public_confirm_description_1": "Publikigo de ĉifrataj ĉambroj estas malrekomendata. Ĝi implicas, ke ĉiu povos trovi la ĉambron kaj aliĝi al ĝi, kaj ĉiu do povos legi mesaĝojn. Vi havos neniujn avantaĝojn de ĉifrado. Ĉifrado de mesaĝoj en publika ĉambro malrapidigos iliajn ricevadon kaj sendadon.", + "encrypted_room_public_confirm_description_2": "Por eviti ĉi tiujn problemojn, kreu novan publikan ĉambron por la dezirata interparolo.", + "history_visibility": {}, + "history_visibility_warning": "Ŝanĝoj al legebleco de historio nur efektiviĝos por osaj mesaĝoj de ĉi tiu ĉambro. La videbleco de jama historio ne ŝanĝiĝos.", + "history_visibility_legend": "Kiu povas legi la historion?", + "guest_access_warning": "Personoj kun subtenataj klientoj povos aliĝi al la ĉambro sen registrita konto.", + "title": "Sekureco kaj Privateco", + "encryption_permanent": "Post ŝalto, ne plu eblas malŝalti ĉifradon.", + "history_visibility_shared": "Nur ĉambranoj (ekde ĉi tiu elekto)", + "history_visibility_invited": "Nur ĉambranoj (ekde la invito)", + "history_visibility_joined": "Nur ĉambranoj (ekde la aliĝo)", + "history_visibility_world_readable": "Iu ajn" + }, + "general": { + "publish_toggle": "Ĉu publikigi ĉi tiun ĉambron per la katalogo de ĉambroj de %(domain)s?", + "user_url_previews_default_on": "Vi ŝaltis implicitajn antaŭrigardojn al retpaĝoj.", + "user_url_previews_default_off": "Vi malŝaltis implicitajn antaŭrigardojn al retpaĝoj.", + "default_url_previews_on": "Antaŭrigardoj de URL-oj estas implicite ŝaltitaj por anoj de tiu ĉi ĉambro.", + "default_url_previews_off": "Antaŭrigardoj de URL-oj estas implicite malŝaltitaj por anoj de tiu ĉi ĉambro.", + "url_preview_encryption_warning": "En ĉifritaj ĉambroj, kiel ĉi tiu, antaŭrigardoj al URL-oj estas implicite malŝaltitaj por certigi, ke via hejmservilo (kie la antaŭrigardoj estas generataj) ne povas kolekti informojn pri ligiloj en ĉi tiu ĉambro.", + "url_preview_explainer": "Kiam iu metas URL-on en sian mesaĝon, antaŭrigardo al tiu URL povas montriĝi, por doni pliajn informojn pri tiu ligilo, kiel ekzemple la titolon, priskribon, kaj bildon el la retejo.", + "url_previews_section": "Antaŭrigardoj al retpaĝoj" } }, "encryption": { @@ -2891,7 +2858,13 @@ "server_picker_explainer": "Uzu vian preferatan hejmservilon de Matrix se vi havas iun, aŭ gastigu vian propran.", "server_picker_learn_more": "Pri hejmserviloj", "incorrect_credentials": "Malĝusta uzantnomo kaj/aŭ pasvorto.", - "account_deactivated": "Tiu ĉi konto malaktiviĝis." + "account_deactivated": "Tiu ĉi konto malaktiviĝis.", + "registration_username_validation": "Uzu nur malgrandajn leterojn, numerojn, streketojn kaj substrekojn", + "phone_label": "Telefono", + "phone_optional_label": "Telefono (malnepra)", + "email_help_text": "Aldonu retpoŝtadreson por ebligi rehavon de via pasvorto.", + "email_phone_discovery_text": "Uzu retpoŝtadreson aŭ telefonnumeron por laŭplaĉe esti trovebla de jamaj kontaktoj.", + "email_discovery_text": "Uzu retpoŝtadreson por laŭplaĉe esti trovebla de jamaj kontaktoj." }, "room_list": { "sort_unread_first": "Montri ĉambrojn kun nelegitaj mesaĝoj kiel unuajn", @@ -3090,7 +3063,18 @@ "light_high_contrast": "Malpeza alta kontrasto" }, "space": { - "landing_welcome": "Bonvenu al " + "landing_welcome": "Bonvenu al ", + "suggested_tooltip": "Ĉi tiu ĉambro estas rekomendata kiel aliĝinda", + "suggested": "Rekomendata", + "select_room_below": "Unue elektu ĉambron de sube", + "unmark_suggested": "Marki nerekomendata", + "mark_suggested": "Marki rekomendata", + "failed_remove_rooms": "Malsukcesis forigi iujn arojn. Reprovu poste", + "incompatible_server_hierarchy": "Via servilo ne subtenas montradon de hierarĥioj de aroj.", + "context_menu": { + "explore": "Esplori ĉambrojn", + "manage_and_explore": "Administri kaj esplori ĉambrojn" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "Ĉi tiu hejmservilo ne estas agordita por montri mapojn.", @@ -3136,5 +3120,47 @@ "setup_rooms_community_heading": "Pri kio volus vi diskuti en %(spaceName)s?", "setup_rooms_community_description": "Kreu ni ĉambron por ĉiu el ili.", "setup_rooms_description": "Vi povas aldoni pliajn poste, inkluzive tiujn, kiuj jam ekzistas." + }, + "user_menu": { + "switch_theme_light": "Ŝalti helan reĝimon", + "switch_theme_dark": "Ŝalti malhelan reĝimon" + }, + "notif_panel": { + "empty_description": "Vi havas neniujn videblajn sciigojn." + }, + "room": { + "drop_file_prompt": "Demetu dosieron tien ĉi por ĝin alŝuti", + "intro": { + "start_of_dm_history": "Jen la komenco de historio de viaj rektaj mesaĝoj kun .", + "dm_caption": "Nur vi du partoprenas ĉi tiun interparolon, se neniu el vi invitos aliulon.", + "topic_edit": "Temo: %(topic)s (redakti)", + "topic": "Temo: %(topic)s ", + "no_topic": "Aldonu temon, por ke oni sciu, pri kio temas.", + "you_created": "Vi kreis ĉi tiun ĉambron.", + "user_created": "%(displayName)s kreis ĉi tiun ĉambron.", + "room_invite": "Inviti nur al ĉi tiu ĉambro", + "no_avatar_label": "Aldonu foton, por ke oni facile trovu vian ĉambron.", + "start_of_room": "Jen la komenco de .", + "private_unencrypted_warning": "Viaj privataj mesaĝoj normale estas ĉifrataj, sed ĉi tiu ĉambro ne estas ĉifrata. Plej ofte tio okazas pro uzo de nesubtenata aparato aŭ metodo, ekzemple retpoŝtaj invitoj.", + "enable_encryption_prompt": "Ŝaltu ĉifradon per agordoj.", + "unencrypted_warning": "Tutvoja ĉifrado ne estas ŝaltita" + } + }, + "file_panel": { + "guest_note": "Vi devas registriĝî por uzi tiun ĉi funkcion", + "peek_note": "Vi devas aliĝi al la ĉambro por vidi tie dosierojn", + "empty_heading": "Neniuj dosieroj videblas en ĉi tiu ĉambro", + "empty_description": "Kunsendu dosierojn per la babilujo, aŭ trenu ilin kien ajn en ĉambro vi volas." + }, + "terms": { + "integration_manager": "Uzu robotojn, pontojn, fenestraĵojn, kaj glumarkarojn", + "tos": "Uzokondiĉoj", + "intro": "Por pluigi, vi devas akcepti la uzokondiĉojn de ĉi tiu servo.", + "column_service": "Servo", + "column_summary": "Resumo", + "column_document": "Dokumento" + }, + "space_settings": { + "title": "Agordoj – %(spaceName)s" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/es.json b/src/i18n/strings/es.json index 40a6d0c9e7..35b3313ef9 100644 --- a/src/i18n/strings/es.json +++ b/src/i18n/strings/es.json @@ -10,10 +10,8 @@ "An error has occurred.": "Un error ha ocurrido.", "Are you sure?": "¿Estás seguro?", "Are you sure you want to reject the invitation?": "¿Estás seguro que quieres rechazar la invitación?", - "Banned users": "Usuarios vetados", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "No se ha podido conectar al servidor base a través de HTTP, cuando es necesario un enlace HTTPS en la barra de direcciones de tu navegador. Ya sea usando HTTPS o activando los scripts inseguros.", "Change Password": "Cambiar la contraseña", - "Commands": "Comandos", "Confirm password": "Confirmar contraseña", "Cryptography": "Criptografía", "Current password": "Contraseña actual", @@ -54,7 +52,6 @@ "No Microphones detected": "Micrófono no detectado", "No Webcams detected": "Cámara no detectada", "Default Device": "Dispositivo por defecto", - "Anyone": "Todos", "Custom level": "Nivel personalizado", "Enter passphrase": "Introducir frase de contraseña", "Home": "Inicio", @@ -69,7 +66,6 @@ "Confirm passphrase": "Confirmar frase de contraseña", "Import room keys": "Importar claves de sala", "File to import": "Fichero a importar", - "You must join the room to see its files": "Debes unirte a la sala para ver sus archivos", "Reject all %(invitedRooms)s invites": "Rechazar todas las invitaciones a %(invitedRooms)s", "Failed to invite": "No se ha podido invitar", "Unknown error": "Error desconocido", @@ -97,14 +93,11 @@ "": "", "No display name": "Sin nombre público", "No more results": "No hay más resultados", - "No users have specific privileges in this room": "Ningún usuario tiene permisos específicos en esta sala", "Operation failed": "Falló la operación", "Passwords can't be empty": "Las contraseñas no pueden estar en blanco", - "Permissions": "Permisos", "Phone": "Teléfono", "Please check your email and click on the link it contains. Once this is done, click continue.": "Por favor, consulta tu correo electrónico y haz clic en el enlace que contiene. Una vez hecho esto, haz clic en continuar.", "Power level must be positive integer.": "El nivel de autoridad debe ser un número entero positivo.", - "Privileged Users": "Usuarios con privilegios", "Profile": "Perfil", "Reason": "Motivo", "Reject invitation": "Rechazar invitación", @@ -139,22 +132,16 @@ }, "Upload avatar": "Adjuntar avatar", "Upload Failed": "Subida fallida", - "Users": "Usuarios", "Verification Pending": "Verificación Pendiente", "Verified key": "Clave verificada", "Warning!": "¡Advertencia!", - "Who can read history?": "¿Quién puede leer el historial?", "You are not in this room.": "No estás en esta sala.", "You do not have permission to do that in this room.": "No tienes permiso para realizar esa acción en esta sala.", "You cannot place a call with yourself.": "No puedes llamarte a ti mismo.", - "Publish this room to the public in %(domain)s's room directory?": "¿Quieres incluir esta sala en la lista pública de salas de %(domain)s?", "AM": "AM", "PM": "PM", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (nivel de permisos %(powerLevelNumber)s)", "You do not have permission to post to this room": "No tienes permiso para publicar en esta sala", - "You have disabled URL previews by default.": "Has desactivado la vista previa de URLs por defecto.", - "You have enabled URL previews by default.": "Has activado las vista previa de URLs por defecto.", - "You must register to use this functionality": "Regístrate para usar esta funcionalidad", "You need to be able to invite users to do that.": "Debes tener permisos para invitar usuarios para hacer eso.", "You need to be logged in.": "Necesitas haber iniciado sesión.", "You seem to be in a call, are you sure you want to quit?": "Parece estar en medio de una llamada, ¿esta seguro que desea salir?", @@ -222,7 +209,6 @@ "You are no longer ignoring %(userId)s": "Ya no ignoras a %(userId)s", "Your browser does not support the required cryptography extensions": "Su navegador no soporta las extensiones de criptografía requeridas", "Not a valid %(brand)s keyfile": "No es un archivo de claves de %(brand)s válido", - "Drop file here to upload": "Suelta aquí el archivo para enviarlo", "This event could not be displayed": "No se ha podido mostrar este evento", "Demote yourself?": "¿Quitarte permisos a ti mismo?", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "No podrás deshacer este cambio ya que estás quitándote permisos a ti mismo, si eres el último usuario con privilegios de la sala te resultará imposible recuperarlos.", @@ -241,16 +227,7 @@ }, "Share room": "Compartir la sala", "Banned by %(displayName)s": "Vetado por %(displayName)s", - "Muted Users": "Usuarios silenciados", - "Members only (since the point in time of selecting this option)": "Solo participantes (desde el momento en que se selecciona esta opción)", - "Members only (since they were invited)": "Solo participantes (desde que fueron invitados)", - "Members only (since they joined)": "Solo participantes (desde que se unieron a la sala)", "You don't currently have any stickerpacks enabled": "Actualmente no tienes ningún paquete de pegatinas activado", - "URL previews are enabled by default for participants in this room.": "La vista previa de URLs se activa por defecto en los participantes de esta sala.", - "URL previews are disabled by default for participants in this room.": "La vista previa de URLs se desactiva por defecto para los participantes de esta sala.", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "En salas cifradas como ésta, la vista previa de las URLs se desactiva por defecto para asegurar que el servidor base (donde se generan) no pueda recopilar información de los enlaces que veas en esta sala.", - "URL Previews": "Vista previa de enlaces", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Cuando alguien incluya una dirección URL en su mensaje, puede mostrarse una vista previa para ofrecer información sobre el enlace, que incluirá el título, descripción, y una imagen del sitio web.", "Error decrypting image": "Error al descifrar imagen", "Error decrypting video": "Error al descifrar el vídeo", "Copied!": "¡Copiado!", @@ -300,8 +277,6 @@ "No Audio Outputs detected": "No se han detectado salidas de sonido", "Audio Output": "Salida de sonido", "Please note you are logging into the %(hs)s server, not matrix.org.": "Por favor, ten en cuenta que estás iniciando sesión en el servidor %(hs)s, y no en matrix.org.", - "Notify the whole room": "Notificar a toda la sala", - "Room Notification": "Notificación de Salas", "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Este proceso te permite exportar las claves para los mensajes que has recibido en salas cifradas a un archivo local. En el futuro, podrás importar el archivo a otro cliente de Matrix, para que ese cliente también sea capaz de descifrar estos mensajes.", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Este proceso te permite importar claves de cifrado que hayas exportado previamente desde otro cliente de Matrix. Así, podrás descifrar cualquier mensaje que el otro cliente pudiera descifrar.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "El archivo exportado estará protegido con una contraseña. Deberías ingresar la contraseña aquí para descifrar el archivo.", @@ -419,11 +394,7 @@ "General": "General", "Room Addresses": "Direcciones de la sala", "Account management": "Gestión de la cuenta", - "Roles & Permissions": "Roles y permisos", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Los cambios que se hagan sobre quién puede leer el historial se aplicarán solo a nuevos mensajes. La visibilidad del historial actual no cambiará.", - "Security & Privacy": "Seguridad y privacidad", "Encryption": "Cifrado", - "Once enabled, encryption cannot be disabled.": "Una vez actives el cifrado, no podrás desactivarlo.", "Ignored users": "Usuarios ignorados", "Bulk options": "Opciones generales", "Missing media permissions, click the button below to request.": "No hay permisos de medios, haz clic abajo para pedirlos.", @@ -532,12 +503,6 @@ "Your browser likely removed this data when running low on disk space.": "Tu navegador probablemente borró estos datos cuando tenía poco espacio de disco.", "Find others by phone or email": "Encontrar a otros por teléfono o email", "Be found by phone or email": "Ser encontrado por teléfono o email", - "Use bots, bridges, widgets and sticker packs": "Usar robots, puentes, accesorios o packs de pegatinas", - "Terms of Service": "Términos de servicio", - "To continue you need to accept the terms of this service.": "Para continuar, necesitas aceptar estos términos de servicio.", - "Service": "Servicio", - "Summary": "Resumen", - "Document": "Documento", "Upload files (%(current)s of %(total)s)": "Enviar archivos (%(current)s de %(total)s)", "Upload files": "Enviar archivos", "Upload all": "Enviar todo", @@ -588,9 +553,6 @@ "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Ocurrió un error cambiando los requerimientos de nivel de poder de la sala. Asegúrate de tener los permisos suficientes e inténtalo de nuevo.", "Error changing power level": "Error al cambiar nivel de poder", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Ocurrió un error cambiando los requerimientos de nivel de poder del usuario. Asegúrate de tener los permisos suficientes e inténtalo de nuevo.", - "Send %(eventType)s events": "Enviar eventos %(eventType)s", - "Select the roles required to change various parts of the room": "Elige los roles que los usuarios deben tener para poder cambiar los distintos ajustes de la sala", - "Enable encryption?": "¿Activar cifrado?", "Your email address hasn't been verified yet": "Tu dirección de email no ha sido verificada", "Verify the link in your inbox": "Verifica el enlace en tu bandeja de entrada", "Remove %(email)s?": "¿Eliminar %(email)s?", @@ -712,7 +674,6 @@ "Are you sure you want to deactivate your account? This is irreversible.": "¿Estás seguro de que quieres desactivar su cuenta? No se puede deshacer.", "Confirm account deactivation": "Confirmar la desactivación de la cuenta", "There was a problem communicating with the server. Please try again.": "Hubo un problema de comunicación con el servidor. Por favor, inténtelo de nuevo.", - "Verify session": "Verificar sesión", "Session name": "Nombre de sesión", "Session key": "Código de sesión", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Verificar este usuario marcará su sesión como de confianza, y también marcará tu sesión como de confianza para él.", @@ -725,7 +686,6 @@ "a device cross-signing signature": "una firma para la firma cruzada de dispositivos", "a key signature": "un firma de clave", "%(brand)s encountered an error during upload of:": "%(brand)s encontró un error durante la carga de:", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Una vez activado, el cifrado de una sala no puede desactivarse. Los mensajes enviados a una sala cifrada no pueden ser vistos por el servidor, solo lo verán los participantes de la sala. Activar el cifrado puede hacer que muchos bots y bridges no funcionen correctamente. Más información sobre el cifrado", "Join the conversation with an account": "Unirse a la conversación con una cuenta", "Sign Up": "Registrarse", "Reason: %(reason)s": "Razón: %(reason)s", @@ -897,14 +857,11 @@ "Passwords don't match": "Las contraseñas no coinciden", "Other users can invite you to rooms using your contact details": "Otros usuarios pueden invitarte las salas utilizando tus datos de contacto", "Enter phone number (required on this homeserver)": "Introduce un número de teléfono (es obligatorio en este servidor base)", - "Use lowercase letters, numbers, dashes and underscores only": "Use sólo letras minúsculas, números, guiones y guiones bajos", "Enter username": "Introduce nombre de usuario", "Email (optional)": "Correo electrónico (opcional)", - "Phone (optional)": "Teléfono (opcional)", "Join millions for free on the largest public server": "Únete de forma gratuita a millones de personas en el servidor público más grande", "Sign in with SSO": "Ingrese con SSO", "Couldn't load page": "No se ha podido cargar la página", - "%(creator)s created and configured the room.": "Sala creada y configurada por %(creator)s.", "Explore rooms": "Explorar salas", "Jump to first invite.": "Salte a la primera invitación.", "Add room": "Añadir una sala", @@ -931,7 +888,6 @@ "New version available. Update now.": "Nueva versión disponible. Actualizar ahora.", "Please verify the room ID or address and try again.": "Por favor, verifica la ID o dirección de esta sala e inténtalo de nuevo.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "El administrador de tu servidor base ha desactivado el cifrado de extremo a extremo en salas privadas y mensajes directos.", - "To link to this room, please add an address.": "Para obtener un enlace a esta sala, añade una dirección.", "The authenticity of this encrypted message can't be guaranteed on this device.": "La autenticidad de este mensaje cifrado no puede ser garantizada en este dispositivo.", "No recently visited rooms": "No hay salas visitadas recientemente", "Explore public rooms": "Buscar salas públicas", @@ -990,20 +946,11 @@ "Security Key": "Clave de seguridad", "Use your Security Key to continue.": "Usa tu llave de seguridad para continuar.", "This room is public": "Esta sala es pública", - "No files visible in this room": "No hay archivos visibles en esta sala", - "Attach files from chat or just drag and drop them anywhere in a room.": "Adjunta archivos desde el chat o simplemente arrástralos y suéltalos en cualquier lugar de una sala.", "All settings": "Ajustes", - "Switch to light mode": "Cambiar al tema claro", - "Switch to dark mode": "Cambiar al tema oscuro", "Switch theme": "Cambiar tema", "Create account": "Crear una cuenta", "Failed to re-authenticate due to a homeserver problem": "No ha sido posible volver a autenticarse debido a un problema con el servidor base", "Clear personal data": "Borrar datos personales", - "Command Autocomplete": "Comando Autocompletar", - "Emoji Autocomplete": "Autocompletar Emoji", - "Notification Autocomplete": "Autocompletar notificación", - "Room Autocomplete": "Autocompletar sala", - "User Autocomplete": "Autocompletar de usuario", "Confirm encryption setup": "Confirmar la configuración de cifrado", "Click the button below to confirm setting up encryption.": "Haz clic en el botón de abajo para confirmar la configuración del cifrado.", "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Protéjase contra la pérdida de acceso a los mensajes y datos cifrados haciendo una copia de seguridad de las claves de cifrado en su servidor.", @@ -1123,8 +1070,6 @@ "Somalia": "Somalia", "Slovenia": "Eslovenia", "Slovakia": "Eslovaquia", - "Use email to optionally be discoverable by existing contacts.": "También puedes usarlo para que tus contactos te encuentren fácilmente.", - "Add an email to be able to reset your password.": "Añade un correo para poder restablecer tu contraseña si te olvidas.", "Channel: ": "Canal: ", "Nigeria": "Nigeria", "Niger": "Níger", @@ -1227,8 +1172,6 @@ "Åland Islands": "Åland", "Great! This Security Phrase looks strong enough.": "¡Genial! Esta frase de seguridad parece lo suficientemente segura.", "There was a problem communicating with the homeserver, please try again later.": "Ha ocurrido un error al conectarse a tu servidor base, inténtalo de nuevo más tarde.", - "You have no visible notifications.": "No tienes notificaciones pendientes.", - "%(creator)s created this DM.": "%(creator)s creó este mensaje directo.", "Enter phone number": "Escribe tu teléfono móvil", "Enter email address": "Escribe tu dirección de correo electrónico", "Something went wrong in confirming your identity. Cancel and try again.": "Ha ocurrido un error al confirmar tu identidad. Cancela e inténtalo de nuevo.", @@ -1263,13 +1206,6 @@ "Reason (optional)": "Motivo (opcional)", "Server Options": "Opciones del servidor", "Open dial pad": "Abrir teclado numérico", - "This is the start of .": "Aquí empieza .", - "Add a photo, so people can easily spot your room.": "Añade una imagen para que la gente reconozca la sala fácilmente.", - "%(displayName)s created this room.": "%(displayName)s creó esta sala.", - "You created this room.": "Creaste esta sala.", - "Add a topic to help people know what it is about.": "Añade un asunto para que la gente sepa de qué va la sala.", - "Topic: %(topic)s ": "Asunto: %(topic)s ", - "Topic: %(topic)s (edit)": "Asunto: %(topic)s (cambiar)", "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Haz una copia de seguridad de tus claves de cifrado con los datos de tu cuenta por si pierdes acceso a tus sesiones. Las clave serán aseguradas con una clave de seguridad única.", "The operation could not be completed": "No se ha podido completar la operación", "Failed to save your profile": "No se ha podido guardar tu perfil", @@ -1383,8 +1319,6 @@ "Backup could not be decrypted with this Security Key: please verify that you entered the correct Security Key.": "La copia de seguridad no se ha podido descifrar con esta clave: por favor, comprueba que la que has introducido es correcta.", "Security Key mismatch": "Las claves de seguridad no coinciden", "Invite someone using their name, username (like ) or share this room.": "Invita a alguien usando su nombre, nombre de usuario (ej.: ) o compartiendo esta sala.", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "En esta conversación no hay nadie más, hasta que uno de los dos invite a alguien.", - "Use email or phone to optionally be discoverable by existing contacts.": "Usa tu correo electrónico o teléfono para que, opcionalmente, tus contactos puedan descubrir tu cuenta.", "Enter Security Key": "Introduce la clave de seguridad", "Unable to access secret storage. Please verify that you entered the correct Security Phrase.": "No se ha podido acceder al almacenamiento seguro. Por favor, comprueba que la frase de seguridad es correcta.", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Ten en cuenta que, si no añades un correo electrónico y olvidas tu contraseña, podrías perder accceso para siempre a tu cuenta.", @@ -1395,16 +1329,13 @@ }, "Start a conversation with someone using their name or username (like ).": "Empieza una conversación con alguien usando su nombre o nombre de usuario (como ).", "Start a conversation with someone using their name, email address or username (like ).": "Empieza una conversación con alguien usando su nombre, correo electrónico o nombre de usuario (como ).", - "This is the beginning of your direct message history with .": "Este es el inicio de tu historial de mensajes directos con .", "Recently visited rooms": "Salas visitadas recientemente", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the space it will be impossible to regain privileges.": "No podrás deshacer esto, ya que te estás quitando tus permisos. Si eres la última persona con permisos en este usuario, no será posible recuperarlos.", "Original event source": "Fuente original del evento", - "Decrypted event source": "Descifrar fuente del evento", "%(count)s members": { "one": "%(count)s miembro", "other": "%(count)s miembros" }, - "Your server does not support showing space hierarchies.": "Este servidor no es compatible con la función de las jerarquías de espacios.", "Are you sure you want to leave the space '%(spaceName)s'?": "¿Salir del espacio «%(spaceName)s»?", "This space is not public. You will not be able to rejoin without an invite.": "Este espacio es privado. No podrás volverte a unir sin una invitación.", "Start audio stream": "Empezar retransmisión de audio", @@ -1433,17 +1364,12 @@ "Click to copy": "Haz clic para copiar", "Create a space": "Crear un espacio", "This homeserver has been blocked by its administrator.": "Este servidor base ha sido bloqueado por su administración.", - "This room is suggested as a good one to join": "Unirse a esta sala está sugerido", "This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please report a bug.": "Esto solo afecta normalmente a cómo el servidor procesa la sala. Si estás teniendo problemas con %(brand)s, por favor, infórmanos del problema.", "Private space": "Espacio privado", "Public space": "Espacio público", " invites you": " te ha invitado", "You may want to try a different search or check for typos.": "Prueba con otro término de búsqueda o comprueba que no haya erratas.", "No results found": "Ningún resultado", - "Mark as suggested": "Sugerir", - "Mark as not suggested": "No sugerir", - "Failed to remove some rooms. Try again later": "No se han podido quitar algunas salas. Prueba de nuevo más tarde", - "Suggested": "Sugerencias", "%(count)s rooms": { "one": "%(count)s sala", "other": "%(count)s salas" @@ -1463,8 +1389,6 @@ "one": "%(count)s persona que ya conoces se ha unido", "other": "%(count)s personas que ya conoces se han unido" }, - "Invite to just this room": "Invitar solo a esta sala", - "Manage & explore rooms": "Gestionar y explorar salas", "unknown person": "persona desconocida", "%(deviceId)s from %(ip)s": "%(deviceId)s desde %(ip)s", "Review to ensure your account is safe": "Revisa que tu cuenta esté segura", @@ -1492,7 +1416,6 @@ "Failed to send": "No se ha podido mandar", "Enter your Security Phrase a second time to confirm it.": "Escribe tu frase de seguridad de nuevo para confirmarla.", "You have no ignored users.": "No has ignorado a nadie.", - "Select a room below first": "Selecciona una sala de abajo primero", "Want to add a new room instead?": "¿Quieres añadir una sala nueva en su lugar?", "Adding rooms... (%(progress)s out of %(count)s)": { "other": "Añadiendo salas… (%(progress)s de %(count)s)", @@ -1511,14 +1434,12 @@ "You may contact me if you have any follow up questions": "Os podéis poner en contacto conmigo si tenéis alguna pregunta", "To leave the beta, visit your settings.": "Para salir de la beta, ve a tus ajustes.", "Add reaction": "Reaccionar", - "Space Autocomplete": "Autocompletar espacios", "Currently joining %(count)s rooms": { "one": "Entrando en %(count)s sala", "other": "Entrando en %(count)s salas" }, "The user you called is busy.": "La persona a la que has llamado está ocupada.", "User Busy": "Persona ocupada", - "End-to-end encryption isn't enabled": "El cifrado de extremo a extremo no está activado", "Or send invite link": "O envía un enlace de invitación", "Some suggestions may be hidden for privacy.": "Puede que algunas sugerencias no se muestren por motivos de privacidad.", "Search for rooms or people": "Busca salas o gente", @@ -1534,7 +1455,6 @@ "Collapse reply thread": "Ocultar respuestas", "Show preview": "Mostrar vista previa", "View source": "Ver código fuente", - "Settings - %(spaceName)s": "Ajustes - %(spaceName)s", "Please provide an address": "Por favor, elige una dirección", "Message search initialisation failed, check your settings for more information": "Ha fallado el sistema de búsqueda de mensajes. Comprueba tus ajustes para más información", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Elige una dirección para este espacio y los usuarios de tu servidor base (%(localDomain)s) podrán encontrarlo a través del buscador", @@ -1599,7 +1519,6 @@ "Only people invited will be able to find and join this space.": "Solo las personas invitadas podrán encontrar y unirse a este espacio.", "Anyone will be able to find and join this space, not just members of .": "Cualquiera podrá encontrar y unirse a este espacio, incluso si no forman parte de .", "Anyone in will be able to find and join.": "Cualquiera que forme parte de podrá encontrar y unirse.", - "People with supported clients will be able to join the room without having a registered account.": "Las personas con una aplicación compatible podrán unirse a la sala sin tener que registrar una cuenta.", "Anyone in a space can find and join. You can select multiple spaces.": "Cualquiera en un espacio puede encontrar y unirse. Puedes seleccionar varios espacios.", "Spaces with access": "Espacios con acceso", "Anyone in a space can find and join. Edit which spaces can access here.": "Cualquiera en un espacio puede encontrar y unirse. Ajusta qué espacios pueden acceder desde aquí.", @@ -1639,7 +1558,6 @@ "Share entire screen": "Compartir toda la pantalla", "Decrypting": "Descifrando", "Access": "Acceso", - "Decide who can join %(roomName)s.": "Decide quién puede unirse a %(roomName)s.", "Space members": "Miembros del espacio", "Missed call": "Llamada perdida", "Call declined": "Llamada rechazada", @@ -1649,20 +1567,12 @@ "Show sidebar": "Ver menú lateral", "Hide sidebar": "Ocultar menú lateral", "Unknown failure: %(reason)s": "Fallo desconocido: %(reason)s", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "No está recomendado activar el cifrado en salas públicas. Cualquiera puede encontrar la sala y unirse, por lo que cualquiera puede leer los mensajes. No disfrutarás de los beneficios del cifrado. Además, activarlo en una sala pública hará que recibir y enviar mensajes tarde más.", "Delete avatar": "Borrar avatar", - "To avoid these issues, create a new public room for the conversation you plan to have.": "Para evitar estos problemas, crea una nueva sala pública para la conversación que planees tener.", "Cross-signing is ready but keys are not backed up.": "La firma cruzada está lista, pero no hay copia de seguridad de las claves.", "Rooms and spaces": "Salas y espacios", "Results": "Resultados", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Tus mensajes privados están cifrados normalmente, pero esta sala no lo está. A menudo, esto pasa porque has iniciado sesión con un dispositivo o método no compatible, como las invitaciones por correo.", - "Enable encryption in settings.": "Activa el cifrado en los ajustes.", - "Are you sure you want to make this encrypted room public?": "¿Seguro que quieres activar el cifrado en esta sala pública?", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "Para evitar estos problemas, crea una nueva sala cifrada para la conversación que quieras tener.", - "Are you sure you want to add encryption to this public room?": "¿Seguro que quieres activar el cifrado en esta sala pública?", "Some encryption parameters have been changed.": "Algunos parámetros del cifrado han cambiado.", "Role in ": "Rol en ", - "Select the roles required to change various parts of the space": "Elige los roles que los usuarios deben tener para poder cambiar los distintos ajustes del espacio", "Failed to update the join rules": "Fallo al actualizar las reglas para unirse", "Anyone in can find and join. You can select other spaces too.": "Cualquiera en puede encontrar y unirse. También puedes seleccionar otros espacios.", "Unknown failure": "Fallo desconocido", @@ -1710,28 +1620,15 @@ "Loading new room": "Cargando la nueva sala", "Upgrading room": "Actualizar sala", "Enter your Security Phrase or to continue.": "Escribe tu frase de seguridad o para continuar.", - "See room timeline (devtools)": "Ver línea de tiempo de la sala (herramientas de desarrollo)", "View in room": "Ver en la sala", "Insert link": "Insertar enlace", "Joining": "Uniéndote", - "You're all caught up": "Estás al día", "In encrypted rooms, verify all users to ensure it's secure.": "En salas cifradas, verifica a todos los usuarios para asegurarte de que es segura.", "Yours, or the other users' session": "Tu sesión o la de la otra persona", "Yours, or the other users' internet connection": "Tu conexión a internet o la de la otra persona", "The homeserver the user you're verifying is connected to": "El servidor base del usuario al que estás invitando", - "Select all": "Seleccionar todo", - "Deselect all": "Deseleccionar todo", - "Sign out devices": { - "one": "Cerrar sesión en el dispositivo", - "other": "Cerrar sesión en los dispositivos" - }, - "Click the button below to confirm signing out these devices.": { - "other": "Haz clic en el botón de abajo para confirmar y cerrar sesión en estos dispositivos.", - "one": "Haz clic en el botón de abajo para confirmar que quieres cerrar la sesión de este dispositivo." - }, "If you can't see who you're looking for, send them your invite link below.": "Si no encuentras a quien buscas, envíale tu enlace de invitación que encontrarás abajo.", "Joined": "Te has unido", - "Someone already has that username. Try another or if it is you, sign in below.": "Ya hay alguien con ese nombre de usuario. Prueba con otro o, si eres tú, inicia sesión más abajo.", "Copy link to thread": "Copiar enlace al hilo", "Thread options": "Ajustes del hilo", "Add option": "Añadir opción", @@ -1819,7 +1716,6 @@ "other": "%(count)s votos", "one": "%(count)s voto" }, - "Failed to load list of rooms.": "No se ha podido cargar la lista de salas.", "Recently viewed": "Visto recientemente", "Device verified": "Dispositivo verificado", "Verify this device": "Verificar este dispositivo", @@ -1860,7 +1756,6 @@ "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Esperando a que verifiques en tu otro dispositivo, %(deviceName)s (%(deviceId)s)…", "From a thread": "Desde un hilo", "Back to thread": "Volver al hilo", - "Space home": "Inicio del espacio", "Message pending moderation": "Mensaje esperando revisión", "Message pending moderation: %(reason)s": "Mensaje esperando revisión: %(reason)s", "Pick a date to jump to": "Elige la fecha a la que saltar", @@ -1868,7 +1763,6 @@ "The beginning of the room": "Inicio de la sala", "Internal room ID": "ID interna de la sala", "Feedback sent! Thanks, we appreciate it!": "¡Opinión enviada! Gracias, te lo agradecemos.", - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Si alguien te ha dicho que copies o pegues algo aquí, ¡lo más seguro es que te estén intentando timar!", "Wait!": "¡Espera!", "Use to scroll": "Usa para desplazarte", "Location": "Ubicación", @@ -1879,8 +1773,6 @@ "This address does not point at this room": "La dirección no apunta a esta sala", "Missing room name or separator e.g. (my-room:domain.org)": "Falta el nombre de la sala o el separador (ej.: mi-sala:dominio.org)", "Pinned": "Fijado", - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Si sabes de estos temas, Element es de código abierto. ¡Echa un vistazo a nuestro GitHub (https://github.com/vector-im/element-web/) y colabora!", - "Unable to check if username has been taken. Try again later.": "No ha sido posible comprobar si el nombre de usuario está libre. Inténtalo de nuevo más tarde.", "Search Dialog": "Ventana de búsqueda", "Join %(roomAddress)s": "Unirte a %(roomAddress)s", "Results are only revealed when you end the poll": "Los resultados se mostrarán cuando cierres la encuesta", @@ -1903,10 +1795,6 @@ "Group all your people in one place.": "Agrupa a toda tu gente en un mismo sitio.", "Group all your favourite rooms and people in one place.": "Agrupa en un mismo sitio todas tus salas y personas favoritas.", "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Los espacios permiten agrupar salas y personas. Además de los espacios de los que ya formes parte, puedes usar algunos que vienen incluidos.", - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "Confirma que quieres cerrar sesión en este dispositivo usando Single Sign On para probar tu identidad.", - "other": "Confirma que quieres cerrar sesión de estos dispositivos usando Single Sign On para probar tu identidad." - }, "Match system": "Usar el del sistema", "Can't create a thread from an event with an existing relation": "No ha sido posible crear un hilo a partir de un evento con una relación existente", "You are sharing your live location": "Estás compartiendo tu ubicación en tiempo real", @@ -1971,10 +1859,6 @@ "Disinvite from room": "Retirar la invitación a la sala", "Remove from space": "Quitar del espacio", "Disinvite from space": "Retirar la invitación al espacio", - "Confirm signing out these devices": { - "other": "Confirma el cierre de sesión en estos dispositivos", - "one": "Confirmar cerrar sesión de este dispositivo" - }, "Failed to join": "No ha sido posible unirse", "You do not have permission to invite people to this space.": "No tienes permiso para invitar gente a este espacio.", "An error occurred while stopping your live location, please try again": "Ha ocurrido un error al dejar de compartir tu ubicación en tiempo real. Por favor, inténtalo de nuevo", @@ -2045,7 +1929,6 @@ "Deactivating your account is a permanent action — be careful!": "Desactivar tu cuenta es para siempre, ¡ten cuidado!", "Un-maximise": "Dejar de maximizar", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Al cerrar sesión, estas claves serán eliminadas del dispositivo. Esto significa que no podrás leer mensajes cifrados salvo que tengas sus claves en otros dispositivos, o hayas hecho una copia de seguridad usando el servidor.", - "Video rooms are a beta feature": "Las salas de vídeo están en beta", "%(count)s Members": { "one": "%(count)s miembro", "other": "%(count)s miembros" @@ -2083,48 +1966,20 @@ }, "In %(spaceName)s.": "En el espacio %(spaceName)s.", "In spaces %(space1Name)s and %(space2Name)s.": "En los espacios %(space1Name)s y %(space2Name)s.", - "Send your first message to invite to chat": "Envía tu primer mensaje para invitar a a la conversación", "Saved Items": "Elementos guardados", "Messages in this chat will be end-to-end encrypted.": "Los mensajes en esta conversación serán cifrados de extremo a extremo.", "Choose a locale": "Elige un idioma", - "Session details": "Detalles de la sesión", - "IP address": "Dirección IP", - "Last activity": "Última actividad", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Para más seguridad, verifica tus sesiones y cierra cualquiera que no reconozcas o hayas dejado de usar.", - "Other sessions": "Otras sesiones", - "Current session": "Sesión actual", "Sessions": "Sesiones", - "Unverified session": "Sesión sin verificar", - "This session is ready for secure messaging.": "Esta sesión está lista para mensajería segura.", - "Verified session": "Sesión verificada", "Spell check": "Corrector ortográfico", "Interactively verify by emoji": "Verificar interactivamente usando emojis", "Manually verify by text": "Verificar manualmente usando un texto", - "Security recommendations": "Consejos de seguridad", - "Filter devices": "Filtrar dispositivos", - "Inactive for %(inactiveAgeDays)s days or longer": "Inactiva durante %(inactiveAgeDays)s días o más", - "Inactive": "Inactiva", - "Not ready for secure messaging": "No preparado para mensajería segura", - "Ready for secure messaging": "Mensajería segura lista", - "All": "Todo", - "No sessions found.": "No se ha encontrado ninguna sesión.", - "No inactive sessions found.": "No se ha encontrado ninguna sesión inactiva.", - "No unverified sessions found.": "No se ha encontrado ninguna sesión sin verificar.", - "No verified sessions found.": "No se ha encontrado ninguna sesión verificada.", - "Inactive sessions": "Sesiones inactivas", - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Verifica tus sesiones para una mensajería más segura, o cierra las que no reconozcas o hayas dejado de usar.", - "Unverified sessions": "Sesiones sin verificar", - "For best security, sign out from any session that you don't recognize or use anymore.": "Para mayor seguridad, cierra cualquier sesión que no reconozcas o que ya no uses.", - "Verify or sign out from this session for best security and reliability.": "Verifica o cierra esta sesión, para mayor seguridad y estabilidad.", - "Verified sessions": "Sesiones verificadas", - "Inactive for %(inactiveAgeDays)s+ days": "Inactivo durante más de %(inactiveAgeDays)s días", "Inviting %(user)s and %(count)s others": { "one": "Invitando a %(user)s y 1 más", "other": "Invitando a %(user)s y %(count)s más" }, "Inviting %(user1)s and %(user2)s": "Invitando a %(user1)s y %(user2)s", "We're creating a room with %(names)s": "Estamos creando una sala con %(names)s", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "No está recomendado activar el cifrado en salas públicas. Cualquiera puede encontrarlas y unirse a ellas, así que cualquiera puede leer los mensajes en ellas. No disfrutarás de ninguno de los beneficios del cifrado, y no podrás desactivarlo en el futuro. Cifrar los mensajes en una sala pública ralentizará el envío y la recepción de mensajes.", "Empty room (was %(oldName)s)": "Sala vacía (antes era %(oldName)s)", "%(user)s and %(count)s others": { "one": "%(user)s y 1 más", @@ -2132,24 +1987,15 @@ }, "%(user1)s and %(user2)s": "%(user1)s y %(user2)s", "Spotlight": "Spotlight", - "Your server lacks native support, you must specify a proxy": "Tu servidor no es compatible, debes configurar un intermediario (proxy)", "View chat timeline": "Ver historial del chat", "You do not have permission to start voice calls": "No tienes permiso para iniciar llamadas de voz", "Failed to set pusher state": "Fallo al establecer el estado push", - "Sign out of this session": "Cerrar esta sesión", - "Receive push notifications on this session.": "Recibir notificaciones push en esta sesión.", "You do not have sufficient permissions to change this.": "No tienes suficientes permisos para cambiar esto.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s está cifrado de extremo a extremo, pero actualmente está limitado a unos pocos participantes.", "Enable %(brand)s as an additional calling option in this room": "Activar %(brand)s como una opción para las llamadas de esta sala", "You need to be able to kick users to do that.": "Debes poder sacar usuarios para hacer eso.", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s o %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s o %(recoveryFile)s", - "Proxy URL": "URL de servidor proxy", - "Proxy URL (optional)": "URL de servidor proxy (opcional)", - "To disable you will need to log out and back in, use with caution!": "Para desactivarlo, tendrás que cerrar sesión y volverla a iniciar. ¡Ten cuidado!", - "Sliding Sync configuration": "Configuración de la sincronización progresiva", - "Your server lacks native support": "Tu servidor no es compatible", - "Your server has native support": "Tu servidor es compatible", "Video call ended": "Videollamada terminada", "%(name)s started a video call": "%(name)s comenzó una videollamada", "Room info": "Info. de la sala", @@ -2160,24 +2006,11 @@ "Ongoing call": "Llamada en curso", "Video call (%(brand)s)": "Videollamada (%(brand)s)", "Video call (Jitsi)": "Videollamada (Jitsi)", - "Unknown session type": "Sesión de tipo desconocido", - "Web session": "Sesión web", - "Mobile session": "Sesión móvil", - "Desktop session": "Sesión de escritorio", - "Toggle push notifications on this session.": "Activar/desactivar notificaciones push en esta sesión.", - "Push notifications": "Notificaciones push", - "Operating system": "Sistema operativo", - "URL": "URL", - "Rename session": "Renombrar sesión", "Call type": "Tipo de llamada", "Sorry — this call is currently full": "Lo sentimos — la llamada está llena", "Unknown room": "Sala desconocida", "Voice broadcast": "Retransmisión de voz", "Live": "En directo", - "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "Esto ayuda a otorgar la confianza de que realmente están hablando contigo, pero significa que podrán ver el nombre de la sesión que pongas aquí.", - "Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "La lista completa de tus sesiones podrá ser vista por otros usuarios en tus mensajes directos y salas en las que estés.", - "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Considera cerrar sesión en los dispositivos que ya no uses (hace %(inactiveAgeDays)s días o más).", - "You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.": "Puedes usar este dispositivo para iniciar sesión en uno nuevo escaneando un código QR. Tendrás que escanearlo con el nuevo dispositivo que quieras usar para iniciar sesión.", "Completing set up of your new device": "Terminando de configurar tu nuevo dispositivo", "Waiting for device to sign in": "Esperando a que el dispositivo inicie sesión", "Review and approve the sign in": "Revisar y aprobar inicio de sesión", @@ -2191,7 +2024,6 @@ "By approving access for this device, it will have full access to your account.": "Si apruebas acceso a este dispositivo, tendrá acceso completo a tu cuenta.", "Scan the QR code below with your device that's signed out.": "Escanea el siguiente código QR con tu dispositivo.", "Start at the sign in screen": "Ve a la pantalla de inicio de sesión", - "Sign in with QR code": "Iniciar sesión con código QR", "Automatically adjust the microphone volume": "Ajustar el volumen del micrófono automáticamente", "Voice settings": "Ajustes de voz", "Are you sure you want to sign out of %(count)s sessions?": { @@ -2205,11 +2037,7 @@ "Sign in new device": "Conectar nuevo dispositivo", "Error downloading image": "Error al descargar la imagen", "Show formatting": "Mostrar formato", - "Show QR code": "Ver código QR", "Hide formatting": "Ocultar formato", - "Browser": "Navegador", - "Renaming sessions": "Renombrar sesiones", - "Please be aware that session names are also visible to people you communicate with.": "Por favor, ten en cuenta que cualquiera con quien te comuniques puede ver los nombres de tus sesiones.", "Connection": "Conexión", "Voice processing": "Procesamiento de vídeo", "Video settings": "Ajustes de vídeo", @@ -2227,18 +2055,6 @@ "Change layout": "Cambiar disposición", "This message could not be decrypted": "No se ha podido descifrar este mensaje", " in %(room)s": " en %(room)s", - "Improve your account security by following these recommendations.": "Mejora la seguridad de tu cuenta siguiendo estas recomendaciones.", - "Sign out of %(count)s sessions": { - "one": "Cerrar %(count)s sesión", - "other": "Cerrar %(count)s sesiones" - }, - "%(count)s sessions selected": { - "one": "%(count)s sesión seleccionada", - "other": "%(count)s sesiones seleccionadas" - }, - "Show details": "Mostrar detalles", - "Hide details": "Ocultar detalles", - "Sign out of all other sessions (%(otherSessionsCount)s)": "Cerrar el resto de sesiones (%(otherSessionsCount)s)", "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.": "¿Te apetece probar cosas experimentales? Aquí encontrarás nuestras ideas en desarrollo. No están terminadas, pueden ser inestables, cambiar o dejar de estar disponibles. Más información.", "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "¿Qué novedades se esperan en %(brand)s? La sección de experimentos es la mejor manera de ver las cosas antes de que se publiquen, probar nuevas funcionalidades y ayudar a mejorarlas antes de su lanzamiento.", "Upcoming features": "Funcionalidades futuras", @@ -2305,7 +2121,6 @@ "If you know a room address, try joining through that instead.": "Si conoces la dirección de una sala, prueba a unirte a través de ella.", "Requires your server to support the stable version of MSC3827": "Requiere que tu servidor sea compatible con la versión estable de MSC3827", "This session is backing up your keys.": "", - "Once everyone has joined, you’ll be able to chat": "Cuando la gente se una, podrás hablar", "Desktop app logo": "Logotipo de la aplicación de escritorio", "Send email": "Enviar email", "Past polls": "Encuestas anteriores", @@ -2314,7 +2129,6 @@ "Start DM anyway and never warn me again": "Enviar mensaje directo de todos modos y no avisar más", "Can't start voice message": "No se ha podido empezar el mensaje de voz", "Your device ID": "ID de tu dispositivo", - "Your server requires encryption to be disabled.": "Tu servidor obliga a que el cifrado esté desactivado.", "You do not have permission to invite users": "No tienes permisos para invitar usuarios", "There are no active polls in this room": "Esta sala no tiene encuestas activas", "There are no past polls in this room": "Esta sala no tiene encuestas anteriores", @@ -2422,7 +2236,9 @@ "orphan_rooms": "Otras salas", "on": "Encendido", "off": "Apagado", - "all_rooms": "Todas las salas" + "all_rooms": "Todas las salas", + "deselect_all": "Deseleccionar todo", + "select_all": "Seleccionar todo" }, "action": { "continue": "Continuar", @@ -2596,7 +2412,15 @@ "rust_crypto_disabled_notice": "Ahora mismo solo se puede activar a través de config.json", "automatic_debug_logs_key_backup": "Enviar automáticamente los registros de depuración cuando la clave de respaldo no funcione", "automatic_debug_logs_decryption": "Enviar los registros de depuración automáticamente de fallos al descifrar", - "automatic_debug_logs": "Mandar automáticamente los registros de depuración cuando ocurra cualquier error" + "automatic_debug_logs": "Mandar automáticamente los registros de depuración cuando ocurra cualquier error", + "sliding_sync_server_support": "Tu servidor es compatible", + "sliding_sync_server_no_support": "Tu servidor no es compatible", + "sliding_sync_server_specify_proxy": "Tu servidor no es compatible, debes configurar un intermediario (proxy)", + "sliding_sync_configuration": "Configuración de la sincronización progresiva", + "sliding_sync_disable_warning": "Para desactivarlo, tendrás que cerrar sesión y volverla a iniciar. ¡Ten cuidado!", + "sliding_sync_proxy_url_optional_label": "URL de servidor proxy (opcional)", + "sliding_sync_proxy_url_label": "URL de servidor proxy", + "video_rooms_beta": "Las salas de vídeo están en beta" }, "keyboard": { "home": "Inicio", @@ -2689,7 +2513,19 @@ "placeholder_reply_encrypted": "Enviar una respuesta cifrada…", "placeholder_reply": "Enviar una respuesta…", "placeholder_encrypted": "Enviar un mensaje cifrado…", - "placeholder": "Enviar un mensaje…" + "placeholder": "Enviar un mensaje…", + "autocomplete": { + "command_description": "Comandos", + "command_a11y": "Comando Autocompletar", + "emoji_a11y": "Autocompletar Emoji", + "@room_description": "Notificar a toda la sala", + "notification_description": "Notificación de Salas", + "notification_a11y": "Autocompletar notificación", + "room_a11y": "Autocompletar sala", + "space_a11y": "Autocompletar espacios", + "user_description": "Usuarios", + "user_a11y": "Autocompletar de usuario" + } }, "Bold": "Negrita", "Link": "Enlace", @@ -2941,6 +2777,84 @@ }, "keyboard": { "title": "Teclado" + }, + "sessions": { + "rename_form_heading": "Renombrar sesión", + "rename_form_caption": "Por favor, ten en cuenta que cualquiera con quien te comuniques puede ver los nombres de tus sesiones.", + "rename_form_learn_more": "Renombrar sesiones", + "rename_form_learn_more_description_1": "La lista completa de tus sesiones podrá ser vista por otros usuarios en tus mensajes directos y salas en las que estés.", + "rename_form_learn_more_description_2": "Esto ayuda a otorgar la confianza de que realmente están hablando contigo, pero significa que podrán ver el nombre de la sesión que pongas aquí.", + "session_id": "ID de Sesión", + "last_activity": "Última actividad", + "url": "URL", + "os": "Sistema operativo", + "browser": "Navegador", + "ip": "Dirección IP", + "details_heading": "Detalles de la sesión", + "push_toggle": "Activar/desactivar notificaciones push en esta sesión.", + "push_heading": "Notificaciones push", + "push_subheading": "Recibir notificaciones push en esta sesión.", + "sign_out": "Cerrar esta sesión", + "hide_details": "Ocultar detalles", + "show_details": "Mostrar detalles", + "inactive_days": "Inactivo durante más de %(inactiveAgeDays)s días", + "verified_sessions": "Sesiones verificadas", + "unverified_sessions": "Sesiones sin verificar", + "unverified_session": "Sesión sin verificar", + "inactive_sessions": "Sesiones inactivas", + "desktop_session": "Sesión de escritorio", + "mobile_session": "Sesión móvil", + "web_session": "Sesión web", + "unknown_session": "Sesión de tipo desconocido", + "device_verified_description": "Esta sesión está lista para mensajería segura.", + "verified_session": "Sesión verificada", + "device_unverified_description": "Verifica o cierra esta sesión, para mayor seguridad y estabilidad.", + "verify_session": "Verificar sesión", + "verified_sessions_list_description": "Para mayor seguridad, cierra cualquier sesión que no reconozcas o que ya no uses.", + "unverified_sessions_list_description": "Verifica tus sesiones para una mensajería más segura, o cierra las que no reconozcas o hayas dejado de usar.", + "inactive_sessions_list_description": "Considera cerrar sesión en los dispositivos que ya no uses (hace %(inactiveAgeDays)s días o más).", + "no_verified_sessions": "No se ha encontrado ninguna sesión verificada.", + "no_unverified_sessions": "No se ha encontrado ninguna sesión sin verificar.", + "no_inactive_sessions": "No se ha encontrado ninguna sesión inactiva.", + "no_sessions": "No se ha encontrado ninguna sesión.", + "filter_all": "Todo", + "filter_verified_description": "Mensajería segura lista", + "filter_unverified_description": "No preparado para mensajería segura", + "filter_inactive": "Inactiva", + "filter_inactive_description": "Inactiva durante %(inactiveAgeDays)s días o más", + "filter_label": "Filtrar dispositivos", + "n_sessions_selected": { + "one": "%(count)s sesión seleccionada", + "other": "%(count)s sesiones seleccionadas" + }, + "sign_in_with_qr": "Iniciar sesión con código QR", + "sign_in_with_qr_description": "Puedes usar este dispositivo para iniciar sesión en uno nuevo escaneando un código QR. Tendrás que escanearlo con el nuevo dispositivo que quieras usar para iniciar sesión.", + "sign_in_with_qr_button": "Ver código QR", + "sign_out_n_sessions": { + "one": "Cerrar %(count)s sesión", + "other": "Cerrar %(count)s sesiones" + }, + "other_sessions_heading": "Otras sesiones", + "sign_out_all_other_sessions": "Cerrar el resto de sesiones (%(otherSessionsCount)s)", + "current_session": "Sesión actual", + "confirm_sign_out_sso": { + "one": "Confirma que quieres cerrar sesión en este dispositivo usando Single Sign On para probar tu identidad.", + "other": "Confirma que quieres cerrar sesión de estos dispositivos usando Single Sign On para probar tu identidad." + }, + "confirm_sign_out": { + "other": "Confirma el cierre de sesión en estos dispositivos", + "one": "Confirmar cerrar sesión de este dispositivo" + }, + "confirm_sign_out_body": { + "other": "Haz clic en el botón de abajo para confirmar y cerrar sesión en estos dispositivos.", + "one": "Haz clic en el botón de abajo para confirmar que quieres cerrar la sesión de este dispositivo." + }, + "confirm_sign_out_continue": { + "one": "Cerrar sesión en el dispositivo", + "other": "Cerrar sesión en los dispositivos" + }, + "security_recommendations": "Consejos de seguridad", + "security_recommendations_description": "Mejora la seguridad de tu cuenta siguiendo estas recomendaciones." } }, "devtools": { @@ -3021,7 +2935,8 @@ "show_hidden_events": "Mostrar eventos ocultos en la línea de tiempo", "low_bandwidth_mode_description": "Es necesario que el servidor base sea compatible.", "low_bandwidth_mode": "Modo de bajo ancho de banda", - "developer_mode": "Modo de desarrollo" + "developer_mode": "Modo de desarrollo", + "view_source_decrypted_event_source": "Descifrar fuente del evento" }, "export_chat": { "html": "HTML", @@ -3398,7 +3313,9 @@ "m.room.create": { "continuation": "Esta sala es una continuación de otra.", "see_older_messages": "Haz clic aquí para ver mensajes anteriores." - } + }, + "creation_summary_dm": "%(creator)s creó este mensaje directo.", + "creation_summary_room": "Sala creada y configurada por %(creator)s." }, "slash_command": { "spoiler": "Envía el mensaje como un spoiler", @@ -3585,13 +3502,53 @@ "kick": "Sacar usuarios", "ban": "Bloquear usuarios", "redact": "Eliminar los mensajes enviados por otras personas", - "notifications.room": "Notificar a todo el mundo" + "notifications.room": "Notificar a todo el mundo", + "no_privileged_users": "Ningún usuario tiene permisos específicos en esta sala", + "privileged_users_section": "Usuarios con privilegios", + "muted_users_section": "Usuarios silenciados", + "banned_users_section": "Usuarios vetados", + "send_event_type": "Enviar eventos %(eventType)s", + "title": "Roles y permisos", + "permissions_section": "Permisos", + "permissions_section_description_space": "Elige los roles que los usuarios deben tener para poder cambiar los distintos ajustes del espacio", + "permissions_section_description_room": "Elige los roles que los usuarios deben tener para poder cambiar los distintos ajustes de la sala" }, "security": { "strict_encryption": "No enviar nunca mensajes cifrados a sesiones sin verificar en esta sala desde esta sesión", "join_rule_invite": "Privado (solo por invitación)", "join_rule_invite_description": "Solo las personas invitadas pueden unirse.", - "join_rule_public_description": "Cualquiera puede encontrar y unirse." + "join_rule_public_description": "Cualquiera puede encontrar y unirse.", + "enable_encryption_public_room_confirm_title": "¿Seguro que quieres activar el cifrado en esta sala pública?", + "enable_encryption_public_room_confirm_description_1": "No está recomendado activar el cifrado en salas públicas. Cualquiera puede encontrarlas y unirse a ellas, así que cualquiera puede leer los mensajes en ellas. No disfrutarás de ninguno de los beneficios del cifrado, y no podrás desactivarlo en el futuro. Cifrar los mensajes en una sala pública ralentizará el envío y la recepción de mensajes.", + "enable_encryption_public_room_confirm_description_2": "Para evitar estos problemas, crea una nueva sala cifrada para la conversación que quieras tener.", + "enable_encryption_confirm_title": "¿Activar cifrado?", + "enable_encryption_confirm_description": "Una vez activado, el cifrado de una sala no puede desactivarse. Los mensajes enviados a una sala cifrada no pueden ser vistos por el servidor, solo lo verán los participantes de la sala. Activar el cifrado puede hacer que muchos bots y bridges no funcionen correctamente. Más información sobre el cifrado", + "public_without_alias_warning": "Para obtener un enlace a esta sala, añade una dirección.", + "join_rule_description": "Decide quién puede unirse a %(roomName)s.", + "encrypted_room_public_confirm_title": "¿Seguro que quieres activar el cifrado en esta sala pública?", + "encrypted_room_public_confirm_description_1": "No está recomendado activar el cifrado en salas públicas. Cualquiera puede encontrar la sala y unirse, por lo que cualquiera puede leer los mensajes. No disfrutarás de los beneficios del cifrado. Además, activarlo en una sala pública hará que recibir y enviar mensajes tarde más.", + "encrypted_room_public_confirm_description_2": "Para evitar estos problemas, crea una nueva sala pública para la conversación que planees tener.", + "history_visibility": {}, + "history_visibility_warning": "Los cambios que se hagan sobre quién puede leer el historial se aplicarán solo a nuevos mensajes. La visibilidad del historial actual no cambiará.", + "history_visibility_legend": "¿Quién puede leer el historial?", + "guest_access_warning": "Las personas con una aplicación compatible podrán unirse a la sala sin tener que registrar una cuenta.", + "title": "Seguridad y privacidad", + "encryption_permanent": "Una vez actives el cifrado, no podrás desactivarlo.", + "encryption_forced": "Tu servidor obliga a que el cifrado esté desactivado.", + "history_visibility_shared": "Solo participantes (desde el momento en que se selecciona esta opción)", + "history_visibility_invited": "Solo participantes (desde que fueron invitados)", + "history_visibility_joined": "Solo participantes (desde que se unieron a la sala)", + "history_visibility_world_readable": "Todos" + }, + "general": { + "publish_toggle": "¿Quieres incluir esta sala en la lista pública de salas de %(domain)s?", + "user_url_previews_default_on": "Has activado las vista previa de URLs por defecto.", + "user_url_previews_default_off": "Has desactivado la vista previa de URLs por defecto.", + "default_url_previews_on": "La vista previa de URLs se activa por defecto en los participantes de esta sala.", + "default_url_previews_off": "La vista previa de URLs se desactiva por defecto para los participantes de esta sala.", + "url_preview_encryption_warning": "En salas cifradas como ésta, la vista previa de las URLs se desactiva por defecto para asegurar que el servidor base (donde se generan) no pueda recopilar información de los enlaces que veas en esta sala.", + "url_preview_explainer": "Cuando alguien incluya una dirección URL en su mensaje, puede mostrarse una vista previa para ofrecer información sobre el enlace, que incluirá el título, descripción, y una imagen del sitio web.", + "url_previews_section": "Vista previa de enlaces" } }, "encryption": { @@ -3707,7 +3664,15 @@ "server_picker_explainer": "Usa tu servidor base de Matrix de confianza o aloja el tuyo propio.", "server_picker_learn_more": "Sobre los servidores base", "incorrect_credentials": "Nombre de usuario y/o contraseña incorrectos.", - "account_deactivated": "Esta cuenta ha sido desactivada." + "account_deactivated": "Esta cuenta ha sido desactivada.", + "registration_username_validation": "Use sólo letras minúsculas, números, guiones y guiones bajos", + "registration_username_unable_check": "No ha sido posible comprobar si el nombre de usuario está libre. Inténtalo de nuevo más tarde.", + "registration_username_in_use": "Ya hay alguien con ese nombre de usuario. Prueba con otro o, si eres tú, inicia sesión más abajo.", + "phone_label": "Teléfono", + "phone_optional_label": "Teléfono (opcional)", + "email_help_text": "Añade un correo para poder restablecer tu contraseña si te olvidas.", + "email_phone_discovery_text": "Usa tu correo electrónico o teléfono para que, opcionalmente, tus contactos puedan descubrir tu cuenta.", + "email_discovery_text": "También puedes usarlo para que tus contactos te encuentren fácilmente." }, "room_list": { "sort_unread_first": "Colocar al principio las salas con mensajes sin leer", @@ -3907,7 +3872,21 @@ "light_high_contrast": "Claro con contraste alto" }, "space": { - "landing_welcome": "Te damos la bienvenida a " + "landing_welcome": "Te damos la bienvenida a ", + "suggested_tooltip": "Unirse a esta sala está sugerido", + "suggested": "Sugerencias", + "select_room_below": "Selecciona una sala de abajo primero", + "unmark_suggested": "No sugerir", + "mark_suggested": "Sugerir", + "failed_remove_rooms": "No se han podido quitar algunas salas. Prueba de nuevo más tarde", + "failed_load_rooms": "No se ha podido cargar la lista de salas.", + "incompatible_server_hierarchy": "Este servidor no es compatible con la función de las jerarquías de espacios.", + "context_menu": { + "devtools_open_timeline": "Ver línea de tiempo de la sala (herramientas de desarrollo)", + "home": "Inicio del espacio", + "explore": "Explorar salas", + "manage_and_explore": "Gestionar y explorar salas" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "Este servidor base no está configurado para mostrar mapas.", @@ -3964,5 +3943,52 @@ "setup_rooms_description": "Puedes añadir más después, incluso si ya existen.", "setup_rooms_private_heading": "¿En qué proyectos está trabajando tu equipo?", "setup_rooms_private_description": "Crearemos una sala para cada uno." + }, + "user_menu": { + "switch_theme_light": "Cambiar al tema claro", + "switch_theme_dark": "Cambiar al tema oscuro" + }, + "notif_panel": { + "empty_heading": "Estás al día", + "empty_description": "No tienes notificaciones pendientes." + }, + "console_scam_warning": "Si alguien te ha dicho que copies o pegues algo aquí, ¡lo más seguro es que te estén intentando timar!", + "console_dev_note": "Si sabes de estos temas, Element es de código abierto. ¡Echa un vistazo a nuestro GitHub (https://github.com/vector-im/element-web/) y colabora!", + "room": { + "drop_file_prompt": "Suelta aquí el archivo para enviarlo", + "intro": { + "send_message_start_dm": "Envía tu primer mensaje para invitar a a la conversación", + "encrypted_3pid_dm_pending_join": "Cuando la gente se una, podrás hablar", + "start_of_dm_history": "Este es el inicio de tu historial de mensajes directos con .", + "dm_caption": "En esta conversación no hay nadie más, hasta que uno de los dos invite a alguien.", + "topic_edit": "Asunto: %(topic)s (cambiar)", + "topic": "Asunto: %(topic)s ", + "no_topic": "Añade un asunto para que la gente sepa de qué va la sala.", + "you_created": "Creaste esta sala.", + "user_created": "%(displayName)s creó esta sala.", + "room_invite": "Invitar solo a esta sala", + "no_avatar_label": "Añade una imagen para que la gente reconozca la sala fácilmente.", + "start_of_room": "Aquí empieza .", + "private_unencrypted_warning": "Tus mensajes privados están cifrados normalmente, pero esta sala no lo está. A menudo, esto pasa porque has iniciado sesión con un dispositivo o método no compatible, como las invitaciones por correo.", + "enable_encryption_prompt": "Activa el cifrado en los ajustes.", + "unencrypted_warning": "El cifrado de extremo a extremo no está activado" + } + }, + "file_panel": { + "guest_note": "Regístrate para usar esta funcionalidad", + "peek_note": "Debes unirte a la sala para ver sus archivos", + "empty_heading": "No hay archivos visibles en esta sala", + "empty_description": "Adjunta archivos desde el chat o simplemente arrástralos y suéltalos en cualquier lugar de una sala." + }, + "terms": { + "integration_manager": "Usar robots, puentes, accesorios o packs de pegatinas", + "tos": "Términos de servicio", + "intro": "Para continuar, necesitas aceptar estos términos de servicio.", + "column_service": "Servicio", + "column_summary": "Resumen", + "column_document": "Documento" + }, + "space_settings": { + "title": "Ajustes - %(spaceName)s" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/et.json b/src/i18n/strings/et.json index 94c9f2b64c..581bb8249e 100644 --- a/src/i18n/strings/et.json +++ b/src/i18n/strings/et.json @@ -31,7 +31,6 @@ "Do you want to chat with %(user)s?": "Kas sa soovid vestelda %(user)s'ga?", " wants to chat": " soovib vestelda", "All Rooms": "Kõik jututoad", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Krüptitud jututubades, nagu see praegune, URL'ide eelvaated ei ole vaikimisi kasutusel. See tagab, et sinu koduserver (kus eelvaated luuakse) ei saaks koguda teavet viidete kohta, mida sa siin jututoas näed.", "In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "Krüptitud jututubades sinu sõnumid on turvatud ning vaid sinul ja sõnumi saajal on unikaalsed võtmed nende kuvamiseks.", "Verification timed out.": "Verifitseerimine aegus.", "%(displayName)s cancelled verification.": "%(displayName)s tühistas verifitseerimise.", @@ -59,9 +58,6 @@ "Remove %(email)s?": "Eemalda %(email)s?", "Remove %(phone)s?": "Eemalda %(phone)s?", "Remove recent messages by %(user)s": "Eemalda %(user)s hiljutised sõnumid", - "Members only (since the point in time of selecting this option)": "Ainult liikmetele (alates selle seadistuse kasutuselevõtmisest)", - "Members only (since they were invited)": "Ainult liikmetele (alates nende kutsumise ajast)", - "Members only (since they joined)": "Ainult liikmetele (alates liitumisest)", "Remove %(count)s messages": { "other": "Eemalda %(count)s sõnumit", "one": "Eemalda 1 sõnum" @@ -84,7 +80,6 @@ "Low Priority": "Vähetähtis", "Home": "Avaleht", "Remove for everyone": "Eemalda kõigilt", - "You must join the room to see its files": "Failide nägemiseks pead jututoaga liituma", "You seem to be uploading files, are you sure you want to quit?": "Tundub, et sa parasjagu laadid faile üles. Kas sa kindlasti soovid väljuda?", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Kui soovid teatada Matrix'iga seotud turvaveast, siis palun tutvu enne Matrix.org Turvalisuse avalikustamise juhendiga.", "Server or user ID to ignore": "Serverid või kasutajate tunnused, mida soovid eirata", @@ -105,16 +100,8 @@ "Your browser likely removed this data when running low on disk space.": "On võimalik et sinu brauser kustutas need andmed, sest kõvakettaruumist jäi puudu.", "Find others by phone or email": "Leia teisi kasutajaid telefoninumbri või e-posti aadressi alusel", "Be found by phone or email": "Ole leitav telefoninumbri või e-posti aadressi alusel", - "Terms of Service": "Kasutustingimused", - "To continue you need to accept the terms of this service.": "Jätkamaks pead nõustuma kasutustingimustega.", - "Service": "Teenus", - "Summary": "Kokkuvõte", - "Document": "Dokument", "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Robotilõksu avalik võti on puudu koduserveri seadistustes. Palun teata sellest oma koduserveri haldurile.", - "Anyone": "Kõik kasutajad", "Encryption": "Krüptimine", - "Once enabled, encryption cannot be disabled.": "Kui krüptimine on juba kasutusele võetud, siis ei saa seda enam eemaldada.", - "Who can read history?": "Kes võivad lugeda ajalugu?", "Encrypted by an unverified session": "Krüptitud verifitseerimata sessiooni poolt", "Encryption not enabled": "Krüptimine ei ole kasutusel", "The encryption used by this room isn't supported.": "Selles jututoas kasutatud krüptimine ei ole toetatud.", @@ -197,7 +184,6 @@ "No more results": "Rohkem otsingutulemusi pole", "%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s'il puudub luba sulle teavituste kuvamiseks - palun kontrolli oma brauseri seadistusi", "%(brand)s was not given permission to send notifications - please try again": "%(brand)s ei saanud luba teavituste kuvamiseks - palun proovi uuesti", - "Room Notification": "Jututoa teavitus", "This homeserver has hit its Monthly Active User limit.": "See koduserver on saavutanud igakuise aktiivsete kasutajate piiri.", "Are you sure?": "Kas sa oled kindel?", "Jump to read receipt": "Hüppa lugemisteatise juurde", @@ -207,7 +193,6 @@ "Recent Conversations": "Hiljutised vestlused", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Sinu sõnumit ei saadetud, kuna see koduserver on saavutanud igakuise aktiivsete kasutajate piiri. Teenuse kasutamiseks palun võta ühendust serveri haldajaga.", "Add room": "Lisa jututuba", - "Muted Users": "Summutatud kasutajad", "This room is end-to-end encrypted": "See jututuba on läbivalt krüptitud", "Everyone in this room is verified": "Kõik kasutajad siin nututoas on verifitseeritud", "Edit message": "Muuda sõnumit", @@ -219,8 +204,6 @@ "Try scrolling up in the timeline to see if there are any earlier ones.": "Vaata kas ajajoonel ülespool leidub varasemaid sõnumeid.", "For a large amount of messages, this might take some time. Please don't refresh your client in the meantime.": "Kui sõnumeid on väga palju, siis võib nüüd aega kuluda. Oodates palun ära tee ühtegi päringut ega andmevärskendust.", "Failed to mute user": "Kasutaja summutamine ebaõnnestus", - "%(creator)s created and configured the room.": "%(creator)s lõi ja seadistas jututoa.", - "Drop file here to upload": "Faili üleslaadimiseks lohista ta siia", "This user has not verified all of their sessions.": "See kasutaja ei ole verifitseerinud kõiki oma sessioone.", "You have not verified this user.": "Sa ei ole seda kasutajat verifitseerinud.", "You have verified this user. This user has verified all of their sessions.": "Sa oled selle kasutaja verifitseerinud. See kasutaja on verifitseerinud kõik nende sessioonid.", @@ -233,7 +216,6 @@ "Phone Number": "Telefoninumber", "General": "Üldist", "Notifications": "Teavitused", - "Security & Privacy": "Turvalisus ja privaatsus", "No Audio Outputs detected": "Ei leidnud ühtegi heliväljundit", "No Microphones detected": "Ei leidnud ühtegi mikrofoni", "No Webcams detected": "Ei leidnud ühtegi veebikaamerat", @@ -246,7 +228,6 @@ "Room information": "Info jututoa kohta", "Room version": "Jututoa versioon", "Room version:": "Jututoa versioon:", - "Roles & Permissions": "Rollid ja õigused", "Room Name": "Jututoa nimi", "Room Topic": "Jututoa teema", "Room Settings - %(roomName)s": "Jututoa seadistused - %(roomName)s", @@ -289,11 +270,6 @@ "Start verification again from their profile.": "Alusta verifitseerimist uuesti nende profiilist.", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Allpool loetletud Matrix'i kasutajatunnustele ei leidunud profiile. Kas sa ikkagi tahaksid neile kutse saata?", "Could not load user profile": "Kasutajaprofiili laadimine ei õnnestunud", - "URL Previews": "URL'ide eelvaated", - "You have enabled URL previews by default.": "Vaikimisi oled URL'ide eelvaated võtnud kasutusele.", - "You have disabled URL previews by default.": "Vaikimisi oled URL'ide eelvaated lülitanud välja.", - "URL previews are enabled by default for participants in this room.": "URL'ide eelvaated on vaikimisi kasutusel selles jututoas osalejate jaoks.", - "URL previews are disabled by default for participants in this room.": "URL'ide eelvaated on vaikimisi lülitatud välja selles jututoas osalejate jaoks.", "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Turvalised sõnumid selle kasutajaga on läbivalt krüptitud ning kolmandad osapooled ei saa neid lugeda.", "Got It": "Selge lugu", "Verify this user by confirming the following number appears on their screen.": "Verifitseeri see kasutaja tehes kindlaks, et järgnev number kuvatakse tema ekraanil.", @@ -392,21 +368,13 @@ "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Ei sa ühendust koduserveriga. Palun kontrolli, et sinu koduserveri SSL sertifikaat oleks usaldusväärne ning mõni brauseri lisamoodul ei blokeeri päringuid.", "Create account": "Loo kasutajakonto", "Clear personal data": "Kustuta privaatsed andmed", - "Commands": "Käsud", - "Notify the whole room": "Teavita kogu jututuba", - "Users": "Kasutajad", "Terms and Conditions": "Kasutustingimused", "You can't send any messages until you review and agree to our terms and conditions.": "Sa ei saa saata ühtego sõnumit enne, kui oled läbi lugenud ja nõustunud meie kasutustingimustega.", "Couldn't load page": "Lehe laadimine ei õnnestunud", - "You must register to use this functionality": "Selle funktsionaalsuse kasutamiseks pead sa registreeruma", "Upload avatar": "Laadi üles profiilipilt ehk avatar", "Are you sure you want to leave the room '%(roomName)s'?": "Kas oled kindel, et soovid lahkuda jututoast „%(roomName)s“?", "Unknown error": "Teadmata viga", "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Selleks et jätkata koduserveri %(homeserverDomain)s kasutamist sa pead üle vaatama ja nõustuma meie kasutustingimustega.", - "Permissions": "Õigused", - "Select the roles required to change various parts of the room": "Vali rollid, mis on vajalikud jututoa eri osade muutmiseks", - "Enable encryption?": "Kas võtame krüptimise kasutusele?", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Kui kord juba kasutusele võetud, siis krüptimist enam hiljem ära lõpetada ei saa. Krüptitud sõnumeid ei saa lugeda ei vaheapealses veebiliikluses ega serveris ja vaid jututoa liikmed saavad neid lugeda. Krüptimise kasutusele võtmine võib takistada nii robotite kui sõnumisildade tööd. Lisateave krüptimise kohta.", "Failed to connect to integration manager": "Ühendus integratsioonihalduriga ei õnnestunud", "You don't currently have any stickerpacks enabled": "Sul pole ühtegi kleepsupakki kasutusel", "Add some now": "Lisa nüüd mõned", @@ -448,7 +416,6 @@ "This room has already been upgraded.": "See jututuba on juba uuendatud.", "This room is running room version , which this homeserver has marked as unstable.": "Selle jututoa versioon on ning see koduserver on tema märkinud ebastabiilseks.", "Only room administrators will see this warning": "Vaid administraatorid näevad seda hoiatust", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Kui muudad seda, kes saavad selle jututoa ajalugu lugeda, siis kehtib see vaid tulevaste sõnumite kohta. Senise ajaloo nähtavus sellega ei muutu.", "Unable to revoke sharing for email address": "Ei õnnestu tagasi võtta otsust e-posti aadressi jagamise kohta", "Unable to share email address": "Ei õnnestu jagada e-posti aadressi", "Your email address hasn't been verified yet": "Sinu e-posti aadress pole veel verifitseeritud", @@ -465,10 +432,6 @@ "Bridges": "Sõnumisillad", "Room Addresses": "Jututubade aadressid", "Browse": "Sirvi", - "No users have specific privileges in this room": "Mitte ühelgi kasutajal pole siin jututoas eelisõigusi", - "Privileged Users": "Eelisõigustega kasutajad", - "Banned users": "Suhtluskeelu saanud kasutajad", - "Send %(eventType)s events": "Saada %(eventType)s-sündmusi", "Unable to revoke sharing for phone number": "Telefoninumbri jagamist ei õnnestunud tühistada", "Unable to share phone number": "Telefoninumbri jagamine ei õnnestunud", "Unable to verify phone number.": "Telefoninumbri verifitseerimine ei õnnestunud.", @@ -479,7 +442,6 @@ "This doesn't appear to be a valid email address": "See ei tundu olema e-posti aadressi moodi", "Preparing to send logs": "Valmistun logikirjete saatmiseks", "Failed to send logs: ": "Logikirjete saatmine ei õnnestunud: ", - "Verify session": "Verifitseeri sessioon", "Token incorrect": "Vigane tunnusluba", "Are you sure you want to deactivate your account? This is irreversible.": "Kas sa oled kindel, et soovid oma konto sulgeda? Seda tegevust ei saa hiljem tagasi pöörata.", "Confirm account deactivation": "Kinnita konto sulgemine", @@ -520,10 +482,8 @@ "Doesn't look like a valid email address": "Ei tundu olema korralik e-posti aadress", "Passwords don't match": "Salasõnad ei klapi", "Enter phone number (required on this homeserver)": "Sisesta telefoninumber (nõutav selles koduserveris)", - "Use lowercase letters, numbers, dashes and underscores only": "Palun kasuta vaid väiketähti, numbreid, sidekriipsu ja alakriipsu", "Enter username": "Sisesta kasutajanimi", "Email (optional)": "E-posti aadress (kui soovid)", - "Phone (optional)": "Telefoninumber (kui soovid)", "Join millions for free on the largest public server": "Liitu tasuta nende miljonitega, kas kasutavad suurimat avalikku Matrix'i serverit", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Sinu sõnumit ei saadetud, kuna see koduserver on ületanud on ületanud ressursipiirangu. Teenuse kasutamiseks palun võta ühendust serveri haldajaga.", "Connectivity to the server has been lost.": "Ühendus sinu serveriga on katkenud.", @@ -581,11 +541,6 @@ "Identity server URL does not appear to be a valid identity server": "Isikutuvastusserveri aadress ei tundu viitama kehtivale isikutuvastusserverile", "Looks good!": "Tundub õige!", "Failed to re-authenticate due to a homeserver problem": "Uuesti autentimine ei õnnestunud koduserveri vea tõttu", - "Command Autocomplete": "Käskude automaatne lõpetamine", - "Emoji Autocomplete": "Emoji'de automaatne lõpetamine", - "Notification Autocomplete": "Teavituste automaatne lõpetamine", - "Room Autocomplete": "Jututubade nimede automaatne lõpetamine", - "User Autocomplete": "Kasutajanimede automaatne lõpetamine", "Ask your %(brand)s admin to check your config for incorrect or duplicate entries.": "Palu, et sinu %(brand)s'u haldur kontrolliks sinu seadistusi võimalike vigaste või topeltkirjete osas.", "Cannot reach identity server": "Isikutuvastusserverit ei õnnestu leida", "You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Sa võid registreeruda, kuid mõned funktsionaalsused pole kasutatavad seni, kuni isikutuvastusserver pole uuesti võrgus. Kui see teade tekib järjepanu, siis palun kontrolli oma seadistusi või võta ühendust serveri haldajaga.", @@ -673,14 +628,11 @@ "Can't leave Server Notices room": "Serveriteadete jututoast ei saa lahkuda", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Seda jututuba kasutatakse sinu koduserveri oluliste teadete jaoks ja seega sa ei saa sealt lahkuda.", "Signed Out": "Välja logitud", - "Use bots, bridges, widgets and sticker packs": "Kasuta roboteid, sõnumisildu, vidinaid või kleepsupakke", "Upload all": "Laadi kõik üles", "This file is too large to upload. The file size limit is %(limit)s but this file is %(sizeOfThisFile)s.": "See fail on üleslaadimiseks liiga suur. Üleslaaditavate failide mahupiir on %(limit)s, kuid selle faili suurus on %(sizeOfThisFile)s.", "For security, this session has been signed out. Please sign in again.": "Turvalisusega seotud põhjustel on see sessioon välja logitud. Palun logi uuesti sisse.", "Review terms and conditions": "Vaata üle kasutustingimused", "Old cryptography data detected": "Tuvastasin andmed, mille puhul on kasutatud vanemat tüüpi krüptimist", - "Switch to light mode": "Kasuta heledat teemat", - "Switch to dark mode": "Kasuta tumedat teemat", "Switch theme": "Vaheta teemat", "All settings": "Kõik seadistused", "Use Single Sign On to continue": "Jätkamiseks kasuta ühekordset sisselogimist", @@ -780,7 +732,6 @@ "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Jututoa õiguste taseme nõuete muutmisel tekkis viga. Kontrolli, et sul on selleks piisavalt õigusi ja proovi uuesti.", "Error changing power level": "Viga õiguste muutmisel", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Kasutaja õiguste muutmisel tekkis viga. Kontrolli, et sul on selleks piisavalt õigusi ja proovi uuesti.", - "To link to this room, please add an address.": "Sellele jututoale viitamiseks palun lisa talle aadress.", "Discovery options will appear once you have added an email above.": "Otsinguvõimaluste loend kuvatakse, kui oled ülale sisestanud e-posti aadressi.", "Discovery options will appear once you have added a phone number above.": "Otsinguvõimaluste loend kuvatakse, kui oled ülale sisestanud telefoninumbri.", "The authenticity of this encrypted message can't be guaranteed on this device.": "Selle krüptitud sõnumi autentsus pole selles seadmes tagatud.", @@ -936,8 +887,6 @@ "Room options": "Jututoa eelistused", "This room is public": "See jututuba on avalik", "Room avatar": "Jututoa tunnuspilt ehk avatar", - "Publish this room to the public in %(domain)s's room directory?": "Kas avaldame selle jututoa %(domain)s jututubade loendis?", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Kui keegi lisab oma sõnumisse URL'i, siis võidakse näidata selle URL'i eelvaadet, mis annab lisateavet tema kohta, nagu näiteks pealkiri, kirjeldus ja kuidas ta välja näeb.", "Waiting for %(displayName)s to accept…": "Ootan, et %(displayName)s nõustuks…", "Accepting…": "Nõustun …", "Start Verification": "Alusta verifitseerimist", @@ -1012,8 +961,6 @@ "Your area is experiencing difficulties connecting to the internet.": "Sinu piirkonnas on tõrkeid internetiühenduses.", "A connection error occurred while trying to contact the server.": "Serveriga ühenduse algatamisel tekkis viga.", "The server is not configured to indicate what the problem is (CORS).": "Server on seadistatud varjama tegelikke veapõhjuseid (CORS).", - "No files visible in this room": "Selles jututoas pole nähtavaid faile", - "Attach files from chat or just drag and drop them anywhere in a room.": "Faile saad manuseks lisada kas vastava nupu alt vestlusest või sikutades neid jututoa aknasse.", "You're all caught up.": "Ei tea... kõik vist on nüüd tehtud.", "Master private key:": "Üldine privaatvõti:", "Recent changes that have not yet been received": "Hiljutised muudatused, mis pole veel alla laetud või saabunud", @@ -1326,16 +1273,6 @@ "Afghanistan": "Afganistan", "United States": "Ameerika Ühendriigid", "United Kingdom": "Suurbritannia", - "%(creator)s created this DM.": "%(creator)s alustas seda otsesuhtlust.", - "This is the start of .": "See on jututoa algus.", - "Add a photo, so people can easily spot your room.": "Selleks, et teised märkaks sinu jututuba lihtsamini, palun lisa üks pilt.", - "%(displayName)s created this room.": "%(displayName)s lõi selle jututoa.", - "You created this room.": "Sa lõid selle jututoa.", - "Add a topic to help people know what it is about.": "Selleks, et teised teaks millega on tegemist, palun lisa teema.", - "Topic: %(topic)s ": "Teema: %(topic)s ", - "Topic: %(topic)s (edit)": "Teema: %(topic)s (muudetud)", - "This is the beginning of your direct message history with .": "See on sinu ja kasutaja otsesuhtluse ajaloo algus.", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Kuni kumbki teist kolmandaid osapooli liituma ei kutsu, olete siin vestluses vaid teie kahekesi.", "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { "one": "Selleks, et sisu saaks otsingus kasutada, puhverda krüptitud sõnumid kohalikus seadmes turvaliselt. %(rooms)s jututoa andmete salvestamiseks kulub hetkel %(size)s.", "other": "Selleks, et sisu saaks otsingus kasutada, puhverda krüptitud sõnumid kohalikus seadmes turvaliselt. %(rooms)s jututoa andmete salvestamiseks kulub hetkel %(size)s." @@ -1348,9 +1285,6 @@ "Continuing without email": "Jätka ilma e-posti aadressi seadistamiseta", "Server Options": "Serveri seadistused", "There was a problem communicating with the homeserver, please try again later.": "Serveriühenduses tekkis viga. Palun proovi mõne aja pärast uuesti.", - "Use email to optionally be discoverable by existing contacts.": "Kui soovid, et teised kasutajad saaksid sind leida, siis palun lisa oma e-posti aadress.", - "Use email or phone to optionally be discoverable by existing contacts.": "Kui soovid, et teised kasutajad saaksid sind leida, siis palun lisa oma e-posti aadress või telefoninumber.", - "Add an email to be able to reset your password.": "Selleks et saaksid vajadusel oma salasõna muuta, palun lisa oma e-posti aadress.", "That phone number doesn't look quite right, please check and try again": "See telefoninumber ei tundu õige olema, palun kontrolli ta üle ja proovi uuesti", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Lihtsalt hoiatame, et kui sa ei lisa e-posti aadressi ning unustad oma konto salasõna, siis sa võid püsivalt kaotada ligipääsu oma kontole.", "Reason (optional)": "Põhjus (kui soovid lisada)", @@ -1358,7 +1292,6 @@ "Resume": "Jätka", "You've reached the maximum number of simultaneous calls.": "Oled jõudnud suurima lubatud samaaegsete kõnede arvuni.", "Too Many Calls": "Liiga palju kõnesid", - "You have no visible notifications.": "Sul pole nähtavaid teavitusi.", "Transfer": "Suuna kõne edasi", "Failed to transfer call": "Kõne edasisuunamine ei õnnestunud", "A call can only be transferred to a single user.": "Kõnet on võimalik edasi suunata vaid ühele kasutajale.", @@ -1441,21 +1374,12 @@ "other": "%(count)s jututuba", "one": "%(count)s jututuba" }, - "This room is suggested as a good one to join": "Teised kasutajad soovitavad liitumist selle jututoaga", - "Suggested": "Soovitatud", - "Your server does not support showing space hierarchies.": "Sinu koduserver ei võimalda kuvada kogukonnakeskuste hierarhiat.", - "Decrypted event source": "Sündmuse dekrüptitud lähtekood", "Original event source": "Sündmuse töötlemata lähtekood", - "Failed to remove some rooms. Try again later": "Mõnede jututubade eemaldamine ei õnnestunud. Proovi hiljem uuesti", - "Mark as not suggested": "Eemalda soovitus", - "Mark as suggested": "Märgi soovituseks", "No results found": "Tulemusi ei ole", "You may want to try a different search or check for typos.": "Aga proovi muuta otsingusõna või kontrolli ega neis trükivigu polnud.", " invites you": " saatis sulle kutse", "Public space": "Avalik kogukonnakeskus", "Private space": "Privaatne kogukonnakeskus", - "Manage & explore rooms": "Halda ja uuri jututubasid", - "Invite to just this room": "Kutsi vaid siia jututuppa", "unknown person": "tundmatu isik", "%(deviceId)s from %(ip)s": "%(deviceId)s ip-aadressil %(ip)s", "Review to ensure your account is safe": "Tagamaks, et su konto on sinu kontrolli all, vaata andmed üle", @@ -1493,7 +1417,6 @@ "Failed to send": "Saatmine ei õnnestunud", "Enter your Security Phrase a second time to confirm it.": "Kinnitamiseks palun sisesta turvafraas teist korda.", "You have no ignored users.": "Sa ei ole veel kedagi eiranud.", - "Select a room below first": "Esmalt vali alljärgnevast üks jututuba", "Want to add a new room instead?": "Kas sa selle asemel soovid lisada jututuba?", "Adding rooms... (%(progress)s out of %(count)s)": { "one": "Lisan jututuba...", @@ -1522,7 +1445,6 @@ "If you have permissions, open the menu on any message and select Pin to stick them here.": "Kui sul on vastavad õigused olemas, siis ava sõnumi juuresolev menüü ning püsisõnumi tekitamiseks vali Klammerda.", "Pinned messages": "Klammerdatud sõnumid", "Nothing pinned, yet": "Klammerdatud sõnumeid veel pole", - "End-to-end encryption isn't enabled": "Läbiv krüptimine pole kasutusel", "Some suggestions may be hidden for privacy.": "Mõned soovitused võivad privaatsusseadistuste tõttu olla peidetud.", "Search for rooms or people": "Otsi jututubasid või inimesi", "Sent": "Saadetud", @@ -1553,7 +1475,6 @@ "Collapse reply thread": "Ahenda vastuste jutulõnga", "Show preview": "Näita eelvaadet", "View source": "Vaata lähtekoodi", - "Settings - %(spaceName)s": "Seadistused - %(spaceName)s", "Please provide an address": "Palun sisesta aadress", "Unnamed audio": "Nimetu helifail", "Show %(count)s other previews": { @@ -1595,8 +1516,6 @@ "Spaces with access": "Ligipääsuga kogukonnakeskused", "Anyone in a space can find and join. You can select multiple spaces.": "Kõik kogukonnakeskuse liikmed saavad leida ja liituda. Sa võid valida ka mitu kogukonnakeskust.", "Space members": "Kogukonnakeskuse liikmed", - "Decide who can join %(roomName)s.": "Vali, kes saavad liituda %(roomName)s jututoaga.", - "People with supported clients will be able to join the room without having a registered account.": "Kõik kes kasutavad sobilikke klientrakendusi, saavad jututoaga liituda ilma kasutajakonto registreerimiseta.", "Access": "Ligipääs", "Share entire screen": "Jaga tervet ekraani", "Application window": "Rakenduse aken", @@ -1631,8 +1550,6 @@ "Delete avatar": "Kustuta tunnuspilt", "Unknown failure: %(reason)s": "Tundmatu viga: %(reason)s", "We sent the others, but the below people couldn't be invited to ": "Teised kasutajad said kutse, kuid allpool toodud kasutajatele ei õnnestunud saata kutset jututuppa", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Sinu isiklikud sõnumid on tavaliselt läbivalt krüptitud, aga see jututuba ei ole. Tavaliselt on põhjuseks, et kasutusel on mõni seade või meetod nagu e-posti põhised kutsed, mis krüptimist veel ei toeta.", - "Enable encryption in settings.": "Võta seadistustes krüptimine kasutusele.", "Cross-signing is ready but keys are not backed up.": "Risttunnustamine on töövalmis, aga krüptovõtmed on varundamata.", "Rooms and spaces": "Jututoad ja kogukonnad", "Results": "Tulemused", @@ -1653,18 +1570,12 @@ "one": "Hetkel sellel kogukonnal on ligipääs" }, "Upgrade required": "Vajalik on uuendus", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "Võimalike probleemide vältimiseks loo oma suhtluse jaoks uus krüptitud jututuba.", - "To avoid these issues, create a new public room for the conversation you plan to have.": "Võimalike probleemide vältimiseks loo oma suhtluse jaoks uus avalik jututuba.", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "Me ei soovita krüptitud jututoa muutmist avalikuks. See tähendaks, et kõik huvilised saavad vabalt seda jututuba leida ning temaga liituda ning seega ka kõiki selles leiduvaid sõnumeid lugeda. Olemuselt puuduvad sellises olukorras krüptimise eelised. Avalike jututubade sõnumite krüptimine teeb ka sõnumite saatmise ja vastuvõtmise aeglasemaks.", - "Are you sure you want to make this encrypted room public?": "Kas sa oled kindel, et soovid seda krüptitud jututuba muuta avalikuks?", "This upgrade will allow members of selected spaces access to this room without an invite.": "Antud uuendusega on valitud kogukonnakeskuste liikmetel võimalik selle jututoaga ilma kutseta liituda.", - "Are you sure you want to add encryption to this public room?": "Kas sa oled kindel, et soovid selles avalikus jututoas kasutada krüptimist?", "Some encryption parameters have been changed.": "Mõned krüptimise parameetrid on muutunud.", "Role in ": "Roll jututoas ", "Unknown failure": "Määratlemata viga", "Failed to update the join rules": "Liitumisreeglite uuendamine ei õnnestunud", "Anyone in can find and join. You can select other spaces too.": "Kõik kogukonnakeskuse liikmed saavad leida ja liituda. Sa võid valida ka muid kogukonnakeskuseid.", - "Select the roles required to change various parts of the space": "Vali rollid, mis on vajalikud kogukonna eri osade muutmiseks", "Message didn't send. Click for info.": "Sõnum jäi saatmata. Lisateabe saamiseks klõpsi.", "To join a space you'll need an invite.": "Kogukonnakeskusega liitumiseks vajad kutset.", "Would you like to leave the rooms in this space?": "Kas sa soovid lahkuda ka selle kogukonna jututubadest?", @@ -1684,7 +1595,6 @@ "Skip verification for now": "Jäta verifitseerimine praegu vahele", "Really reset verification keys?": "Kas tõesti kustutame kõik verifitseerimisvõtmed?", "Create poll": "Loo selline küsitlus", - "Space Autocomplete": "Kogukonnakeskuste dünaamiline otsing", "Updating spaces... (%(progress)s out of %(count)s)": { "one": "Uuendan kogukonnakeskust...", "other": "Uuendan kogukonnakeskuseid... (%(progress)s / %(count)s)" @@ -1711,7 +1621,6 @@ }, "View in room": "Vaata jututoas", "Enter your Security Phrase or to continue.": "Jätkamiseks sisesta oma turvafraas või .", - "See room timeline (devtools)": "Vaata jututoa ajajoont (arendusvaade)", "Joined": "Liitunud", "Insert link": "Lisa link", "Joining": "Liitun", @@ -1719,7 +1628,6 @@ "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Me loome turvavõtme, mida sa peaksid hoidma turvalises kohas, nagu näiteks arvutis salasõnade halduris või vana kooli seifis.", "Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "Taasta ligipääs oma kontole ning selles sessioonis salvestatud krüptivõtmetele. Ilma nende võtmeteta sa ei saa lugeda krüptitud sõnumeid mitte üheski oma sessioonis.", "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Ilma verifitseerimiseta sul puudub ligipääs kõikidele oma sõnumitele ning teised ei näe sinu kasutajakontot usaldusväärsena.", - "You're all caught up": "Ei tea... kõik vist on nüüd tehtud", "If you can't see who you're looking for, send them your invite link below.": "Kui sa ei leia otsitavaid, siis saada neile kutse.", "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "See jututuba on mõne sellise kogukonnakeskuse osa, kus sul pole haldaja õigusi. Selliselt juhul vana jututuba jätkuvalt kuvatakse, kuid selle asutajatele pakutakse võimalust uuega liituda.", "In encrypted rooms, verify all users to ensure it's secure.": "Krüptitud jututubades turvalisuse tagamiseks verifitseeri kõik kasutajad.", @@ -1727,20 +1635,6 @@ "Yours, or the other users' internet connection": "Sinu või teise kasutaja internetiühendus", "The homeserver the user you're verifying is connected to": "Sinu poolt verifitseeritava kasutaja koduserver", "This room isn't bridging messages to any platforms. Learn more.": "See jututuba ei kasuta sõnumisildasid liidestamiseks muude süsteemidega. Lisateave.", - "Select all": "Vali kõik", - "Deselect all": "Eemalda kõik valikud", - "Sign out devices": { - "other": "Logi seadmed võrgust välja", - "one": "Logi seade võrgust välja" - }, - "Click the button below to confirm signing out these devices.": { - "one": "Kinnitamaks selle seadme väljalogimine klõpsi järgnevat nuppu.", - "other": "Kinnitamaks nende seadmete väljalogimine klõpsi järgnevat nuppu." - }, - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "Kasutades ühekordse sisselogimisega oma isiku tõestamist kinnita selle seadme väljalogimine.", - "other": "Kasutades ühekordse sisselogimisega oma isiku tõestamist kinnita nende seadmete väljalogimine." - }, "Add option": "Lisa valik", "Write an option": "Sisesta valik", "Option %(number)s": "Valik %(number)s", @@ -1751,7 +1645,6 @@ "You do not have permission to start polls in this room.": "Sul ei ole õigusi küsitluste korraldamiseks siin jututoas.", "Copy link to thread": "Kopeeri jutulõnga link", "Thread options": "Jutulõnga valikud", - "Someone already has that username. Try another or if it is you, sign in below.": "Keegi juba pruugib sellist kasutajanime. Katseta mõne muuga või kui oled sina ise, siis logi sisse.", "Show all your rooms in Home, even if they're in a space.": "Näita kõiki oma jututubasid avalehel ka siis kui nad on osa mõnest kogukonnast.", "Home is useful for getting an overview of everything.": "Avalehelt saad kõigest hea ülevaate.", "Spaces to show": "Näidatavad kogukonnakeskused", @@ -1832,7 +1725,6 @@ "Copy room link": "Kopeeri jututoa link", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Sellega rühmitad selle kogukonna liikmetega peetavaid vestlusi. Kui seadistus pole kasutusel, siis on neid vestlusi %(spaceName)s kogukonna vaates ei kuvata.", "Sections to show": "Näidatavad valikud", - "Failed to load list of rooms.": "Jututubade loendi laadimine ei õnnestunud.", "Open in OpenStreetMap": "Ava OpenStreetMap'is", "toggle event": "lülita sündmus sisse/välja", "This address had invalid server or is already in use": "Selle aadressiga seotud server on kas kirjas vigaselt või on juba kasutusel", @@ -1865,20 +1757,16 @@ "Remove them from everything I'm able to": "Eemalda kasutaja kõikjalt, kust ma saan", "Remove from %(roomName)s": "Eemalda %(roomName)s jututoast", "You were removed from %(roomName)s by %(memberName)s": "%(memberName)s eemaldas sind %(roomName)s jututoast", - "Space home": "Kogukonnakeskuse avaleht", "Message pending moderation": "Sõnum on modereerimise ootel", "Message pending moderation: %(reason)s": "Sõnum on modereerimise ootel: %(reason)s", "Internal room ID": "Jututoa tehniline tunnus", "Group all your rooms that aren't part of a space in one place.": "Koonda ühte kohta kõik oma jututoad, mis ei kuulu mõnda kogukonda.", - "Unable to check if username has been taken. Try again later.": "Kasutajanime saadavust ei õnnestu kontrollida. Palun proovi hiljem uuesti.", "Group all your people in one place.": "Koonda oma olulised sõbrad ühte kohta.", "Group all your favourite rooms and people in one place.": "Koonda oma olulised sõbrad ning lemmikjututoad ühte kohta.", "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Kogukonnakeskused on kasutajate ja jututubade koondamise viis. Lisaks kogukonnakeskustele, mille liiga sa oled, võid sa kasutada ka eelseadistatud kogukonnakeskusi.", "Pick a date to jump to": "Vali kuupäev, mida soovid vaadata", "Jump to date": "Vaata kuupäeva", "The beginning of the room": "Jututoa algus", - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Kui sa tead, mida ja kuidas teed, siis osale meie arenduses - Element on avatud lähtekoodiga tarkvara, mille leiad GitHub'ist (https://github.com/vector-im/element-web/)!", - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Kui keegi palus sul siia midagi kopeerida või asetada, siis suure tõenäosusega on tegemist pettusekatsega!", "Wait!": "Palun oota!", "This address does not point at this room": "Antud aadress ei viita sellele jututoale", "Location": "Asukoht", @@ -1971,10 +1859,6 @@ "%(featureName)s Beta feedback": "%(featureName)s beetaversiooni tagasiside", "Live location ended": "Reaalajas asukoha jagamine on lõppenud", "View live location": "Vaata asukohta reaalajas", - "Confirm signing out these devices": { - "one": "Kinnita selle seadme väljalogimine", - "other": "Kinnita nende seadmete väljalogimine" - }, "Live location enabled": "Reaalajas asukoha jagamine on kasutusel", "Live location error": "Viga asukoha jagamisel reaalajas", "Live until %(expiryTime)s": "Kuvamine toimib kuni %(expiryTime)s", @@ -2045,7 +1929,6 @@ "Deactivating your account is a permanent action — be careful!": "Kuna kasutajakonto dektiveerimist ei saa tagasi pöörata, siis palun ole ettevaatlik!", "Un-maximise": "Lõpeta täisvaate kasutamine", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Kui sa logid välja, siis krüptovõtmed kustutatakse sellest seadmest. Seega, kui sul pole krüptovõtmeid varundatud teistes seadmetes või kasutusel serveripoolset varundust, siis sa krüptitud sõnumeid hiljem lugeda ei saa.", - "Video rooms are a beta feature": "Videotoad on veel beeta-funktsionaalsus", "Remove search filter for %(filter)s": "Eemalda otsingufilter „%(filter)s“", "Start a group chat": "Alusta rühmavestlust", "Other options": "Muud valikud", @@ -2083,41 +1966,14 @@ "You don't have permission to share locations": "Sul pole vajalikke õigusi asukoha jagamiseks", "You need to have the right permissions in order to share locations in this room.": "Selles jututoas asukoha jagamiseks peavad sul olema vastavad õigused.", "Messages in this chat will be end-to-end encrypted.": "Sõnumid siin vestluses on läbivalt krüptitud.", - "Send your first message to invite to chat": "Saada oma esimene sõnum kutsudes vestlusesse", "Choose a locale": "Vali lokaat", "Saved Items": "Salvestatud failid", "Spell check": "Õigekirja kontroll", "You're in": "Kõik on tehtud", - "Last activity": "Viimati kasutusel", "Sessions": "Sessioonid", - "Current session": "Praegune sessioon", - "Inactive for %(inactiveAgeDays)s+ days": "Pole olnud kasutusel %(inactiveAgeDays)s+ päeva", - "Verify or sign out from this session for best security and reliability.": "Parima turvalisuse ja töökindluse nimel verifitseeri see sessioon või logi ta võrgust välja.", - "Unverified session": "Verifitseerimata sessioon", - "This session is ready for secure messaging.": "See sessioon on valmis turvaliseks sõnumivahetuseks.", - "Verified session": "Verifitseeritud sessioon", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Parima turvalisuse nimel verifitseeri kõik oma sessioonid ning logi välja neist, mida sa enam ei kasuta.", - "Other sessions": "Muud sessioonid", - "Session details": "Sessiooni teave", - "IP address": "IP-aadress", - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Turvalise sõnumvahetuse nimel verifitseeri kõik oma sessioonid ning logi neist välja, mida sa enam ei kasuta või ei tunne enam ära.", - "Inactive sessions": "Mitteaktiivsed sessioonid", - "Unverified sessions": "Verifitseerimata sessioonid", - "Security recommendations": "Turvalisusega seotud soovitused", "Interactively verify by emoji": "Verifitseeri interaktiivselt emoji abil", "Manually verify by text": "Verifitseeri käsitsi etteantud teksti abil", - "Filter devices": "Sirvi seadmeid", - "Inactive for %(inactiveAgeDays)s days or longer": "Pole olnud kasutusel %(inactiveAgeDays)s või enam päeva", - "Inactive": "Pole pidevas kasutuses", - "Not ready for secure messaging": "Pole valmis turvaliseks sõnumivahetuseks", - "Ready for secure messaging": "Valmis turvaliseks sõnumivahetuseks", - "All": "Kõik", - "No sessions found.": "Sessioone ei leidu.", - "No inactive sessions found.": "Ei leidu sessioone, mis pole aktiivses kasutuses.", - "No unverified sessions found.": "Verifitseerimata sessioone ei leidu.", - "No verified sessions found.": "Verifitseeritud sessioone ei leidu.", - "For best security, sign out from any session that you don't recognize or use anymore.": "Parima turvalisuse nimel logi välja neist sessioonidest, mida sa enam ei kasuta või ei tunne ära.", - "Verified sessions": "Verifitseeritud sessioonid", "Empty room (was %(oldName)s)": "Tühi jututuba (varasema nimega %(oldName)s)", "Inviting %(user)s and %(count)s others": { "one": "Saadame kutset kasutajale %(user)s ning veel ühele muule kasutajale", @@ -2129,20 +1985,10 @@ "other": "%(user)s ja veel %(count)s kasutajat" }, "%(user1)s and %(user2)s": "%(user1)s ja %(user2)s", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "Me ei soovita avalikes jututubades krüptimise kasutamist. Kuna kõik huvilised saavad vabalt leida avalikke jututube ning nendega liituda, siis saavad nad niikuinii ka neis leiduvaid sõnumeid lugeda. Olemuselt puuduvad sellises olukorras krüptimise eelised ning sa ei saa hiljem krüptimist välja lülitada. Avalike jututubade sõnumite krüptimine teeb ka sõnumite saatmise ja vastuvõtmise aeglasemaks.", "We're creating a room with %(names)s": "Me loome jututoa järgnevaist: %(names)s", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s või %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s või %(recoveryFile)s", - "Proxy URL": "Puhverserveri aadress", - "Proxy URL (optional)": "Puhverserveri aadress (kui vaja)", - "To disable you will need to log out and back in, use with caution!": "Väljalülitamiseks palun logi välja ning seejärel tagasi, kuid ole sellega ettevaatlik!", - "Your server lacks native support, you must specify a proxy": "Selle funktsionaalsuse tugi on sinu koduserveris puudu, palun kasuta puhverserverit", - "Your server lacks native support": "Selle funktsionaalsuse tugi on sinu koduserveris puudu", - "Your server has native support": "Selle funktsionaalsuse tugi on sinu koduserveris olemas", - "Sign out of this session": "Logi sellest sessioonist välja", "You need to be able to kick users to do that.": "Selle tegevuse jaoks peaks sul olema õigus teistele kasutajatele müksamiseks.", - "Rename session": "Muuda sessiooni nime", - "Sliding Sync configuration": "Sliding Sync konfiguratsioon", "Voice broadcast": "Ringhäälingukõne", "Video call ended": "Videokõne on lõppenud", "%(name)s started a video call": "%(name)s algatas videokõne", @@ -2152,23 +1998,14 @@ "Ongoing call": "Kõne on pooleli", "Video call (Jitsi)": "Videokõne (Jitsi)", "Failed to set pusher state": "Tõuketeavituste teenuse oleku määramine ei õnnestunud", - "Receive push notifications on this session.": "Võta tõuketeavitused selles sessioonis kasutusele.", - "Push notifications": "Tõuketeavitused", - "Toggle push notifications on this session.": "Lülita tõuketeavitused selles sessioonis sisse/välja.", "Room info": "Jututoa teave", "View chat timeline": "Vaata vestluse ajajoont", "Close call": "Lõpeta kõne", "Spotlight": "Rambivalgus", "Freedom": "Vabadus", - "Unknown session type": "Tundmatu sessioonitüüp", - "Web session": "Veebirakendus", - "Mobile session": "Nutirakendus", - "Desktop session": "Töölauarakendus", - "URL": "URL", "Unknown room": "Teadmata jututuba", "Live": "Otseeeter", "Video call (%(brand)s)": "Videokõne (%(brand)s)", - "Operating system": "Operatsioonisüsteem", "Call type": "Kõne tüüp", "You do not have sufficient permissions to change this.": "Sul pole piisavalt õigusi selle muutmiseks.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s kasutab läbivat krüptimist, kuid on hetkel piiratud väikese osalejate arvuga ühes kõnes.", @@ -2192,24 +2029,11 @@ "The scanned code is invalid.": "Skaneeritud QR-kood on vigane.", "The linking wasn't completed in the required time.": "Sidumine ei lõppenud etteantud aja jooksul.", "Sign in new device": "Logi sisse uus seade", - "Show QR code": "Näita QR-koodi", - "Sign in with QR code": "Logi sisse QR-koodi abil", - "Browser": "Brauser", - "You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.": "Sa saad kasutada seda seadet mõne muu seadme logimiseks Matrix'i võrku QR-koodi alusel. Selleks skaneeri võrgust väljalogitud seadmega seda QR-koodi.", "Are you sure you want to sign out of %(count)s sessions?": { "one": "Kas sa oled kindel et soovid %(count)s sessiooni võrgust välja logida?", "other": "Kas sa oled kindel et soovid %(count)s sessiooni võrgust välja logida?" }, - "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "Muu hulgas selle alusel saavad nad olla kindlad, et nad tõesti suhtlevad sinuga, kuid samas nad näevad nimesid, mida sa siia sisestad.", - "Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "Nii otsesuhtluse osapooled kui jututubades osalejad näevad sinu kõikide sessioonide loendit.", - "Renaming sessions": "Sessioonide nimede muutmine", - "Please be aware that session names are also visible to people you communicate with.": "Palun arvesta, et sessioonide nimed on näha ka kõikidele osapooltele, kellega sa suhtled.", "Show formatting": "Näita vormingut", - "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Võimalusel logi välja vanadest seanssidest (%(inactiveAgeDays)s päeva või vanemad), mida sa enam ei kasuta.", - "Removing inactive sessions improves security and performance, and makes it easier for you to identify if a new session is suspicious.": "Mitteaktiivsete seansside eemaldamine parandab turvalisust ja jõudlust ning lihtsustab võimalike kahtlaste seansside tuvastamist.", - "Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.": "Mitteaktiivsed seansid on seansid, mida sa ei ole mõnda aega kasutanud, kuid neil jätkuvalt lubatakse laadida krüptimisvõtmeid.", - "You should make especially certain that you recognise these sessions as they could represent an unauthorised use of your account.": "Kuna nende näol võib olla tegemist võimaliku konto volitamata kasutamisega, siis palun tee kindlaks, et need sessioonid on sulle tuttavad.", - "Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.": "Kontrollimata sessioonid on sessioonid, kuhu on sinu volitustega sisse logitud, kuid mida ei ole risttuvastamisega kontrollitud.", "Hide formatting": "Peida vormindus", "Connection": "Ühendus", "Voice processing": "Heli töötlemine", @@ -2218,10 +2042,6 @@ "Voice settings": "Heli seadistused", "Error downloading image": "Pildifaili allalaadimine ei õnnestunud", "Unable to show image due to error": "Vea tõttu ei ole võimalik pilti kuvada", - "This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "See tähendab, et selles sessioonis on ka kõik vajalikud võtmed krüptitud sõnumite lugemiseks ja teistele kasutajatele kinnitamiseks, et sa usaldad seda sessiooni.", - "Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Verifitseeritud sessioonideks loetakse Element'is või mõnes muus Matrix'i rakenduses selliseid sessioone, kus sa kas oled sisestanud oma salafraasi või tuvastanud end mõne teise oma verifitseeritud sessiooni abil.", - "Show details": "Näita üksikasju", - "Hide details": "Peida üksikasjalik teave", "Send email": "Saada e-kiri", "Sign out of all devices": "Logi kõik oma seadmed võrgust välja", "Confirm new password": "Kinnita oma uus salasõna", @@ -2240,35 +2060,19 @@ "Search users in this room…": "Vali kasutajad sellest jututoast…", "Give one or multiple users in this room more privileges": "Lisa selles jututoas ühele või mitmele kasutajale täiendavaid õigusi", "Add privileged users": "Lisa kasutajatele täiendavaid õigusi", - "For best security and privacy, it is recommended to use Matrix clients that support encryption.": "Parima turvalisuse ja privaatsuse nimel palun kasuta selliseid Matrix'i kliente, mis toetavad krüptimist.", - "You won't be able to participate in rooms where encryption is enabled when using this session.": "Selle sessiooniga ei saa sa osaleda krüptitud jututubades.", - "This session doesn't support encryption and thus can't be verified.": "Seda sessiooni ei saa verifitseerida, sest seal puudub krüptimise tugi.", "Unable to decrypt message": "Sõnumi dekrüptimine ei õnnestunud", "This message could not be decrypted": "Seda sõnumit ei õnnestunud dekrüptida", "You can’t start a call as you are currently recording a live broadcast. Please end your live broadcast in order to start a call.": "Kuna sa hetkel salvestad ringhäälingukõnet, siis tavakõne algatamine ei õnnestu. Kõne alustamiseks palun lõpeta ringhäälingukõne.", "Can’t start a call": "Kõne algatamine ei õnnestu", - "Improve your account security by following these recommendations.": "Kui järgid neid soovitusi, siis sa parandad oma kasutajakonto turvalisust.", - "%(count)s sessions selected": { - "one": "%(count)s sessioon valitud", - "other": "%(count)s sessiooni valitud" - }, "Failed to read events": "Päringu või sündmuse lugemine ei õnnestunud", "Failed to send event": "Päringu või sündmuse saatmine ei õnnestunud", " in %(room)s": " %(room)s jututoas", "Mark as read": "Märgi loetuks", - "Verify your current session for enhanced secure messaging.": "Turvalise sõnumivahetuse nimel palun verifitseeri oma praegune sessioon.", - "Your current session is ready for secure messaging.": "Sinu praegune sessioon on valmis turvaliseks sõnumivahetuseks.", "Text": "Tekst", "Create a link": "Tee link", - "Sign out of %(count)s sessions": { - "one": "Logi %(count)s'st sessioonist välja", - "other": "Logi %(count)s'st sessioonist välja" - }, - "Sign out of all other sessions (%(otherSessionsCount)s)": "Logi kõikidest ülejäänud sessioonidest välja: %(otherSessionsCount)s sessioon(i)", "You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Kuna sa hetkel salvestad ringhäälingukõnet, siis häälsõnumi salvestamine või esitamine ei õnnestu. Selleks palun lõpeta ringhäälingukõne.", "Can't start voice message": "Häälsõnumi salvestamine või esitamine ei õnnestu", "Edit link": "Muuda linki", - "Decrypted source unavailable": "Dekrüptitud lähteandmed pole saadaval", "%(senderName)s started a voice broadcast": "%(senderName)s alustas ringhäälingukõnet", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", "Registration token": "Registreerimise tunnuskood", @@ -2344,7 +2148,6 @@ "There are no active polls. Load more polls to view polls for previous months": "Pole ühtegi käimas küsitlust. Varasemate kuude vaatamiseks laadi veel küsitlusi", "Verify Session": "Verifitseeri sessioon", "Ignore (%(counter)s)": "Eira (%(counter)s)", - "Once everyone has joined, you’ll be able to chat": "Te saate vestelda, kui kõik on liitunud", "Invites by email can only be sent one at a time": "Kutseid saad e-posti teel saata vaid ükshaaval", "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Teavituste eelistuste muutmisel tekkis viga. Palun proovi sama valikut uuesti sisse/välja lülitada.", "Desktop app logo": "Töölauarakenduse logo", @@ -2390,7 +2193,6 @@ "Alternatively, you can try to use the public server at , but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "Alternatiivina võid sa kasutada avalikku serverit , kuid see ei pruugi olla piisavalt töökindel ning sa jagad ka oma IP-aadressi selle serveriga. Täpsemalt saad seda määrata seadistustes.", "User is not logged in": "Kasutaja pole võrku loginud", "Try using %(server)s": "Proovi kasutada %(server)s serverit", - "Your server requires encryption to be disabled.": "Sinu server eeldab, et krüptimine on välja lülitatud.", "Are you sure you wish to remove (delete) this event?": "Kas sa oled kindel, et soovid kustutada selle sündmuse?", "Note that removing room changes like this could undo the change.": "Palun arvesta jututoa muudatuste eemaldamine võib eemaldada ka selle muutuse.", "Something went wrong.": "Midagi läks nüüd valesti.", @@ -2540,7 +2342,9 @@ "orphan_rooms": "Muud jututoad", "on": "Kasutusel", "off": "Välja lülitatud", - "all_rooms": "Kõik jututoad" + "all_rooms": "Kõik jututoad", + "deselect_all": "Eemalda kõik valikud", + "select_all": "Vali kõik" }, "action": { "continue": "Jätka", @@ -2723,7 +2527,15 @@ "rust_crypto_disabled_notice": "Seda võimalust saab hetkel sisse lülitada vaid config.json failist", "automatic_debug_logs_key_backup": "Kui krüptovõtmete varundus ei toimi, siis automaatselt saada silumislogid arendajatele", "automatic_debug_logs_decryption": "Dekrüptimisvigade puhul saada silumislogid automaatselt arendajatele", - "automatic_debug_logs": "Iga vea puhul saada silumislogid automaatselt arendajatele" + "automatic_debug_logs": "Iga vea puhul saada silumislogid automaatselt arendajatele", + "sliding_sync_server_support": "Selle funktsionaalsuse tugi on sinu koduserveris olemas", + "sliding_sync_server_no_support": "Selle funktsionaalsuse tugi on sinu koduserveris puudu", + "sliding_sync_server_specify_proxy": "Selle funktsionaalsuse tugi on sinu koduserveris puudu, palun kasuta puhverserverit", + "sliding_sync_configuration": "Sliding Sync konfiguratsioon", + "sliding_sync_disable_warning": "Väljalülitamiseks palun logi välja ning seejärel tagasi, kuid ole sellega ettevaatlik!", + "sliding_sync_proxy_url_optional_label": "Puhverserveri aadress (kui vaja)", + "sliding_sync_proxy_url_label": "Puhverserveri aadress", + "video_rooms_beta": "Videotoad on veel beeta-funktsionaalsus" }, "keyboard": { "home": "Avaleht", @@ -2818,7 +2630,19 @@ "placeholder_reply_encrypted": "Saada krüptitud vastus…", "placeholder_reply": "Saada vastus…", "placeholder_encrypted": "Saada krüptitud sõnum…", - "placeholder": "Saada sõnum…" + "placeholder": "Saada sõnum…", + "autocomplete": { + "command_description": "Käsud", + "command_a11y": "Käskude automaatne lõpetamine", + "emoji_a11y": "Emoji'de automaatne lõpetamine", + "@room_description": "Teavita kogu jututuba", + "notification_description": "Jututoa teavitus", + "notification_a11y": "Teavituste automaatne lõpetamine", + "room_a11y": "Jututubade nimede automaatne lõpetamine", + "space_a11y": "Kogukonnakeskuste dünaamiline otsing", + "user_description": "Kasutajad", + "user_a11y": "Kasutajanimede automaatne lõpetamine" + } }, "Bold": "Paks kiri", "Link": "Link", @@ -3073,6 +2897,95 @@ }, "keyboard": { "title": "Klaviatuur" + }, + "sessions": { + "rename_form_heading": "Muuda sessiooni nime", + "rename_form_caption": "Palun arvesta, et sessioonide nimed on näha ka kõikidele osapooltele, kellega sa suhtled.", + "rename_form_learn_more": "Sessioonide nimede muutmine", + "rename_form_learn_more_description_1": "Nii otsesuhtluse osapooled kui jututubades osalejad näevad sinu kõikide sessioonide loendit.", + "rename_form_learn_more_description_2": "Muu hulgas selle alusel saavad nad olla kindlad, et nad tõesti suhtlevad sinuga, kuid samas nad näevad nimesid, mida sa siia sisestad.", + "session_id": "Sessiooni tunnus", + "last_activity": "Viimati kasutusel", + "url": "URL", + "os": "Operatsioonisüsteem", + "browser": "Brauser", + "ip": "IP-aadress", + "details_heading": "Sessiooni teave", + "push_toggle": "Lülita tõuketeavitused selles sessioonis sisse/välja.", + "push_heading": "Tõuketeavitused", + "push_subheading": "Võta tõuketeavitused selles sessioonis kasutusele.", + "sign_out": "Logi sellest sessioonist välja", + "hide_details": "Peida üksikasjalik teave", + "show_details": "Näita üksikasju", + "inactive_days": "Pole olnud kasutusel %(inactiveAgeDays)s+ päeva", + "verified_sessions": "Verifitseeritud sessioonid", + "verified_sessions_explainer_1": "Verifitseeritud sessioonideks loetakse Element'is või mõnes muus Matrix'i rakenduses selliseid sessioone, kus sa kas oled sisestanud oma salafraasi või tuvastanud end mõne teise oma verifitseeritud sessiooni abil.", + "verified_sessions_explainer_2": "See tähendab, et selles sessioonis on ka kõik vajalikud võtmed krüptitud sõnumite lugemiseks ja teistele kasutajatele kinnitamiseks, et sa usaldad seda sessiooni.", + "unverified_sessions": "Verifitseerimata sessioonid", + "unverified_sessions_explainer_1": "Kontrollimata sessioonid on sessioonid, kuhu on sinu volitustega sisse logitud, kuid mida ei ole risttuvastamisega kontrollitud.", + "unverified_sessions_explainer_2": "Kuna nende näol võib olla tegemist võimaliku konto volitamata kasutamisega, siis palun tee kindlaks, et need sessioonid on sulle tuttavad.", + "unverified_session": "Verifitseerimata sessioon", + "unverified_session_explainer_1": "Seda sessiooni ei saa verifitseerida, sest seal puudub krüptimise tugi.", + "unverified_session_explainer_2": "Selle sessiooniga ei saa sa osaleda krüptitud jututubades.", + "unverified_session_explainer_3": "Parima turvalisuse ja privaatsuse nimel palun kasuta selliseid Matrix'i kliente, mis toetavad krüptimist.", + "inactive_sessions": "Mitteaktiivsed sessioonid", + "inactive_sessions_explainer_1": "Mitteaktiivsed seansid on seansid, mida sa ei ole mõnda aega kasutanud, kuid neil jätkuvalt lubatakse laadida krüptimisvõtmeid.", + "inactive_sessions_explainer_2": "Mitteaktiivsete seansside eemaldamine parandab turvalisust ja jõudlust ning lihtsustab võimalike kahtlaste seansside tuvastamist.", + "desktop_session": "Töölauarakendus", + "mobile_session": "Nutirakendus", + "web_session": "Veebirakendus", + "unknown_session": "Tundmatu sessioonitüüp", + "device_verified_description_current": "Sinu praegune sessioon on valmis turvaliseks sõnumivahetuseks.", + "device_verified_description": "See sessioon on valmis turvaliseks sõnumivahetuseks.", + "verified_session": "Verifitseeritud sessioon", + "device_unverified_description_current": "Turvalise sõnumivahetuse nimel palun verifitseeri oma praegune sessioon.", + "device_unverified_description": "Parima turvalisuse ja töökindluse nimel verifitseeri see sessioon või logi ta võrgust välja.", + "verify_session": "Verifitseeri sessioon", + "verified_sessions_list_description": "Parima turvalisuse nimel logi välja neist sessioonidest, mida sa enam ei kasuta või ei tunne ära.", + "unverified_sessions_list_description": "Turvalise sõnumvahetuse nimel verifitseeri kõik oma sessioonid ning logi neist välja, mida sa enam ei kasuta või ei tunne enam ära.", + "inactive_sessions_list_description": "Võimalusel logi välja vanadest seanssidest (%(inactiveAgeDays)s päeva või vanemad), mida sa enam ei kasuta.", + "no_verified_sessions": "Verifitseeritud sessioone ei leidu.", + "no_unverified_sessions": "Verifitseerimata sessioone ei leidu.", + "no_inactive_sessions": "Ei leidu sessioone, mis pole aktiivses kasutuses.", + "no_sessions": "Sessioone ei leidu.", + "filter_all": "Kõik", + "filter_verified_description": "Valmis turvaliseks sõnumivahetuseks", + "filter_unverified_description": "Pole valmis turvaliseks sõnumivahetuseks", + "filter_inactive": "Pole pidevas kasutuses", + "filter_inactive_description": "Pole olnud kasutusel %(inactiveAgeDays)s või enam päeva", + "filter_label": "Sirvi seadmeid", + "n_sessions_selected": { + "one": "%(count)s sessioon valitud", + "other": "%(count)s sessiooni valitud" + }, + "sign_in_with_qr": "Logi sisse QR-koodi abil", + "sign_in_with_qr_description": "Sa saad kasutada seda seadet mõne muu seadme logimiseks Matrix'i võrku QR-koodi alusel. Selleks skaneeri võrgust väljalogitud seadmega seda QR-koodi.", + "sign_in_with_qr_button": "Näita QR-koodi", + "sign_out_n_sessions": { + "one": "Logi %(count)s'st sessioonist välja", + "other": "Logi %(count)s'st sessioonist välja" + }, + "other_sessions_heading": "Muud sessioonid", + "sign_out_all_other_sessions": "Logi kõikidest ülejäänud sessioonidest välja: %(otherSessionsCount)s sessioon(i)", + "current_session": "Praegune sessioon", + "confirm_sign_out_sso": { + "one": "Kasutades ühekordse sisselogimisega oma isiku tõestamist kinnita selle seadme väljalogimine.", + "other": "Kasutades ühekordse sisselogimisega oma isiku tõestamist kinnita nende seadmete väljalogimine." + }, + "confirm_sign_out": { + "one": "Kinnita selle seadme väljalogimine", + "other": "Kinnita nende seadmete väljalogimine" + }, + "confirm_sign_out_body": { + "one": "Kinnitamaks selle seadme väljalogimine klõpsi järgnevat nuppu.", + "other": "Kinnitamaks nende seadmete väljalogimine klõpsi järgnevat nuppu." + }, + "confirm_sign_out_continue": { + "other": "Logi seadmed võrgust välja", + "one": "Logi seade võrgust välja" + }, + "security_recommendations": "Turvalisusega seotud soovitused", + "security_recommendations_description": "Kui järgid neid soovitusi, siis sa parandad oma kasutajakonto turvalisust." } }, "devtools": { @@ -3172,7 +3085,9 @@ "show_hidden_events": "Näita peidetud sündmusi ajajoonel", "low_bandwidth_mode_description": "Eeldab, et koduserver toetab sellist funktsionaalsust.", "low_bandwidth_mode": "Vähese ribalaiusega režiim", - "developer_mode": "Arendusrežiim" + "developer_mode": "Arendusrežiim", + "view_source_decrypted_event_source": "Sündmuse dekrüptitud lähtekood", + "view_source_decrypted_event_source_unavailable": "Dekrüptitud lähteandmed pole saadaval" }, "export_chat": { "html": "HTML", @@ -3568,7 +3483,9 @@ "io.element.voice_broadcast_info": { "you": "Sa lõpetasid ringhäälingukõne", "user": "%(senderName)s lõpetas ringhäälingukõne" - } + }, + "creation_summary_dm": "%(creator)s alustas seda otsesuhtlust.", + "creation_summary_room": "%(creator)s lõi ja seadistas jututoa." }, "slash_command": { "spoiler": "Saadab selle sõnumi rõõmurikkujana", @@ -3763,13 +3680,53 @@ "kick": "Eemalda kasutajaid", "ban": "Määra kasutajatele suhtluskeeld", "redact": "Kustuta teiste saadetud sõnumid", - "notifications.room": "Teavita kõiki" + "notifications.room": "Teavita kõiki", + "no_privileged_users": "Mitte ühelgi kasutajal pole siin jututoas eelisõigusi", + "privileged_users_section": "Eelisõigustega kasutajad", + "muted_users_section": "Summutatud kasutajad", + "banned_users_section": "Suhtluskeelu saanud kasutajad", + "send_event_type": "Saada %(eventType)s-sündmusi", + "title": "Rollid ja õigused", + "permissions_section": "Õigused", + "permissions_section_description_space": "Vali rollid, mis on vajalikud kogukonna eri osade muutmiseks", + "permissions_section_description_room": "Vali rollid, mis on vajalikud jututoa eri osade muutmiseks" }, "security": { "strict_encryption": "Ära iialgi saada sellest sessioonist krüptitud sõnumeid verifitseerimata sessioonidesse selles jututoas", "join_rule_invite": "Privaatne jututuba (eeldab kutset)", "join_rule_invite_description": "Liitumine toimub vaid kutse alusel.", - "join_rule_public_description": "Kõik saavad jututuba leida ja sellega liituda." + "join_rule_public_description": "Kõik saavad jututuba leida ja sellega liituda.", + "enable_encryption_public_room_confirm_title": "Kas sa oled kindel, et soovid selles avalikus jututoas kasutada krüptimist?", + "enable_encryption_public_room_confirm_description_1": "Me ei soovita avalikes jututubades krüptimise kasutamist. Kuna kõik huvilised saavad vabalt leida avalikke jututube ning nendega liituda, siis saavad nad niikuinii ka neis leiduvaid sõnumeid lugeda. Olemuselt puuduvad sellises olukorras krüptimise eelised ning sa ei saa hiljem krüptimist välja lülitada. Avalike jututubade sõnumite krüptimine teeb ka sõnumite saatmise ja vastuvõtmise aeglasemaks.", + "enable_encryption_public_room_confirm_description_2": "Võimalike probleemide vältimiseks loo oma suhtluse jaoks uus krüptitud jututuba.", + "enable_encryption_confirm_title": "Kas võtame krüptimise kasutusele?", + "enable_encryption_confirm_description": "Kui kord juba kasutusele võetud, siis krüptimist enam hiljem ära lõpetada ei saa. Krüptitud sõnumeid ei saa lugeda ei vaheapealses veebiliikluses ega serveris ja vaid jututoa liikmed saavad neid lugeda. Krüptimise kasutusele võtmine võib takistada nii robotite kui sõnumisildade tööd. Lisateave krüptimise kohta.", + "public_without_alias_warning": "Sellele jututoale viitamiseks palun lisa talle aadress.", + "join_rule_description": "Vali, kes saavad liituda %(roomName)s jututoaga.", + "encrypted_room_public_confirm_title": "Kas sa oled kindel, et soovid seda krüptitud jututuba muuta avalikuks?", + "encrypted_room_public_confirm_description_1": "Me ei soovita krüptitud jututoa muutmist avalikuks. See tähendaks, et kõik huvilised saavad vabalt seda jututuba leida ning temaga liituda ning seega ka kõiki selles leiduvaid sõnumeid lugeda. Olemuselt puuduvad sellises olukorras krüptimise eelised. Avalike jututubade sõnumite krüptimine teeb ka sõnumite saatmise ja vastuvõtmise aeglasemaks.", + "encrypted_room_public_confirm_description_2": "Võimalike probleemide vältimiseks loo oma suhtluse jaoks uus avalik jututuba.", + "history_visibility": {}, + "history_visibility_warning": "Kui muudad seda, kes saavad selle jututoa ajalugu lugeda, siis kehtib see vaid tulevaste sõnumite kohta. Senise ajaloo nähtavus sellega ei muutu.", + "history_visibility_legend": "Kes võivad lugeda ajalugu?", + "guest_access_warning": "Kõik kes kasutavad sobilikke klientrakendusi, saavad jututoaga liituda ilma kasutajakonto registreerimiseta.", + "title": "Turvalisus ja privaatsus", + "encryption_permanent": "Kui krüptimine on juba kasutusele võetud, siis ei saa seda enam eemaldada.", + "encryption_forced": "Sinu server eeldab, et krüptimine on välja lülitatud.", + "history_visibility_shared": "Ainult liikmetele (alates selle seadistuse kasutuselevõtmisest)", + "history_visibility_invited": "Ainult liikmetele (alates nende kutsumise ajast)", + "history_visibility_joined": "Ainult liikmetele (alates liitumisest)", + "history_visibility_world_readable": "Kõik kasutajad" + }, + "general": { + "publish_toggle": "Kas avaldame selle jututoa %(domain)s jututubade loendis?", + "user_url_previews_default_on": "Vaikimisi oled URL'ide eelvaated võtnud kasutusele.", + "user_url_previews_default_off": "Vaikimisi oled URL'ide eelvaated lülitanud välja.", + "default_url_previews_on": "URL'ide eelvaated on vaikimisi kasutusel selles jututoas osalejate jaoks.", + "default_url_previews_off": "URL'ide eelvaated on vaikimisi lülitatud välja selles jututoas osalejate jaoks.", + "url_preview_encryption_warning": "Krüptitud jututubades, nagu see praegune, URL'ide eelvaated ei ole vaikimisi kasutusel. See tagab, et sinu koduserver (kus eelvaated luuakse) ei saaks koguda teavet viidete kohta, mida sa siin jututoas näed.", + "url_preview_explainer": "Kui keegi lisab oma sõnumisse URL'i, siis võidakse näidata selle URL'i eelvaadet, mis annab lisateavet tema kohta, nagu näiteks pealkiri, kirjeldus ja kuidas ta välja näeb.", + "url_previews_section": "URL'ide eelvaated" } }, "encryption": { @@ -3893,7 +3850,15 @@ "server_picker_explainer": "Kui sul on oma koduserveri eelistus olemas, siis kasuta seda. Samuti võid soovi korral oma enda koduserveri püsti panna.", "server_picker_learn_more": "Teave koduserverite kohta", "incorrect_credentials": "Vigane kasutajanimi ja/või salasõna.", - "account_deactivated": "See kasutajakonto on deaktiveeritud." + "account_deactivated": "See kasutajakonto on deaktiveeritud.", + "registration_username_validation": "Palun kasuta vaid väiketähti, numbreid, sidekriipsu ja alakriipsu", + "registration_username_unable_check": "Kasutajanime saadavust ei õnnestu kontrollida. Palun proovi hiljem uuesti.", + "registration_username_in_use": "Keegi juba pruugib sellist kasutajanime. Katseta mõne muuga või kui oled sina ise, siis logi sisse.", + "phone_label": "Telefon", + "phone_optional_label": "Telefoninumber (kui soovid)", + "email_help_text": "Selleks et saaksid vajadusel oma salasõna muuta, palun lisa oma e-posti aadress.", + "email_phone_discovery_text": "Kui soovid, et teised kasutajad saaksid sind leida, siis palun lisa oma e-posti aadress või telefoninumber.", + "email_discovery_text": "Kui soovid, et teised kasutajad saaksid sind leida, siis palun lisa oma e-posti aadress." }, "room_list": { "sort_unread_first": "Näita lugemata sõnumitega jututubasid esimesena", @@ -4105,7 +4070,21 @@ "light_high_contrast": "Hele ja väga kontrastne" }, "space": { - "landing_welcome": "Tete tulemast liikmeks" + "landing_welcome": "Tete tulemast liikmeks", + "suggested_tooltip": "Teised kasutajad soovitavad liitumist selle jututoaga", + "suggested": "Soovitatud", + "select_room_below": "Esmalt vali alljärgnevast üks jututuba", + "unmark_suggested": "Eemalda soovitus", + "mark_suggested": "Märgi soovituseks", + "failed_remove_rooms": "Mõnede jututubade eemaldamine ei õnnestunud. Proovi hiljem uuesti", + "failed_load_rooms": "Jututubade loendi laadimine ei õnnestunud.", + "incompatible_server_hierarchy": "Sinu koduserver ei võimalda kuvada kogukonnakeskuste hierarhiat.", + "context_menu": { + "devtools_open_timeline": "Vaata jututoa ajajoont (arendusvaade)", + "home": "Kogukonnakeskuse avaleht", + "explore": "Tutvu jututubadega", + "manage_and_explore": "Halda ja uuri jututubasid" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "See koduserver pole seadistatud kuvama kaarte.", @@ -4162,5 +4141,52 @@ "setup_rooms_description": "Sa võid ka hiljem siia luua uusi jututubasid või lisada olemasolevaid.", "setup_rooms_private_heading": "Missuguste projektidega sinu tiim tegeleb?", "setup_rooms_private_description": "Loome siis igaühe jaoks oma jututoa." + }, + "user_menu": { + "switch_theme_light": "Kasuta heledat teemat", + "switch_theme_dark": "Kasuta tumedat teemat" + }, + "notif_panel": { + "empty_heading": "Ei tea... kõik vist on nüüd tehtud", + "empty_description": "Sul pole nähtavaid teavitusi." + }, + "console_scam_warning": "Kui keegi palus sul siia midagi kopeerida või asetada, siis suure tõenäosusega on tegemist pettusekatsega!", + "console_dev_note": "Kui sa tead, mida ja kuidas teed, siis osale meie arenduses - Element on avatud lähtekoodiga tarkvara, mille leiad GitHub'ist (https://github.com/vector-im/element-web/)!", + "room": { + "drop_file_prompt": "Faili üleslaadimiseks lohista ta siia", + "intro": { + "send_message_start_dm": "Saada oma esimene sõnum kutsudes vestlusesse", + "encrypted_3pid_dm_pending_join": "Te saate vestelda, kui kõik on liitunud", + "start_of_dm_history": "See on sinu ja kasutaja otsesuhtluse ajaloo algus.", + "dm_caption": "Kuni kumbki teist kolmandaid osapooli liituma ei kutsu, olete siin vestluses vaid teie kahekesi.", + "topic_edit": "Teema: %(topic)s (muudetud)", + "topic": "Teema: %(topic)s ", + "no_topic": "Selleks, et teised teaks millega on tegemist, palun lisa teema.", + "you_created": "Sa lõid selle jututoa.", + "user_created": "%(displayName)s lõi selle jututoa.", + "room_invite": "Kutsi vaid siia jututuppa", + "no_avatar_label": "Selleks, et teised märkaks sinu jututuba lihtsamini, palun lisa üks pilt.", + "start_of_room": "See on jututoa algus.", + "private_unencrypted_warning": "Sinu isiklikud sõnumid on tavaliselt läbivalt krüptitud, aga see jututuba ei ole. Tavaliselt on põhjuseks, et kasutusel on mõni seade või meetod nagu e-posti põhised kutsed, mis krüptimist veel ei toeta.", + "enable_encryption_prompt": "Võta seadistustes krüptimine kasutusele.", + "unencrypted_warning": "Läbiv krüptimine pole kasutusel" + } + }, + "file_panel": { + "guest_note": "Selle funktsionaalsuse kasutamiseks pead sa registreeruma", + "peek_note": "Failide nägemiseks pead jututoaga liituma", + "empty_heading": "Selles jututoas pole nähtavaid faile", + "empty_description": "Faile saad manuseks lisada kas vastava nupu alt vestlusest või sikutades neid jututoa aknasse." + }, + "terms": { + "integration_manager": "Kasuta roboteid, sõnumisildu, vidinaid või kleepsupakke", + "tos": "Kasutustingimused", + "intro": "Jätkamaks pead nõustuma kasutustingimustega.", + "column_service": "Teenus", + "column_summary": "Kokkuvõte", + "column_document": "Dokument" + }, + "space_settings": { + "title": "Seadistused - %(spaceName)s" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/eu.json b/src/i18n/strings/eu.json index c06d2dfda8..5195c9eae4 100644 --- a/src/i18n/strings/eu.json +++ b/src/i18n/strings/eu.json @@ -29,9 +29,6 @@ "Please check your email and click on the link it contains. Once this is done, click continue.": "Irakurri zure e-maila eta egin klik dakarren estekan. Behin eginda, egin klik Jarraitu botoian.", "This email address is already in use": "E-mail helbide hau erabilita dago", "This phone number is already in use": "Telefono zenbaki hau erabilita dago", - "Who can read history?": "Nork irakurri dezake historiala?", - "Anyone": "Edonork", - "Banned users": "Debekatutako erabiltzaileak", "This room has no local addresses": "Gela honek ez du tokiko helbiderik", "Session ID": "Saioaren IDa", "Export E2E room keys": "Esportatu E2E geletako gakoak", @@ -55,7 +52,6 @@ "Are you sure you want to leave the room '%(roomName)s'?": "Ziur '%(roomName)s' gelatik atera nahi duzula?", "Are you sure you want to reject the invitation?": "Ziur gonbidapena baztertu nahi duzula?", "Change Password": "Aldatu pasahitza", - "Commands": "Aginduak", "Confirm password": "Berretsi pasahitza", "Current password": "Oraingo pasahitza", "Custom level": "Maila pertsonalizatua", @@ -91,12 +87,9 @@ "": "", "No display name": "Pantaila izenik ez", "No more results": "Emaitza gehiagorik ez", - "No users have specific privileges in this room": "Ez dago gela honetan baimen zehatzik duen erabiltzailerik", "Server may be unavailable, overloaded, or you hit a bug.": "Agian zerbitzaria ez dago eskuragarri, edo gainezka dago, edo akats bat aurkitu duzu.", "Passwords can't be empty": "Pasahitzak ezin dira hutsik egon", - "Permissions": "Baimenak", "Power level must be positive integer.": "Botere maila osoko zenbaki positibo bat izan behar da.", - "Privileged Users": "Baimenak dituzten erabiltzaileak", "Profile": "Profila", "Reason": "Arrazoia", "Reject invitation": "Baztertu gonbidapena", @@ -127,12 +120,8 @@ "Upload avatar": "Igo abatarra", "Upload Failed": "Igoerak huts egin du", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (power %(powerLevelNumber)s)", - "Users": "Erabiltzaileak", "Verified key": "Egiaztatutako gakoa", "You cannot place a call with yourself.": "Ezin diozu zure buruari deitu.", - "You have disabled URL previews by default.": "Lehenetsita URLak aurreikustea desgaitu duzu.", - "You have enabled URL previews by default.": "Lehenetsita URLak aurreikustea gaitu duzu.", - "You must register to use this functionality": "Funtzionaltasun hau erabiltzeko erregistratu", "You need to be able to invite users to do that.": "Erabiltzaileak gonbidatzeko baimena behar duzu hori egiteko.", "You need to be logged in.": "Saioa hasi duzu.", "You seem to be in a call, are you sure you want to quit?": "Badirudi dei batean zaudela, ziur irten nahi duzula?", @@ -172,7 +161,6 @@ "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Prozesu honek zifratutako gelatan jaso dituzun mezuentzako gakoak tokiko fitxategi batera esportatzea ahalbidetzen dizu. Fitxategia beste Matrix bezero batean inportatu dezakezu, bezero hori ere mezuak deszifratzeko gai izan dadin.", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Prozesu honek aurretik beste Matrix bezero batetik esportatu dituzun zifratze gakoak inportatzea ahalbidetzen dizu. Gero beste bezeroak deszifratu zitzakeen mezuak deszifratu ahal izango dituzu.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Esportatutako fitxategia pasaesaldi batez babestuko da. Pasaesaldia bertan idatzi behar duzu, fitxategia deszifratzeko.", - "You must join the room to see its files": "Gelara elkartu behar zara bertako fitxategiak ikusteko", "Failed to invite": "Huts egin du ganbidapenak", "Confirm Removal": "Berretsi kentzea", "Unknown error": "Errore ezezaguna", @@ -183,8 +171,6 @@ "Error decrypting image": "Errorea audioa deszifratzean", "Error decrypting video": "Errorea bideoa deszifratzean", "Add an Integration": "Gehitu integrazioa", - "URL Previews": "URL-en aurrebistak", - "Drop file here to upload": "Jaregin fitxategia hona igotzeko", "Check for update": "Bilatu ekuneraketa", "Something went wrong!": "Zerk edo zerk huts egin du!", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Kanpo webgune batetara eramango zaizu zure kontua %(integrationsUrl)s helbidearekin erabiltzeko egiaztatzeko. Jarraitu nahi duzu?", @@ -198,7 +184,6 @@ "one": "eta beste bat…" }, "Delete widget": "Ezabatu trepeta", - "Publish this room to the public in %(domain)s's room directory?": "Argitaratu gela hau publikora %(domain)s domeinuko gelen direktorioan?", "AM": "AM", "PM": "PM", "Unable to create widget.": "Ezin izan da trepeta sortu.", @@ -219,15 +204,8 @@ "%(duration)sh": "%(duration)s h", "%(duration)sd": "%(duration)s e", "Unnamed room": "Izen gabeko gela", - "Members only (since the point in time of selecting this option)": "Kideek besterik ez (aukera hau hautatzen den unetik)", - "Members only (since they were invited)": "Kideek besterik ez (gonbidatu zaienetik)", - "Members only (since they joined)": "Kideek besterik ez (elkartu zirenetik)", "Old cryptography data detected": "Kriptografia datu zaharrak atzeman dira", "Please note you are logging into the %(hs)s server, not matrix.org.": "Kontuan izan %(hs)s zerbitzarira elkartu zarela, ez matrix.org.", - "Notify the whole room": "Jakinarazi gela osoari", - "Room Notification": "Gela jakinarazpena", - "URL previews are enabled by default for participants in this room.": "URLen aurrebistak gaituta daude gela honetako partaideentzat.", - "URL previews are disabled by default for participants in this room.": "URLen aurrebistak desgaituta daude gela honetako partaideentzat.", "A text message has been sent to %(msisdn)s": "Testu mezu bat bidali da hona: %(msisdn)s", "Jump to read receipt": "Saltatu irakurragirira", "collapse": "tolestu", @@ -282,7 +260,6 @@ "We encountered an error trying to restore your previous session.": "Errore bat aurkitu dugu zure aurreko saioa berrezartzen saiatzean.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Zure nabigatzailearen biltegiratzea garbitzeak arazoa konpon lezake, baina saioa amaituko da eta zifratutako txaten historiala ezin izango da berriro irakurri.", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Ezin izan da erantzundako gertaera kargatu, edo ez dago edo ez duzu ikusteko baimenik.", - "Muted Users": "Mutututako erabiltzaileak", "Terms and Conditions": "Termino eta baldintzak", "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "%(homeserverDomain)s hasiera-zerbitzaria erabiltzen jarraitzeko gure termino eta baldintzak irakurri eta onartu behar dituzu.", "Review terms and conditions": "Irakurri termino eta baldintzak", @@ -297,8 +274,6 @@ "Link to selected message": "Esteka hautatutako mezura", "No Audio Outputs detected": "Ez da audio irteerarik antzeman", "Audio Output": "Audio irteera", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Zifratutako gelatan, honetan esaterako, URL-en aurrebistak lehenetsita desgaituta daude zure hasiera-zerbitzariak gela honetan ikusten dituzun estekei buruzko informaziorik jaso ez dezan, hasiera-zerbitzarian sortzen baitira aurrebistak.", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Norbaitek mezu batean URL bat jartzen duenean, URL aurrebista bat erakutsi daiteke estekaren informazio gehiago erakusteko, adibidez webgunearen izenburua, deskripzioa eta irudi bat.", "You can't send any messages until you review and agree to our terms and conditions.": "Ezin duzu mezurik bidali gure termino eta baldintzak irakurri eta onartu arte.", "Demote yourself?": "Jaitsi zure burua mailaz?", "Demote": "Jaitzi mailaz", @@ -413,7 +388,6 @@ "Room Topic": "Gelaren mintzagaia", "This homeserver would like to make sure you are not a robot.": "Hasiera-zerbitzari honek robota ez zarela egiaztatu nahi du.", "Email (optional)": "E-mail (aukerakoa)", - "Phone (optional)": "Telefonoa (aukerakoa)", "Join millions for free on the largest public server": "Elkartu milioika pertsonekin dohain hasiera zerbitzari publiko handienean", "Couldn't load page": "Ezin izan da orria kargatu", "General": "Orokorra", @@ -422,10 +396,7 @@ "Phone numbers": "Telefono zenbakiak", "Language and region": "Hizkuntza eta eskualdea", "Account management": "Kontuen kudeaketa", - "Roles & Permissions": "Rolak eta baimenak", - "Security & Privacy": "Segurtasuna eta pribatutasuna", "Encryption": "Zifratzea", - "Once enabled, encryption cannot be disabled.": "Behin gaituta, zifratzea ezin da desgaitu.", "Ignored users": "Ezikusitako erabiltzaileak", "Voice & Video": "Ahotsa eta bideoa", "Main address": "Helbide nagusia", @@ -470,7 +441,6 @@ "Room information": "Gelako informazioa", "Room version": "Gela bertsioa", "Room version:": "Gela bertsioa:", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Historiala nork irakurri dezakeen aldatzea gelak honetara aurrerantzean bidalitako mezuei besterik ez zaie aplikatuko. Badagoen historialaren ikusgaitasuna ez da aldatuko.", "Bulk options": "Aukera masiboak", "Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Egiaztatu erabiltzaile hau fidagarritzat markatzeko. Honek bakea ematen dizu muturretik muturrerako zifratutako mezuak erabiltzean.", "Incoming Verification Request": "Jasotako egiaztaketa eskaria", @@ -485,10 +455,6 @@ "The user must be unbanned before they can be invited.": "Erabiltzaileari debekua kendu behar zaio gonbidatu aurretik.", "Scissors": "Artaziak", "Accept all %(invitedRooms)s invites": "Onartu %(invitedRooms)s gelako gonbidapen guztiak", - "Send %(eventType)s events": "Bidali %(eventType)s gertaerak", - "Select the roles required to change various parts of the room": "Hautatu gelaren hainbat atal aldatzeko behar diren rolak", - "Enable encryption?": "Gaitu zifratzea?", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Behin aktibatuta, ezin zaio gelari zifratzea kendu. Zerbitzariak ezin ditu zifratutako gela batetara bidalitako mezuak ikusi, gelako partaideek besterik ezin dituzte ikusi. Zifratzea aktibatzeak bot eta zubi batzuk ongi ez funtzionatzea ekarri dezake. Ikasi gehiago zifratzeari buruz.", "Error updating main address": "Errorea helbide nagusia eguneratzean", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Errore bat gertatu da gelaren helbide nagusia eguneratzean. Agian zerbitzariak ez du hau baimentzen, edo une bateko hutsegitea izan da.", "Power level": "Botere maila", @@ -561,7 +527,6 @@ "Passwords don't match": "Pasahitzak ez datoz bat", "Other users can invite you to rooms using your contact details": "Beste erabiltzaileek geletara gonbidatu zaitzakete zure kontaktu-xehetasunak erabiliz", "Enter phone number (required on this homeserver)": "Sartu telefono zenbakia (hasiera zerbitzari honetan beharrezkoa)", - "Use lowercase letters, numbers, dashes and underscores only": "Erabili letra xeheak, zenbakiak, gidoiak eta azpimarrak, besterik ez", "Enter username": "Sartu erabiltzaile-izena", "Some characters not allowed": "Karaktere batzuk ez dira onartzen", "Add room": "Gehitu gela", @@ -593,10 +558,6 @@ "Failed to re-authenticate due to a homeserver problem": "Berriro autentifikatzean huts egin du hasiera-zerbitzariaren arazo bat dela eta", "Find others by phone or email": "Aurkitu besteak telefonoa edo e-maila erabiliz", "Be found by phone or email": "Izan telefonoa edo e-maila erabiliz aurkigarria", - "Use bots, bridges, widgets and sticker packs": "Erabili botak, zubiak, trepetak eta eranskailu multzoak", - "Terms of Service": "Erabilera baldintzak", - "Service": "Zerbitzua", - "Summary": "Laburpena", "Call failed due to misconfigured server": "Deiak huts egin du zerbitzaria gaizki konfiguratuta dagoelako", "Please ask the administrator of your homeserver (%(homeserverDomain)s) to configure a TURN server in order for calls to work reliably.": "Eskatu zure hasiera-zerbitzariaren administratzaileari (%(homeserverDomain)s) TURN zerbitzari bat konfiguratu dezala deiek ondo funtzionatzeko.", "Checking server": "Zerbitzaria egiaztatzen", @@ -670,15 +631,8 @@ "Close dialog": "Itxi elkarrizketa-koadroa", "Hide advanced": "Ezkutatu aurreratua", "Show advanced": "Erakutsi aurreratua", - "To continue you need to accept the terms of this service.": "Jarraitzeko erabilera baldintzak onartu behar dituzu.", - "Document": "Dokumentua", "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Captcha-ren gako publikoa falta da hasiera-zerbitzariaren konfigurazioan. Eman honen berri hasiera-zerbitzariaren administratzaileari.", - "%(creator)s created and configured the room.": "%(creator)s erabiltzaileak gela sortu eta konfiguratu du.", "Explore rooms": "Arakatu gelak", - "Emoji Autocomplete": "Emoji osatze automatikoa", - "Notification Autocomplete": "Jakinarazpen osatze automatikoa", - "Room Autocomplete": "Gela osatze automatikoa", - "User Autocomplete": "Erabiltzaile osatze automatikoa", "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Zure datu pribatuak kendu beharko zenituzke identitate-zerbitzaritik deskonektatu aurretik. Zoritxarrez identitate-zerbitzaria lineaz kanpo dago eta ezin da atzitu.", "You should:": "Hau egin beharko zenuke:", "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "egiaztatu zure nabigatzailearen gehigarriren batek ez duela identitate-zerbitzaria blokeatzen (esaterako Privacy Badger)", @@ -691,7 +645,6 @@ "Cancel search": "Ezeztatu bilaketa", "Jump to first unread room.": "Jauzi irakurri gabeko lehen gelara.", "Jump to first invite.": "Jauzi lehen gonbidapenera.", - "Command Autocomplete": "Aginduak auto-osatzea", "This action requires accessing the default identity server to validate an email address or phone number, but the server does not have any terms of service.": "Ekintza honek lehenetsitako identitate-zerbitzaria atzitzea eskatzen du, e-mail helbidea edo telefono zenbakia balioztatzeko, baina zerbitzariak ez du erabilera baldintzarik.", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)", "Message Actions": "Mezu-ekintzak", @@ -838,7 +791,6 @@ "The encryption used by this room isn't supported.": "Gela honetan erabilitako zifratzea ez da onartzen.", "Clear all data in this session?": "Garbitu saio honetako datu guztiak?", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Saio honetako datuak garbitzea behin betirako da. Zifratutako mezuak galdu egingo dira gakoen babes-kopia egin ez bada.", - "Verify session": "Egiaztatu saioa", "Session name": "Saioaren izena", "Session key": "Saioaren gakoa", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Erabiltzaile hau egiaztatzean bere saioa fidagarritzat joko da, eta zure saioak beretzat fidagarritzat ere.", @@ -959,7 +911,6 @@ "Please verify the room ID or address and try again.": "Egiaztatu gelaren ID-a edo helbidea eta saiatu berriro.", "Room ID or address of ban list": "Debeku zerrendaren gelaren IDa edo helbidea", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Zure zerbitzariko administratzaileak muturretik muturrerako zifratzea desgaitu du lehenetsita gela probatuetan eta mezu zuzenetan.", - "To link to this room, please add an address.": "Gela hau estekatzeko, gehitu helbide bat.", "No recently visited rooms": "Ez dago azkenaldian bisitatutako gelarik", "Message preview": "Mezu-aurrebista", "Room options": "Gelaren aukerak", @@ -972,8 +923,6 @@ "This address is available to use": "Gelaren helbide hau erabilgarri dago", "This address is already in use": "Gelaren helbide hau erabilita dago", "You've previously used a newer version of %(brand)s with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "%(brand)s bertsio berriago bat erabili duzu saio honekin. Berriro bertsio hau muturretik muturrerako zifratzearekin erabiltzeko, saioa amaitu eta berriro hasi beharko duzu.", - "Switch to light mode": "Aldatu modu argira", - "Switch to dark mode": "Aldatu modu ilunera", "Switch theme": "Aldatu azala", "All settings": "Ezarpen guztiak", "Use a different passphrase?": "Erabili pasa-esaldi desberdin bat?", @@ -1191,7 +1140,18 @@ "placeholder_reply_encrypted": "Bidali zifratutako erantzun bat…", "placeholder_reply": "Bidali erantzuna…", "placeholder_encrypted": "Bidali zifratutako mezu bat…", - "placeholder": "Bidali mezua…" + "placeholder": "Bidali mezua…", + "autocomplete": { + "command_description": "Aginduak", + "command_a11y": "Aginduak auto-osatzea", + "emoji_a11y": "Emoji osatze automatikoa", + "@room_description": "Jakinarazi gela osoari", + "notification_description": "Gela jakinarazpena", + "notification_a11y": "Jakinarazpen osatze automatikoa", + "room_a11y": "Gela osatze automatikoa", + "user_description": "Erabiltzaileak", + "user_a11y": "Erabiltzaile osatze automatikoa" + } }, "Bold": "Lodia", "Code": "Kodea", @@ -1310,6 +1270,10 @@ "rm_lifetime": "Orri-markagailuaren biziraupena (ms)", "rm_lifetime_offscreen": "Orri-markagailuaren biziraupena pantailaz kanpo (ms)", "always_show_menu_bar": "Erakutsi beti leihoaren menu barra" + }, + "sessions": { + "session_id": "Saioaren IDa", + "verify_session": "Egiaztatu saioa" } }, "devtools": { @@ -1528,7 +1492,8 @@ "lightbox_title": "%(senderDisplayName)s erabiltzaileak %(roomName)s gelaren abatarra aldatu du", "removed": "%(senderDisplayName)s erabiltzaileak gelaren abatarra ezabatu du.", "changed_img": "%(senderDisplayName)s erabiltzaileak gelaren abatarra aldatu du beste honetara: " - } + }, + "creation_summary_room": "%(creator)s erabiltzaileak gela sortu eta konfiguratu du." }, "slash_command": { "shrug": "¯\\_(ツ)_/¯ jartzen du testu soileko mezu baten aurrean", @@ -1629,10 +1594,40 @@ "invite": "Gonbidatu erabiltzaileak", "state_default": "Aldatu ezarpenak", "ban": "Debekatu erabiltzaileak", - "notifications.room": "Jakinarazi denei" + "notifications.room": "Jakinarazi denei", + "no_privileged_users": "Ez dago gela honetan baimen zehatzik duen erabiltzailerik", + "privileged_users_section": "Baimenak dituzten erabiltzaileak", + "muted_users_section": "Mutututako erabiltzaileak", + "banned_users_section": "Debekatutako erabiltzaileak", + "send_event_type": "Bidali %(eventType)s gertaerak", + "title": "Rolak eta baimenak", + "permissions_section": "Baimenak", + "permissions_section_description_room": "Hautatu gelaren hainbat atal aldatzeko behar diren rolak" }, "security": { - "strict_encryption": "Ez bidali inoiz zifratutako mezuak egiaztatu gabeko saioetara gela honetan saio honetatik" + "strict_encryption": "Ez bidali inoiz zifratutako mezuak egiaztatu gabeko saioetara gela honetan saio honetatik", + "enable_encryption_confirm_title": "Gaitu zifratzea?", + "enable_encryption_confirm_description": "Behin aktibatuta, ezin zaio gelari zifratzea kendu. Zerbitzariak ezin ditu zifratutako gela batetara bidalitako mezuak ikusi, gelako partaideek besterik ezin dituzte ikusi. Zifratzea aktibatzeak bot eta zubi batzuk ongi ez funtzionatzea ekarri dezake. Ikasi gehiago zifratzeari buruz.", + "public_without_alias_warning": "Gela hau estekatzeko, gehitu helbide bat.", + "history_visibility": {}, + "history_visibility_warning": "Historiala nork irakurri dezakeen aldatzea gelak honetara aurrerantzean bidalitako mezuei besterik ez zaie aplikatuko. Badagoen historialaren ikusgaitasuna ez da aldatuko.", + "history_visibility_legend": "Nork irakurri dezake historiala?", + "title": "Segurtasuna eta pribatutasuna", + "encryption_permanent": "Behin gaituta, zifratzea ezin da desgaitu.", + "history_visibility_shared": "Kideek besterik ez (aukera hau hautatzen den unetik)", + "history_visibility_invited": "Kideek besterik ez (gonbidatu zaienetik)", + "history_visibility_joined": "Kideek besterik ez (elkartu zirenetik)", + "history_visibility_world_readable": "Edonork" + }, + "general": { + "publish_toggle": "Argitaratu gela hau publikora %(domain)s domeinuko gelen direktorioan?", + "user_url_previews_default_on": "Lehenetsita URLak aurreikustea gaitu duzu.", + "user_url_previews_default_off": "Lehenetsita URLak aurreikustea desgaitu duzu.", + "default_url_previews_on": "URLen aurrebistak gaituta daude gela honetako partaideentzat.", + "default_url_previews_off": "URLen aurrebistak desgaituta daude gela honetako partaideentzat.", + "url_preview_encryption_warning": "Zifratutako gelatan, honetan esaterako, URL-en aurrebistak lehenetsita desgaituta daude zure hasiera-zerbitzariak gela honetan ikusten dituzun estekei buruzko informaziorik jaso ez dezan, hasiera-zerbitzarian sortzen baitira aurrebistak.", + "url_preview_explainer": "Norbaitek mezu batean URL bat jartzen duenean, URL aurrebista bat erakutsi daiteke estekaren informazio gehiago erakusteko, adibidez webgunearen izenburua, deskripzioa eta irudi bat.", + "url_previews_section": "URL-en aurrebistak" } }, "encryption": { @@ -1687,7 +1682,10 @@ "sign_in_or_register_description": "Erabili zure kontua edo sortu berri bat jarraitzeko.", "register_action": "Sortu kontua", "incorrect_credentials": "Erabiltzaile-izen edo pasahitz okerra.", - "account_deactivated": "Kontu hau desaktibatuta dago." + "account_deactivated": "Kontu hau desaktibatuta dago.", + "registration_username_validation": "Erabili letra xeheak, zenbakiak, gidoiak eta azpimarrak, besterik ez", + "phone_label": "Telefonoa", + "phone_optional_label": "Telefonoa (aukerakoa)" }, "export_chat": { "messages": "Mezuak" @@ -1768,5 +1766,29 @@ "labs_mjolnir": { "room_name": "Nire debeku-zerrenda", "room_topic": "Hau blokeatu dituzun erabiltzaile edo zerbitzarien zerrenda da, ez atera gelatik!" + }, + "user_menu": { + "switch_theme_light": "Aldatu modu argira", + "switch_theme_dark": "Aldatu modu ilunera" + }, + "room": { + "drop_file_prompt": "Jaregin fitxategia hona igotzeko" + }, + "file_panel": { + "guest_note": "Funtzionaltasun hau erabiltzeko erregistratu", + "peek_note": "Gelara elkartu behar zara bertako fitxategiak ikusteko" + }, + "space": { + "context_menu": { + "explore": "Arakatu gelak" + } + }, + "terms": { + "integration_manager": "Erabili botak, zubiak, trepetak eta eranskailu multzoak", + "tos": "Erabilera baldintzak", + "intro": "Jarraitzeko erabilera baldintzak onartu behar dituzu.", + "column_service": "Zerbitzua", + "column_summary": "Laburpena", + "column_document": "Dokumentua" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/fa.json b/src/i18n/strings/fa.json index 387a3dc189..c925889fe8 100644 --- a/src/i18n/strings/fa.json +++ b/src/i18n/strings/fa.json @@ -64,13 +64,10 @@ "Current password": "گذرواژه فعلی", "Cryptography": "رمزنگاری", "Confirm password": "تأیید گذرواژه", - "Commands": "فرمان‌ها", "Change Password": "تغییر گذواژه", - "Banned users": "کاربران مسدود شده", "Are you sure you want to reject the invitation?": "آیا مطمئن هستید که می خواهید دعوت را رد کنید؟", "Are you sure you want to leave the room '%(roomName)s'?": "آیا مطمئن هستید که می خواهید از اتاق '2%(roomName)s' خارج شوید؟", "Are you sure?": "مطمئنی؟", - "Anyone": "هر کس", "An error has occurred.": "خطایی رخ داده است.", "A new password must be entered.": "گذواژه جدید باید وارد شود.", "Authentication": "احراز هویت", @@ -420,7 +417,6 @@ "Cannot reach homeserver": "دسترسی به سرور میسر نیست", "The server has denied your request.": "سرور درخواست شما را رد کرده است.", "Use your Security Key to continue.": "برای ادامه از کلید امنیتی خود استفاده کنید.", - "%(creator)s created and configured the room.": "%(creator)s اتاق را ایجاد و پیکربندی کرد.", "Be found by phone or email": "از طریق تلفن یا ایمیل پیدا شوید", "Find others by phone or email": "دیگران را از طریق تلفن یا ایمیل پیدا کنید", "Sign out and remove encryption keys?": "خروج از حساب کاربری و حذف کلیدهای رمزنگاری؟", @@ -441,7 +437,6 @@ "Unable to load backup status": "بارگیری و نمایش وضعیت نسخه‌ی پشتیبان امکان‌پذیر نیست", "Link to most recent message": "پیوند به آخرین پیام", "Clear Storage and Sign Out": "فضای ذخیره‌سازی را پاک کرده و از حساب کاربری خارج شوید", - "%(creator)s created this DM.": "%(creator)s این گفتگو را ایجاد کرد.", "The server is offline.": "سرور آفلاین است.", "You're all caught up.": "همه‌ی کارها را انجام دادید.", "Successfully restored %(sessionCount)s keys": "کلیدهای %(sessionCount)s با موفقیت بازیابی شدند", @@ -503,7 +498,6 @@ "Not Trusted": "قابل اعتماد نیست", "Session key": "کلید نشست", "Session name": "نام نشست", - "Verify session": "تائید نشست", "Country Dropdown": "لیست کشور", "Verification Request": "درخواست تأیید", "Command Help": "راهنمای دستور", @@ -512,7 +506,6 @@ "Upload Error": "خطای بارگذاری", "Cancel All": "لغو همه", "Upload files": "بارگذاری فایل‌ها", - "Phone (optional)": "شماره تلفن (اختیاری)", "Email (optional)": "ایمیل (اختیاری)", "Share User": "به اشتراک‌گذاری کاربر", "Share Room": "به اشتراک‌گذاری اتاق", @@ -536,7 +529,6 @@ "Verify this device to mark it as trusted. Trusting this device gives you and other users extra peace of mind when using end-to-end encrypted messages.": "این دستگاه را تأیید کنید تا به عنوان مورد اعتماد علامت‌گذاری شود. اعتماد به این دستگاه در هنگام استفاده از رمزنگاری سرتاسر آرامش و اطمینان بیشتری را برای شما به ارمغان می‌آورد.", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "با تأیید این کاربر ، نشست وی به عنوان مورد اعتماد علامت‌گذاری شده و همچنین نشست شما به عنوان مورد اعتماد برای وی علامت‌گذاری خواهد شد.", "Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "این کاربر را تأیید کنید تا به عنوان کاربر مورد اعتماد علامت‌گذاری شود. اعتماد به کاربران آرامش و اطمینان بیشتری به شما در استفاده از رمزنگاری سرتاسر می‌دهد.", - "Terms of Service": "شرایط استفاده از خدمات", "Search names and descriptions": "جستجوی نام‌ها و توضیحات", "Clear all data": "پاک کردن همه داده ها", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "پاک کردن همه داده های این جلسه غیرقابل بازگشت است. پیامهای رمزگذاری شده از بین می‌روند مگر اینکه از کلیدهای آنها پشتیبان تهیه شده باشد.", @@ -613,17 +605,9 @@ "This address is available to use": "این آدرس برای استفاده در دسترس است", "e.g. my-room": "به عنوان مثال، my-room", "Some characters not allowed": "برخی از کاراکترها مجاز نیستند", - "Command Autocomplete": "تکمیل خودکار دستور", "Room address": "آدرس اتاق", "In reply to ": "در پاسخ به", - "Emoji Autocomplete": "تکمیل خودکار شکلک", - "Notify the whole room": "به کل اتاق اطلاع بده", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "بارگیری رویدادی که به آن پاسخ داده شد امکان پذیر نیست، یا وجود ندارد یا شما اجازه مشاهده آن را ندارید.", - "Room Notification": "اعلان اتاق", - "Notification Autocomplete": "تکمیل خودکار اعلان", - "Room Autocomplete": "تکمیل خودکار اتاق", - "Space Autocomplete": "تکمیل خودکار فضای کاری", - "User Autocomplete": "تکمیل خودکار کاربر", "Enter a Security Phrase": "یک عبارت امنیتی وارد کنید", "Great! This Security Phrase looks strong enough.": "عالی! این عبارت امنیتی به اندازه کافی قوی به نظر می رسد.", "Custom level": "سطح دلخواه", @@ -670,13 +654,6 @@ "other": "%(count)s اتاق", "one": "%(count)s اتاق" }, - "This room is suggested as a good one to join": "این اتاق به عنوان یک گزینه‌ی خوب برای عضویت پیشنهاد می شود", - "Suggested": "پیشنهادی", - "Your server does not support showing space hierarchies.": "سرور شما از نمایش سلسله مراتبی فضاهای کاری پشتیبانی نمی کند.", - "Select a room below first": "ابتدا یک اتاق از لیست زیر انتخاب کنید", - "Failed to remove some rooms. Try again later": "حذف برخی اتاق‌ها با مشکل همراه بود. لطفا بعدا تلاش فرمائید", - "Mark as not suggested": "علامت‌گذاری به عنوان پیشنهاد‌نشده", - "Mark as suggested": "علامت‌گذاری به عنوان پیشنهاد‌شده", "You may want to try a different search or check for typos.": "ممکن است بخواهید یک جستجوی دیگر انجام دهید یا غلط‌های املایی را بررسی کنید.", "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "برای در امان ماندن در برابر از دست‌دادن پیام‌ها و داده‌های رمزشده‌ی خود، از کلید‌های رمزنگاری خود یک نسخه‌ی پشتیبان بر روی سرور قرار دهید.", "Enter your account password to confirm the upgrade:": "گذرواژه‌ی خود را جهت تائيد عملیات ارتقاء وارد کنید:", @@ -769,13 +746,6 @@ "Start Verification": "شروع تایید هویت", "Accepting…": "پذیرش…", "Waiting for %(displayName)s to accept…": "منتظر قبول کردن توسط %(displayName)s…", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "هنگامی که فردی یک URL را در پیام خود قرار می دهد، می توان با مشاهده پیش نمایش آن URL، اطلاعات بیشتری در مورد آن پیوند مانند عنوان ، توضیحات و یک تصویر از وب سایت دریافت کرد.", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "در اتاق های رمزگذاری شده، مانند این اتاق، پیش نمایش URL به طور پیش فرض غیرفعال است تا اطمینان حاصل شود که سرور شما (جایی که پیش نمایش ها ایجاد می شود) نمی تواند اطلاعات مربوط به پیوندهایی را که در این اتاق مشاهده می کنید جمع آوری کند.", - "URL previews are disabled by default for participants in this room.": "پیش نمایش URL به طور پیش فرض برای شرکت کنندگان در این اتاق غیرفعال است.", - "URL previews are enabled by default for participants in this room.": "پیش نمایش URL به طور پیش فرض برای شرکت کنندگان در این اتاق فعال است.", - "You have disabled URL previews by default.": "شما به طور پیش فرض پیش نمایش url را غیر فعال کرده اید.", - "You have enabled URL previews by default.": "شما به طور پیش فرض پیش نمایش url را فعال کرده اید.", - "Publish this room to the public in %(domain)s's room directory?": "این اتاق را در فهرست اتاق %(domain)s برای عموم منتشر شود؟", "Room avatar": "آواتار اتاق", "Room Topic": "موضوع اتاق", "Room Name": "نام اتاق", @@ -829,16 +799,6 @@ "%(duration)sh": "%(duration)s ساعت", "%(duration)sm": "%(duration)s دقیقه", "%(duration)ss": "%(duration)s ثانیه", - "This is the start of .": "این شروع است.", - "Add a photo, so people can easily spot your room.": "عکس اضافه کنید تا افراد بتوانند به راحتی اتاق شما را ببینند.", - "Invite to just this room": "فقط به این اتاق دعوت کنید", - "%(displayName)s created this room.": "%(displayName)s این اتاق را ایجاد کرده است.", - "You created this room.": "شما این اتاق را ایجاد کردید.", - "Add a topic to help people know what it is about.": "یک موضوع اضافه کنید تا به افراد کمک کنید از آنچه در آن است مطلع شوند.", - "Topic: %(topic)s ": "موضوع: %(topic)s ", - "Topic: %(topic)s (edit)": "موضوع: %(topic)s (ویرایش)", - "This is the beginning of your direct message history with .": "این ابتدای تاریخچه پیام مستقیم شما با است.", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "فقط شما دو نفر در این مکالمه حضور دارید ، مگر اینکه یکی از شما کس دیگری را به عضویت دعوت کند.", "Italics": "مورب", "You do not have permission to post to this room": "شما اجازه ارسال در این اتاق را ندارید", "This room has been replaced and is no longer active.": "این اتاق جایگزین شده‌است و دیگر فعال نیست.", @@ -911,7 +871,6 @@ "If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "اگر متد بازیابی را حذف نکرده‌اید، ممکن است حمله‌کننده‌ای سعی در دسترسی به حساب‌کاربری شما داشته باشد. گذرواژه حساب کاربری خود را تغییر داده و فورا یک روش بازیابی را از بخش تنظیمات خود تنظیم کنید.", "Something went wrong!": "مشکلی پیش آمد!", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "مدیر سرور شما قابلیت رمزنگاری سرتاسر برای اتاق‌ها و گفتگوهای خصوصی را به صورت پیش‌فرض غیرفعال کرده‌است.", - "To link to this room, please add an address.": "برای لینک دادن به این اتاق، لطفا یک نشانی برای آن اضافه کنید.", "Can't load this message": "بارگیری این پیام امکان پذیر نیست", "Submit logs": "ارسال لاگ‌ها", "edited": "ویرایش شده", @@ -954,8 +913,6 @@ "Unable to share phone number": "امکان به اشتراک‌گذاری شماره تلفن وجود ندارد", "Unable to revoke sharing for phone number": "لغو اشتراک‌گذاری شماره تلفن امکان‌پذیر نیست", "Discovery options will appear once you have added an email above.": "امکانات کاوش و جستجو بلافاصله بعد از اضافه‌کردن یک ایمیل در بالا ظاهر خواهند شد.", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "پس از فعال‌کردن رمزنگاری برای یک اتاق، امکان غیرفعال‌کردن آن وجود ندارد. پیام‌هایی که در اتاق‌های رمزشده ارسال می‌شوند، توسط سرور دیده نشده و فقط اعضای اتاق امکان مشاهده‌ی آن‌ها را دارند. فعال‌کردن رمزنگاری برای یک اتاق می‌تواند باعث از کار افتادن بسیاری از بات‌ها و پل‌های ارتباطی (bridges) شود. در مورد رمزنگاری بیشتری بدانید.", - "Send %(eventType)s events": "ارسال رخدادهای %(eventType)s", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "در تغییر الزامات سطح دسترسی اتاق خطایی رخ داد. از داشتن دسترسی‌های کافی اطمینان حاصل کرده و مجددا امتحان کنید.", "Error changing power level requirement": "خطا در تغییر الزامات سطح دسترسی", "Banned by %(displayName)s": "توسط %(displayName)s تحریم شد", @@ -1215,7 +1172,6 @@ "You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "شما می‌توانید حساب کاربری بسازید، اما برخی قابلیت‌ها تا زمان اتصال مجدد به سرور هویت‌سنجی در دسترس نخواهند بود. اگر شما مدام این هشدار را مشاهده می‌کنید، پیکربندی خود را بررسی کرده و یا با مدیر سرور تماس بگیرید.", "Cannot reach identity server": "دسترسی به سرور هویت‌سنجی امکان پذیر نیست", "Ask your %(brand)s admin to check your config for incorrect or duplicate entries.": "از مدیر %(brand)s خود بخواهید تا پیکربندی شما را از جهت ورودی‌های نادرست یا تکراری بررسی کند.", - "Users": "کاربران", "Clear personal data": "پاک‌کردن داده‌های شخصی", "Verify your identity to access encrypted messages and prove your identity to others.": "با تائید هویت خود به پیام‌های رمزشده دسترسی یافته و هویت خود را به دیگران ثابت می‌کنید.", "Create account": "ساختن حساب کاربری", @@ -1224,18 +1180,14 @@ "New Password": "گذرواژه جدید", "New passwords must match each other.": "گذرواژه‌ی جدید باید مطابقت داشته باشند.", "Original event source": "منبع اصلی رخداد", - "Decrypted event source": "رمزگشایی منبع رخداد", "Could not load user profile": "امکان نمایش پروفایل کاربر میسر نیست", "Switch theme": "تعویض پوسته", - "Switch to dark mode": "انتخاب حالت تاریک", - "Switch to light mode": "انتخاب حالت روشن", "All settings": "همه تنظیمات", " invites you": " شما را دعوت کرد", "Private space": "محیط خصوصی", "Public space": "محیط عمومی", "No results found": "نتیجه‌ای یافت نشد", "You don't have permission": "شما دسترسی ندارید", - "Drop file here to upload": "برای بارگذاری فایل آن را کشیده و در این‌جا رها کنید", "Failed to reject invite": "رد دعوتنامه با شکست همراه شد", "No more results": "نتایج بیشتری یافن نشد", "Search failed": "جستجو موفیت‌آمیز نبود", @@ -1245,7 +1197,6 @@ "Sending": "در حال ارسال", "Retry all": "همه را دوباره امتحان کنید", "Delete all": "حذف همه", - "You have no visible notifications.": "اعلان قابل مشاهده‌ای ندارید.", "Verification requested": "درخواست تائید", "Old cryptography data detected": "داده‌های رمزنگاری قدیمی شناسایی شد", "Review terms and conditions": "مرور شرایط و ضوابط", @@ -1272,7 +1223,6 @@ "This bridge is managed by .": "این پل ارتباطی توسط مدیریت می‌شود.", "This bridge was provisioned by .": "این پل ارتباطی توسط ارائه شده‌است.", "Space options": "گزینه‌های انتخابی محیط", - "Manage & explore rooms": "مدیریت و جستجوی اتاق‌ها", "Add existing room": "اضافه‌کردن اتاق موجود", "Create new room": "ایجاد اتاق جدید", "Leave space": "ترک محیط", @@ -1284,12 +1234,8 @@ "Click to copy": "برای گرفتن رونوشت کلیک کنید", "You can change these anytime.": "شما می‌توانید این را هر زمان که خواستید، تغییر دهید.", "Upload avatar": "بارگذاری نمایه", - "Attach files from chat or just drag and drop them anywhere in a room.": "فایل‌ها را از محیط چت ضمیمه کرده و یا آن‌ها را کشیده و در محیط اتاق رها کنید.", - "No files visible in this room": "هیچ فایلی در این اتاق قابل مشاهده نیست", - "You must join the room to see its files": "برای دیدن فایل‌های یک اتاق، باید عضو آن باشید", "Couldn't load page": "نمایش صفحه امکان‌پذیر نبود", "Sign in with SSO": "ورود با استفاده از احراز هویت یکپارچه", - "Add an email to be able to reset your password.": "برای داشتن امکان تغییر گذرواژه در صورت فراموش‌کردن آن، لطفا یک آدرس ایمیل وارد نمائید.", "Sign in with": "نحوه ورود", "Phone": "شماره تلفن", "That phone number doesn't look quite right, please check and try again": "به نظر شماره تلفن صحیح نمی‌باشد، لطفا بررسی کرده و مجددا تلاش فرمائید", @@ -1322,20 +1268,6 @@ "Your email address hasn't been verified yet": "آدرس ایمیل شما هنوز تائید نشده‌است", "Unable to share email address": "به اشتراک‌گذاری آدرس ایمیل ممکن نیست", "Unable to revoke sharing for email address": "لغو اشتراک گذاری برای آدرس ایمیل ممکن نیست", - "Once enabled, encryption cannot be disabled.": "زمانی که رمزنگاری فعال شود، امکان غیرفعال‌کردن آن برای اتاق وجود ندارد.", - "Security & Privacy": "امنیت و محرمانگی", - "Who can read history?": "چه افرادی بتوانند تاریخچه اتاق را مشاهده کنند؟", - "Members only (since they joined)": "فقط اعصاء (از زمانی که به اتاق پیوسته‌اند)", - "Members only (since they were invited)": "فقط اعضاء (از زمانی که دعوت شده‌اند)", - "Members only (since the point in time of selecting this option)": "فقط اعضاء (از زمانی که این تنظیم اعمال می‌شود)", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "تغییر تنظیمات اینکه چه کاربرانی سابقه‌ی پیام‌ها را مشاهده کنند، تنها برای پیام‌های آتی اتاق اعمال میشود. پیام‌های قبلی متناسب با تنظیمات گذشته نمایش داده می‌شوند.", - "Enable encryption?": "رمزنگاری را فعال می‌کنید؟", - "Select the roles required to change various parts of the room": "برای تغییر هر یک از بخش‌های اتاق، خداقل نقش مورد نیاز را انتخاب کنید", - "Permissions": "دسترسی‌ها", - "Roles & Permissions": "نقش‌ها و دسترسی‌ها", - "Muted Users": "کاربران بی‌صدا", - "Privileged Users": "کاربران ممتاز", - "No users have specific privileges in this room": "هیچ کاربری در این اتاق دسترسی خاصی ندارد", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "هنگام تغییر طرح دسترسی کاربر خطایی رخ داد. از داشتن سطح دسترسی کافی برای این کار اطمینان حاصل کرده و مجددا اقدام نمائید.", "Error changing power level": "تغییر سطح دسترسی با خطا همراه بود", "Unban": "رفع تحریم", @@ -1345,7 +1277,6 @@ "Sounds": "صداها", "Uploaded sound": "صدای بارگذاری‌شده", "Room Addresses": "آدرس‌های اتاق", - "URL Previews": "پیش‌نمایش URL", "Bridges": "پل‌ها", "Room version:": "نسخه‌ی اتاق:", "Room version": "نسخه‌ی اتاق", @@ -1442,12 +1373,7 @@ "You signed in to a new session without verifying it:": "شما وارد یک نشست جدید شده‌اید بدون اینکه آن را تائید کنید:", "Please review and accept all of the homeserver's policies": "لطفاً کلیه خط مشی‌های سرور را مرور و قبول کنید", "Please review and accept the policies of this homeserver:": "لطفاً خط مشی‌های این سرور را مرور و قبول کنید:", - "Document": "سند", - "Summary": "خلاصه", - "Service": "سرویس", "Token incorrect": "کد نامعتبر است", - "To continue you need to accept the terms of this service.": "برای ادامه باید شرایط این سرویس را بپذیرید.", - "Use bots, bridges, widgets and sticker packs": "از بات‌ها، پل‌ها ارتباطی، ابزارک‌ها و بسته‌های استیکر استفاده کنید", "A text message has been sent to %(msisdn)s": "کد فعال‌سازی به %(msisdn)s ارسال شد", "Your browser likely removed this data when running low on disk space.": "هنگام کمبود فضای دیسک ، مرورگر شما این داده ها را حذف می کند.", "Use an email address to recover your account": "برای بازیابی حساب خود از آدرس ایمیل استفاده کنید", @@ -1455,11 +1381,7 @@ "Enter email address (required on this homeserver)": "آدرس ایمیل را وارد کنید (در این سرور اجباری است)", "Other users can invite you to rooms using your contact details": "سایر کاربران می توانند شما را با استفاده از اطلاعات تماستان به اتاق ها دعوت کنند", "Enter phone number (required on this homeserver)": "شماره تلفن را وارد کنید (در این سرور اجباری است)", - "Use lowercase letters, numbers, dashes and underscores only": "فقط از حروف کوچک، اعداد، خط تیره و زیر خط استفاده کنید", - "Use email to optionally be discoverable by existing contacts.": "از ایمیل استفاده کنید تا به طور اختیاری توسط مخاطبین موجود قابل کشف باشید.", - "Use email or phone to optionally be discoverable by existing contacts.": "از ایمیل یا تلفن استفاده کنید تا به طور اختیاری توسط مخاطبین موجود قابل کشف باشید.", "To help us prevent this in future, please send us logs.": "برای کمک به ما در جلوگیری از این امر در آینده ، لطفا لاگ‌ها را برای ما ارسال کنید.", - "You must register to use this functionality": "برای استفاده از این قابلیت باید ثبت نام کنید", "Edit settings relating to your space.": "تنظیمات مربوط به فضای کاری خود را ویرایش کنید.", "This will allow you to reset your password and receive notifications.": "با این کار می‌توانید گذرواژه خود را تغییر داده و اعلان‌ها را دریافت کنید.", "Please check your email and click on the link it contains. Once this is done, click continue.": "لطفاً ایمیل خود را بررسی کرده و روی لینکی که برایتان ارسال شده، کلیک کنید. پس از انجام این کار، روی ادامه کلیک کنید.", @@ -1882,7 +1804,19 @@ "placeholder_reply_encrypted": "ارسال پاسخ رمزگذاری شده …", "placeholder_reply": "ارسال پاسخ …", "placeholder_encrypted": "ارسال پیام رمزگذاری شده …", - "placeholder": "ارسال یک پیام…" + "placeholder": "ارسال یک پیام…", + "autocomplete": { + "command_description": "فرمان‌ها", + "command_a11y": "تکمیل خودکار دستور", + "emoji_a11y": "تکمیل خودکار شکلک", + "@room_description": "به کل اتاق اطلاع بده", + "notification_description": "اعلان اتاق", + "notification_a11y": "تکمیل خودکار اعلان", + "room_a11y": "تکمیل خودکار اتاق", + "space_a11y": "تکمیل خودکار فضای کاری", + "user_description": "کاربران", + "user_a11y": "تکمیل خودکار کاربر" + } }, "Bold": "پررنگ", "Code": "کد", @@ -2031,6 +1965,10 @@ "rm_lifetime": "مدت‌زمان نشانه‌ی خوانده‌شده (ms)", "rm_lifetime_offscreen": "خواندن نشانگر طول عمر خارج از صفحه نمایش (میلی ثانیه)", "always_show_menu_bar": "همیشه نوار فهرست پنجره را نشان بده" + }, + "sessions": { + "session_id": "شناسه‌ی نشست", + "verify_session": "تائید نشست" } }, "devtools": { @@ -2062,7 +2000,8 @@ "category_room": "اتاق", "category_other": "دیگر", "widget_screenshots": "فعال‌سازی امکان اسکرین‌شات برای ویجت‌های پشتیبانی‌شده", - "show_hidden_events": "نمایش رخدادهای مخفی در گفتگو‌ها" + "show_hidden_events": "نمایش رخدادهای مخفی در گفتگو‌ها", + "view_source_decrypted_event_source": "رمزگشایی منبع رخداد" }, "export_chat": { "html": "HTML", @@ -2338,7 +2277,9 @@ "m.room.create": { "continuation": "این اتاق ادامه گفتگوی دیگر است.", "see_older_messages": "برای دیدن پیام های قدیمی اینجا کلیک کنید." - } + }, + "creation_summary_dm": "%(creator)s این گفتگو را ایجاد کرد.", + "creation_summary_room": "%(creator)s اتاق را ایجاد و پیکربندی کرد." }, "slash_command": { "spoiler": "پیام داده شده را به عنوان اسپویلر ارسال می کند", @@ -2491,10 +2432,40 @@ "state_default": "تغییر تنظیمات", "ban": "تحریم کاربران", "redact": "پاک‌کردن پیام‌های دیگران", - "notifications.room": "اعلان عمومی به همه" + "notifications.room": "اعلان عمومی به همه", + "no_privileged_users": "هیچ کاربری در این اتاق دسترسی خاصی ندارد", + "privileged_users_section": "کاربران ممتاز", + "muted_users_section": "کاربران بی‌صدا", + "banned_users_section": "کاربران مسدود شده", + "send_event_type": "ارسال رخدادهای %(eventType)s", + "title": "نقش‌ها و دسترسی‌ها", + "permissions_section": "دسترسی‌ها", + "permissions_section_description_room": "برای تغییر هر یک از بخش‌های اتاق، خداقل نقش مورد نیاز را انتخاب کنید" }, "security": { - "strict_encryption": "هرگز از این نشست، پیام‌های رمزشده برای به نشست‌های تائید نشده در این اتاق ارسال مکن" + "strict_encryption": "هرگز از این نشست، پیام‌های رمزشده برای به نشست‌های تائید نشده در این اتاق ارسال مکن", + "enable_encryption_confirm_title": "رمزنگاری را فعال می‌کنید؟", + "enable_encryption_confirm_description": "پس از فعال‌کردن رمزنگاری برای یک اتاق، امکان غیرفعال‌کردن آن وجود ندارد. پیام‌هایی که در اتاق‌های رمزشده ارسال می‌شوند، توسط سرور دیده نشده و فقط اعضای اتاق امکان مشاهده‌ی آن‌ها را دارند. فعال‌کردن رمزنگاری برای یک اتاق می‌تواند باعث از کار افتادن بسیاری از بات‌ها و پل‌های ارتباطی (bridges) شود. در مورد رمزنگاری بیشتری بدانید.", + "public_without_alias_warning": "برای لینک دادن به این اتاق، لطفا یک نشانی برای آن اضافه کنید.", + "history_visibility": {}, + "history_visibility_warning": "تغییر تنظیمات اینکه چه کاربرانی سابقه‌ی پیام‌ها را مشاهده کنند، تنها برای پیام‌های آتی اتاق اعمال میشود. پیام‌های قبلی متناسب با تنظیمات گذشته نمایش داده می‌شوند.", + "history_visibility_legend": "چه افرادی بتوانند تاریخچه اتاق را مشاهده کنند؟", + "title": "امنیت و محرمانگی", + "encryption_permanent": "زمانی که رمزنگاری فعال شود، امکان غیرفعال‌کردن آن برای اتاق وجود ندارد.", + "history_visibility_shared": "فقط اعضاء (از زمانی که این تنظیم اعمال می‌شود)", + "history_visibility_invited": "فقط اعضاء (از زمانی که دعوت شده‌اند)", + "history_visibility_joined": "فقط اعصاء (از زمانی که به اتاق پیوسته‌اند)", + "history_visibility_world_readable": "هر کس" + }, + "general": { + "publish_toggle": "این اتاق را در فهرست اتاق %(domain)s برای عموم منتشر شود؟", + "user_url_previews_default_on": "شما به طور پیش فرض پیش نمایش url را فعال کرده اید.", + "user_url_previews_default_off": "شما به طور پیش فرض پیش نمایش url را غیر فعال کرده اید.", + "default_url_previews_on": "پیش نمایش URL به طور پیش فرض برای شرکت کنندگان در این اتاق فعال است.", + "default_url_previews_off": "پیش نمایش URL به طور پیش فرض برای شرکت کنندگان در این اتاق غیرفعال است.", + "url_preview_encryption_warning": "در اتاق های رمزگذاری شده، مانند این اتاق، پیش نمایش URL به طور پیش فرض غیرفعال است تا اطمینان حاصل شود که سرور شما (جایی که پیش نمایش ها ایجاد می شود) نمی تواند اطلاعات مربوط به پیوندهایی را که در این اتاق مشاهده می کنید جمع آوری کند.", + "url_preview_explainer": "هنگامی که فردی یک URL را در پیام خود قرار می دهد، می توان با مشاهده پیش نمایش آن URL، اطلاعات بیشتری در مورد آن پیوند مانند عنوان ، توضیحات و یک تصویر از وب سایت دریافت کرد.", + "url_previews_section": "پیش‌نمایش URL" } }, "encryption": { @@ -2584,7 +2555,13 @@ "server_picker_explainer": "از یک سرور مبتنی بر پروتکل ماتریکس که ترجیح می‌دهید استفاده کرده، و یا از سرور شخصی خودتان استفاده کنید.", "server_picker_learn_more": "درباره سرورها", "incorrect_credentials": "نام کاربری و یا گذرواژه اشتباه است.", - "account_deactivated": "این حساب غیر فعال شده است." + "account_deactivated": "این حساب غیر فعال شده است.", + "registration_username_validation": "فقط از حروف کوچک، اعداد، خط تیره و زیر خط استفاده کنید", + "phone_label": "شماره تلفن", + "phone_optional_label": "شماره تلفن (اختیاری)", + "email_help_text": "برای داشتن امکان تغییر گذرواژه در صورت فراموش‌کردن آن، لطفا یک آدرس ایمیل وارد نمائید.", + "email_phone_discovery_text": "از ایمیل یا تلفن استفاده کنید تا به طور اختیاری توسط مخاطبین موجود قابل کشف باشید.", + "email_discovery_text": "از ایمیل استفاده کنید تا به طور اختیاری توسط مخاطبین موجود قابل کشف باشید." }, "room_list": { "sort_unread_first": "ابتدا اتاق های با پیام خوانده نشده را نمایش بده", @@ -2761,7 +2738,18 @@ "light_high_contrast": "بالاترین کنتراست قالب روشن" }, "space": { - "landing_welcome": "به خوش‌آمدید" + "landing_welcome": "به خوش‌آمدید", + "suggested_tooltip": "این اتاق به عنوان یک گزینه‌ی خوب برای عضویت پیشنهاد می شود", + "suggested": "پیشنهادی", + "select_room_below": "ابتدا یک اتاق از لیست زیر انتخاب کنید", + "unmark_suggested": "علامت‌گذاری به عنوان پیشنهاد‌نشده", + "mark_suggested": "علامت‌گذاری به عنوان پیشنهاد‌شده", + "failed_remove_rooms": "حذف برخی اتاق‌ها با مشکل همراه بود. لطفا بعدا تلاش فرمائید", + "incompatible_server_hierarchy": "سرور شما از نمایش سلسله مراتبی فضاهای کاری پشتیبانی نمی کند.", + "context_menu": { + "explore": "جستجو در اتاق ها", + "manage_and_explore": "مدیریت و جستجوی اتاق‌ها" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "این سرور خانگی برای نمایش نقشه تنظیم نشده است.", @@ -2805,5 +2793,41 @@ "setup_rooms_community_heading": "برخی از مواردی که می خواهید درباره‌ی آن‌ها در %(spaceName)s بحث کنید، چیست؟", "setup_rooms_community_description": "بیایید برای هر یک از آنها یک اتاق درست کنیم.", "setup_rooms_description": "بعداً می توانید موارد بیشتری را اضافه کنید ، از جمله موارد موجود." + }, + "user_menu": { + "switch_theme_light": "انتخاب حالت روشن", + "switch_theme_dark": "انتخاب حالت تاریک" + }, + "notif_panel": { + "empty_description": "اعلان قابل مشاهده‌ای ندارید." + }, + "room": { + "drop_file_prompt": "برای بارگذاری فایل آن را کشیده و در این‌جا رها کنید", + "intro": { + "start_of_dm_history": "این ابتدای تاریخچه پیام مستقیم شما با است.", + "dm_caption": "فقط شما دو نفر در این مکالمه حضور دارید ، مگر اینکه یکی از شما کس دیگری را به عضویت دعوت کند.", + "topic_edit": "موضوع: %(topic)s (ویرایش)", + "topic": "موضوع: %(topic)s ", + "no_topic": "یک موضوع اضافه کنید تا به افراد کمک کنید از آنچه در آن است مطلع شوند.", + "you_created": "شما این اتاق را ایجاد کردید.", + "user_created": "%(displayName)s این اتاق را ایجاد کرده است.", + "room_invite": "فقط به این اتاق دعوت کنید", + "no_avatar_label": "عکس اضافه کنید تا افراد بتوانند به راحتی اتاق شما را ببینند.", + "start_of_room": "این شروع است." + } + }, + "file_panel": { + "guest_note": "برای استفاده از این قابلیت باید ثبت نام کنید", + "peek_note": "برای دیدن فایل‌های یک اتاق، باید عضو آن باشید", + "empty_heading": "هیچ فایلی در این اتاق قابل مشاهده نیست", + "empty_description": "فایل‌ها را از محیط چت ضمیمه کرده و یا آن‌ها را کشیده و در محیط اتاق رها کنید." + }, + "terms": { + "integration_manager": "از بات‌ها، پل‌ها ارتباطی، ابزارک‌ها و بسته‌های استیکر استفاده کنید", + "tos": "شرایط استفاده از خدمات", + "intro": "برای ادامه باید شرایط این سرویس را بپذیرید.", + "column_service": "سرویس", + "column_summary": "خلاصه", + "column_document": "سند" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/fi.json b/src/i18n/strings/fi.json index 2150d135db..bed9c1a1b9 100644 --- a/src/i18n/strings/fi.json +++ b/src/i18n/strings/fi.json @@ -15,7 +15,6 @@ "%(items)s and %(lastItem)s": "%(items)s ja %(lastItem)s", "A new password must be entered.": "Sinun täytyy syöttää uusi salasana.", "An error has occurred.": "Tapahtui virhe.", - "Anyone": "Kaikki", "Are you sure?": "Oletko varma?", "Are you sure you want to leave the room '%(roomName)s'?": "Oletko varma että haluat poistua huoneesta '%(roomName)s'?", "Are you sure you want to reject the invitation?": "Oletko varma että haluat hylätä kutsun?", @@ -27,8 +26,6 @@ "other": "ja %(count)s muuta...", "one": "ja yksi muu..." }, - "Banned users": "Porttikiellon saaneet käyttäjät", - "Commands": "Komennot", "Confirm password": "Varmista salasana", "Cryptography": "Salaus", "Current password": "Nykyinen salasana", @@ -72,7 +69,6 @@ "No display name": "Ei näyttönimeä", "No more results": "Ei enempää tuloksia", "Passwords can't be empty": "Salasanat eivät voi olla tyhjiä", - "Permissions": "Oikeudet", "Phone": "Puhelin", "Profile": "Profiili", "Reason": "Syy", @@ -94,21 +90,15 @@ "Historical": "Vanhat", "Home": "Etusivu", "Invalid file%(extra)s": "Virheellinen tiedosto%(extra)s", - "No users have specific privileges in this room": "Kellään käyttäjällä ei ole erityisiä oikeuksia", "This room is not recognised.": "Huonetta ei tunnistettu.", "This doesn't appear to be a valid email address": "Tämä ei vaikuta olevan kelvollinen sähköpostiosoite", "This phone number is already in use": "Puhelinnumero on jo käytössä", - "Users": "Käyttäjät", "Verified key": "Varmennettu avain", "Warning!": "Varoitus!", - "Who can read history?": "Ketkä voivat lukea historiaa?", "You are not in this room.": "Et ole tässä huoneessa.", "You do not have permission to do that in this room.": "Sinulla ei ole oikeutta tehdä tuota tässä huoneessa.", "You cannot place a call with yourself.": "Et voi soittaa itsellesi.", "You do not have permission to post to this room": "Sinulla ei ole oikeutta kirjoittaa tässä huoneessa", - "You have disabled URL previews by default.": "Olet oletusarvoisesti ottanut URL-esikatselut pois käytöstä.", - "You have enabled URL previews by default.": "Olet oletusarvoisesti ottanut URL-esikatselut käyttöön.", - "You must register to use this functionality": "Sinun pitää rekisteröityä käyttääksesi tätä toiminnallisuutta", "You need to be able to invite users to do that.": "Sinun pitää pystyä kutsua käyttäjiä voidaksesi tehdä tuon.", "You need to be logged in.": "Sinun pitää olla kirjautunut.", "Sun": "su", @@ -133,14 +123,12 @@ "Confirm passphrase": "Varmista salasana", "Import room keys": "Tuo huoneen avaimet", "File to import": "Tuotava tiedosto", - "You must join the room to see its files": "Sinun pitää liittyä huoneeseen voidaksesi nähdä sen sisältämät tiedostot", "Reject all %(invitedRooms)s invites": "Hylkää kaikki %(invitedRooms)s kutsua", "Failed to invite": "Kutsu epäonnistui", "Confirm Removal": "Varmista poistaminen", "Unknown error": "Tuntematon virhe", "Unable to restore session": "Istunnon palautus epäonnistui", "Decrypt %(text)s": "Pura %(text)s", - "Publish this room to the public in %(domain)s's room directory?": "Julkaise tämä huone verkkotunnuksen %(domain)s huoneluettelossa?", "Missing room_id in request": "room_id puuttuu kyselystä", "Missing user_id in request": "user_id puuttuu kyselystä", "%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)silla ei ole oikeuksia lähettää sinulle ilmoituksia. Ole hyvä ja tarkista selaimen asetukset", @@ -182,8 +170,6 @@ "Error decrypting image": "Virhe purettaessa kuvan salausta", "Error decrypting video": "Virhe purettaessa videon salausta", "Add an Integration": "Lisää integraatio", - "URL Previews": "URL-esikatselut", - "Drop file here to upload": "Pudota tiedosto tähän lähettääksesi sen palvelimelle", "Check for update": "Tarkista päivitykset", "Something went wrong!": "Jokin meni vikaan!", "Your browser does not support the required cryptography extensions": "Selaimesi ei tue vaadittuja kryptografisia laajennuksia", @@ -205,18 +191,12 @@ "Unnamed room": "Nimetön huone", "Upload avatar": "Lähetä profiilikuva", "Banned by %(displayName)s": "%(displayName)s antoi porttikiellon", - "Privileged Users": "Etuoikeutetut käyttäjät", - "Members only (since the point in time of selecting this option)": "Vain jäsenet (tämän valinnan tekemisestä lähtien)", - "Members only (since they were invited)": "Vain jäsenet (kutsumisestaan lähtien)", - "Members only (since they joined)": "Vain jäsenet (liittymisestään lähtien)", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Sinut ohjataan kolmannen osapuolen sivustolle, jotta voit autentikoida tilisi käyttääksesi palvelua %(integrationsUrl)s. Haluatko jatkaa?", "A text message has been sent to %(msisdn)s": "Tekstiviesti lähetetty numeroon %(msisdn)s", "And %(count)s more...": { "other": "Ja %(count)s muuta..." }, "Please note you are logging into the %(hs)s server, not matrix.org.": "Huomaa että olet kirjautumassa palvelimelle %(hs)s, etkä palvelimelle matrix.org.", - "Notify the whole room": "Ilmoita koko huoneelle", - "Room Notification": "Huoneilmoitus", "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s %(day)s. %(monthName)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s %(day)s. %(monthName)s %(fullYear)s %(time)s", @@ -227,8 +207,6 @@ "%(duration)sm": "%(duration)s m", "%(duration)sh": "%(duration)s h", "%(duration)sd": "%(duration)s pv", - "URL previews are enabled by default for participants in this room.": "URL-esikatselut on päällä oletusarvoisesti tämän huoneen jäsenillä.", - "URL previews are disabled by default for participants in this room.": "URL-esikatselut ovat oletuksena pois päältä tämän huoneen jäsenillä.", "Token incorrect": "Väärä tunniste", "Delete Widget": "Poista sovelma", "expand": "laajenna", @@ -330,8 +308,6 @@ "Headphones": "Kuulokkeet", "Folder": "Kansio", "General": "Yleiset", - "Security & Privacy": "Tietoturva ja yksityisyys", - "Roles & Permissions": "Roolit ja oikeudet", "Room Name": "Huoneen nimi", "Room Topic": "Huoneen aihe", "Room version": "Huoneen versio", @@ -342,12 +318,9 @@ "Share Room": "Jaa huone", "Room avatar": "Huoneen kuva", "Main address": "Pääosoite", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Kun joku asettaa osoitteen linkiksi viestiinsä, URL-esikatselu voi näyttää tietoja linkistä kuten otsikon, kuvauksen ja kuvan verkkosivulta.", "Link to most recent message": "Linkitä viimeisimpään viestiin", "Encryption": "Salaus", - "Once enabled, encryption cannot be disabled.": "Kun salaus on kerran otettu käyttöön, sitä ei voi poistaa käytöstä.", "Continue With Encryption Disabled": "Jatka salaus poistettuna käytöstä", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Muutokset historian lukuoikeuksiin pätevät vain tuleviin viesteihin tässä huoneessa. Nykyisen historian näkyvyys ei muutu.", "You don't currently have any stickerpacks enabled": "Sinulla ei ole tarrapaketteja käytössä", "Profile picture": "Profiilikuva", "Email addresses": "Sähköpostiosoitteet", @@ -363,7 +336,6 @@ "Terms and Conditions": "Käyttöehdot", "Couldn't load page": "Sivun lataaminen ei onnistunut", "Email (optional)": "Sähköposti (valinnainen)", - "Phone (optional)": "Puhelin (valinnainen)", "This homeserver would like to make sure you are not a robot.": "Tämä kotipalvelin haluaa varmistaa, ettet ole robotti.", "No backup found!": "Varmuuskopiota ei löytynyt!", "Unable to restore backup": "Varmuuskopion palauttaminen ei onnistu", @@ -383,7 +355,6 @@ "Invite anyway and never warn me again": "Kutsu silti, äläkä varoita minua enää uudelleen", "The conversation continues here.": "Keskustelu jatkuu täällä.", "Share Link to User": "Jaa linkki käyttäjään", - "Muted Users": "Mykistetyt käyttäjät", "Display Name": "Näyttönimi", "Phone Number": "Puhelinnumero", "Restore from Backup": "Palauta varmuuskopiosta", @@ -437,14 +408,9 @@ "Add some now": "Lisää muutamia", "Error updating main address": "Pääosoitteen päivityksessä tapahtui virhe", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Huoneen pääosoitteen päivityksessä tapahtui virhe. Se ei välttämättä ole sallittua tällä palvelimella tai kyseessä on väliaikainen virhe.", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Salatuissa huoneissa, kuten tässä, osoitteiden esikatselut ovat oletuksena pois käytöstä, jotta kotipalvelimesi (missä osoitteiden esikatselut luodaan) ei voi kerätä tietoa siitä, mitä linkkejä näet tässä huoneessa.", "Popout widget": "Avaa sovelma omassa ikkunassaan", "The user must be unbanned before they can be invited.": "Käyttäjän porttikielto täytyy poistaa ennen kutsumista.", "Accept all %(invitedRooms)s invites": "Hyväksy kaikki %(invitedRooms)s kutsua", - "Send %(eventType)s events": "Lähetä %(eventType)s-tapahtumat", - "Select the roles required to change various parts of the room": "Valitse roolit, jotka vaaditaan huoneen eri osioiden muuttamiseen", - "Enable encryption?": "Ota salaus käyttöön?", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Salausta ei voi ottaa pois käytöstä käyttöönoton jälkeen. Viestejä, jotka on lähetetty salattuun huoneeseen, voidaan lukea vain huoneen jäsenten, ei palvelimen, toimesta. Salauksen käyttöönotto saattaa haitata bottien ja siltojen toimivuutta. Lisää tietoa salauksesta.", "Power level": "Oikeuksien taso", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Tapahtuman, johon oli vastattu, lataaminen epäonnistui. Se joko ei ole olemassa tai sinulla ei ole oikeutta katsoa sitä.", "The following users may not exist": "Seuraavat käyttäjät eivät välttämättä ole olemassa", @@ -578,7 +544,6 @@ "Notification sound": "Ilmoitusääni", "Set a new custom sound": "Aseta uusi mukautettu ääni", "Browse": "Selaa", - "Use lowercase letters, numbers, dashes and underscores only": "Käytä ainoastaan pieniä kirjaimia, numeroita, yhdysviivoja ja alaviivoja", "Edited at %(date)s. Click to view edits.": "Muokattu %(date)s. Napsauta nähdäksesi muokkaukset.", "Message edits": "Viestin muokkaukset", "Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "Tämän huoneen päivittäminen edellyttää huoneen nykyisen instanssin sulkemista ja uuden huoneen luomista sen tilalle. Jotta tämä kävisi huoneen jäsenten kannalta mahdollisimman sujuvasti, teemme seuraavaa:", @@ -592,10 +557,6 @@ "Clear personal data": "Poista henkilökohtaiset tiedot", "Find others by phone or email": "Löydä muita käyttäjiä puhelimen tai sähköpostin perusteella", "Be found by phone or email": "Varmista, että sinut löydetään puhelimen tai sähköpostin perusteella", - "Use bots, bridges, widgets and sticker packs": "Käytä botteja, siltoja, sovelmia ja tarrapaketteja", - "Terms of Service": "Käyttöehdot", - "Service": "Palvelu", - "Summary": "Yhteenveto", "Unable to revoke sharing for email address": "Sähköpostiosoitteen jakamista ei voi perua", "Unable to share email address": "Sähköpostiosoitetta ei voi jakaa", "Unable to share phone number": "Puhelinnumeroa ei voi jakaa", @@ -654,7 +615,6 @@ "e.g. my-room": "esim. oma-huone", "Show image": "Näytä kuva", "Close dialog": "Sulje dialogi", - "To continue you need to accept the terms of this service.": "Sinun täytyy hyväksyä palvelun käyttöehdot jatkaaksesi.", "Add Email Address": "Lisää sähköpostiosoite", "Add Phone Number": "Lisää puhelinnumero", "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Suosittelemme poistamaan henkilökohtaiset tietosi identiteettipalvelimelta ennen yhteyden katkaisemista. Valitettavasti identiteettipalvelin on parhaillaan poissa verkosta tai siihen ei saada yhteyttä.", @@ -664,20 +624,13 @@ "wait and try again later": "odottaa ja yrittää uudelleen myöhemmin", "Room %(name)s": "Huone %(name)s", "Cancel search": "Peruuta haku", - "%(creator)s created and configured the room.": "%(creator)s loi ja määritti huoneen.", "Jump to first unread room.": "Siirry ensimmäiseen lukemattomaan huoneeseen.", "Jump to first invite.": "Siirry ensimmäiseen kutsuun.", "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Tekstiviesti on lähetetty numeroon +%(msisdn)s. Syötä siinä oleva varmistuskoodi.", "Failed to deactivate user": "Käyttäjän poistaminen epäonnistui", "Hide advanced": "Piilota lisäasetukset", "Show advanced": "Näytä lisäasetukset", - "Document": "Asiakirja", "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Captchan julkinen avain puuttuu kotipalvelimen asetuksista. Ilmoita tämä kotipalvelimesi ylläpitäjälle.", - "Command Autocomplete": "Komentojen automaattinen täydennys", - "Emoji Autocomplete": "Emojien automaattinen täydennys", - "Notification Autocomplete": "Ilmoitusten automaattinen täydennys", - "Room Autocomplete": "Huoneiden automaattinen täydennys", - "User Autocomplete": "Käyttäjien automaattinen täydennys", "This action requires accessing the default identity server to validate an email address or phone number, but the server does not have any terms of service.": "Tämä toiminto vaatii oletusidentiteettipalvelimen käyttämistä sähköpostiosoitteen tai puhelinnumeron validointiin, mutta palvelimella ei ole käyttöehtoja.", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)", "Something went wrong. Please try again or view your console for hints.": "Jotain meni vikaan. Yritä uudelleen tai katso vihjeitä konsolista.", @@ -933,7 +886,6 @@ "Contact your server admin.": "Ota yhteyttä palvelimesi ylläpitäjään.", "Ok": "OK", "New version available. Update now.": "Uusi versio saatavilla. Päivitä nyt.", - "To link to this room, please add an address.": "Lisää osoite linkittääksesi tähän huoneeseen.", "Error creating address": "Virhe osoitetta luotaessa", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Osoitetta luotaessa tapahtui virhe. Voi olla, että palvelin ei salli sitä tai kyseessä oli tilapäinen virhe.", "You don't have permission to delete the address.": "Sinulla ei ole oikeutta poistaa osoitetta.", @@ -942,8 +894,6 @@ "This address is available to use": "Tämä osoite on käytettävissä", "This address is already in use": "Tämä osoite on jo käytössä", "No recently visited rooms": "Ei hiljattain vierailtuja huoneita", - "Switch to light mode": "Vaihda vaaleaan teemaan", - "Switch to dark mode": "Vaihda tummaan teemaan", "Switch theme": "Vaihda teemaa", "All settings": "Kaikki asetukset", "Looks good!": "Hyvältä näyttää!", @@ -967,22 +917,12 @@ "The call was answered on another device.": "Puheluun vastattiin toisessa laitteessa.", "Answered Elsewhere": "Vastattu muualla", "The call could not be established": "Puhelua ei voitu muodostaa", - "%(creator)s created this DM.": "%(creator)s loi tämän yksityisviestin.", - "No files visible in this room": "Tässä huoneessa ei näy tiedostoja", "Take a picture": "Ota kuva", "Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "Palvelimesi ei vastaa joihinkin pyynnöistäsi. Alla on joitakin todennäköisimpiä syitä.", "Server isn't responding": "Palvelin ei vastaa", "Click to view edits": "Napsauta nähdäksesi muokkaukset", "Edited at %(date)s": "Muokattu %(date)s", "Forget Room": "Unohda huone", - "This is the start of .": "Tästä alkaa .", - "%(displayName)s created this room.": "%(displayName)s loi tämän huoneen.", - "You created this room.": "Loit tämän huoneen.", - "Add a topic to help people know what it is about.": "Lisää aihe, jotta ihmiset tietävät mistä on kyse.", - "Topic: %(topic)s ": "Aihe: %(topic)s ", - "Topic: %(topic)s (edit)": "Aihe: %(topic)s (muokkaa)", - "This is the beginning of your direct message history with .": "Tästä alkaa yksityisviestihistoriasi käyttäjän kanssa.", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Vain te kaksi olette tässä keskustelussa, ellei jompi kumpi kutsu muita.", "not ready": "ei valmis", "ready": "valmis", "unexpected type": "odottamaton tyyppi", @@ -1159,7 +1099,6 @@ "Backup key cached:": "Välimuistissa oleva varmuuskopioavain:", "Secret storage:": "Salainen tallennus:", "Room ID or address of ban list": "Huonetunnus tai -osoite on estolistalla", - "Add a photo, so people can easily spot your room.": "Lisää kuva, jotta ihmiset voivat helpommin huomata huoneesi.", "Hide Widgets": "Piilota sovelmat", "Show Widgets": "Näytä sovelmat", "Explore public rooms": "Selaa julkisia huoneita", @@ -1269,10 +1208,6 @@ "Monaco": "Monaco", "not found in storage": "ei löytynyt muistista", "Not encrypted": "Ei salattu", - "Attach files from chat or just drag and drop them anywhere in a room.": "Liitä tiedostoja alalaidan klemmarilla, tai raahaa ja pudota ne mihin tahansa huoneen kohtaan.", - "Use email or phone to optionally be discoverable by existing contacts.": "Käytä sähköpostiosoitetta tai puhelinnumeroa, jos haluat olla löydettävissä nykyisille yhteystiedoille.", - "Use email to optionally be discoverable by existing contacts.": "Käytä sähköpostiosoitetta, jos haluat olla löydettävissä nykyisille yhteystiedoille.", - "Add an email to be able to reset your password.": "Lisää sähköpostiosoite, jotta voit palauttaa salasanasi.", "That phone number doesn't look quite right, please check and try again": "Tämä puhelinnumero ei näytä oikealta, tarkista se ja yritä uudelleen", "Move right": "Siirry oikealle", "Move left": "Siirry vasemmalle", @@ -1305,7 +1240,6 @@ "Reason (optional)": "Syy (valinnainen)", "Security Phrase": "Turvalause", "Security Key": "Turva-avain", - "Verify session": "Vahvista istunto", "Hold": "Pidä", "Resume": "Jatka", "Please verify the room ID or address and try again.": "Tarkista huonetunnus ja yritä uudelleen.", @@ -1337,8 +1271,6 @@ " invites you": " kutsuu sinut", "You may want to try a different search or check for typos.": "Kokeile eri hakua tai tarkista haku kirjoitusvirheiden varalta.", "No results found": "Tuloksia ei löytynyt", - "Mark as not suggested": "Merkitse ei-ehdotetuksi", - "Mark as suggested": "Merkitse ehdotetuksi", "%(count)s rooms": { "one": "%(count)s huone", "other": "%(count)s huonetta" @@ -1363,8 +1295,6 @@ "You can change these anytime.": "Voit muuttaa näitä koska tahansa.", "This homeserver has been blocked by its administrator.": "Tämä kotipalvelin on ylläpitäjänsä estämä.", "Search names and descriptions": "Etsi nimistä ja kuvauksista", - "Failed to remove some rooms. Try again later": "Joitakin huoneita ei voitu poistaa. Yritä myöhemmin uudelleen", - "Select a room below first": "Valitse ensin huone alta", "You can select all or individual messages to retry or delete": "Voit valita kaikki tai yksittäisiä viestejä yritettäväksi uudelleen tai poistettavaksi", "Sending": "Lähetetään", "Retry all": "Yritä kaikkia uudelleen", @@ -1399,7 +1329,6 @@ "Unable to access your microphone": "Mikrofonia ei voi käyttää", "Failed to send": "Lähettäminen epäonnistui", "You have no ignored users.": "Et ole sivuuttanut käyttäjiä.", - "Manage & explore rooms": "Hallitse ja selaa huoneita", "Connecting": "Yhdistetään", "unknown person": "tuntematon henkilö", "%(deviceId)s from %(ip)s": "%(deviceId)s osoitteesta %(ip)s", @@ -1421,7 +1350,6 @@ "Avatar": "Avatar", "Show preview": "Näytä esikatselu", "View source": "Näytä lähde", - "Settings - %(spaceName)s": "Asetukset - %(spaceName)s", "Search spaces": "Etsi avaruuksia", "You may contact me if you have any follow up questions": "Voitte olla yhteydessä minuun, jos teillä on lisäkysymyksiä", "Search for rooms or people": "Etsi huoneita tai ihmisiä", @@ -1447,10 +1375,8 @@ "Pinned messages": "Kiinnitetyt viestit", "Nothing pinned, yet": "Ei mitään kiinnitetty, ei vielä", "Stop recording": "Pysäytä nauhoittaminen", - "Invite to just this room": "Kutsu vain tähän huoneeseen", "Send voice message": "Lähetä ääniviesti", "Invite to this space": "Kutsu tähän avaruuteen", - "Are you sure you want to make this encrypted room public?": "Haluatko varmasti tehdä tästä salatusta huoneesta julkisen?", "Unknown failure": "Tuntematon virhe", "Space members": "Avaruuden jäsenet", "& %(count)s more": { @@ -1471,7 +1397,6 @@ "Invite to %(spaceName)s": "Kutsu avaruuteen %(spaceName)s", "The user you called is busy.": "Käyttäjä, jolle soitit, on varattu.", "User Busy": "Käyttäjä varattu", - "Decide who can join %(roomName)s.": "Päätä ketkä voivat liittyä huoneeseen %(roomName)s.", "Decide who can view and join %(spaceName)s.": "Päätä ketkä voivat katsella avaruutta %(spaceName)s ja liittyä siihen.", "Space information": "Avaruuden tiedot", "Allow people to preview your space before they join.": "Salli ihmisten esikatsella avaruuttasi ennen liittymistä.", @@ -1485,10 +1410,6 @@ "Leave %(spaceName)s": "Poistu avaruudesta %(spaceName)s", "Leave Space": "Poistu avaruudesta", "Edit settings relating to your space.": "Muokkaa avaruuteesi liittyviä asetuksia.", - "Enable encryption in settings.": "Ota salaus käyttöön asetuksissa.", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Yksityiset viestisi salataan normaalisti, mutta tämä huone ei ole salattu. Yleensä tämä johtuu laitteesta, jota ei tueta, tai käytetystä tavasta, kuten sähköpostikutsuista.", - "End-to-end encryption isn't enabled": "Päästä päähän -salaus ei ole käytössä", - "You have no visible notifications.": "Sinulla ei ole näkyviä ilmoituksia.", "Add space": "Lisää avaruus", "Want to add an existing space instead?": "Haluatko sen sijaan lisätä olemassa olevan avaruuden?", "Add a space to a space you manage.": "Lisää avaruus hallitsemaasi avaruuteen.", @@ -1517,7 +1438,6 @@ "I'll verify later": "Vahvistan myöhemmin", "Skip verification for now": "Ohita vahvistus toistaiseksi", "Results": "Tulokset", - "Suggested": "Ehdotettu", "You won't be able to rejoin unless you are re-invited.": "Et voi liittyä uudelleen, ellei sinua kutsuta uudelleen.", "User Directory": "Käyttäjähakemisto", "MB": "Mt", @@ -1525,13 +1445,11 @@ "Please provide an address": "Määritä osoite", "Call back": "Soita takaisin", "Role in ": "Rooli huoneessa ", - "Are you sure you want to add encryption to this public room?": "Haluatko varmasti lisätä salauksen tähän julkiseen huoneeseen?", "There was an error loading your notification settings.": "Virhe ladatessa ilmoitusasetuksia.", "Workspace: ": "Työtila: ", "This may be useful for public spaces.": "Tämä voi olla hyödyllinen julkisille avaruuksille.", "Invite with email or username": "Kutsu sähköpostiosoitteella tai käyttäjänimellä", "Don't miss a reply": "Älä jätä vastauksia huomiotta", - "This room is suggested as a good one to join": "Tähän huoneeseen liittymistä suositellaan", "View in room": "Näytä huoneessa", "Please note upgrading will make a new version of the room. All current messages will stay in this archived room.": "Huomaa, että päivittäminen tekee huoneesta uuden version. Kaikki nykyiset viestit pysyvät tässä arkistoidussa huoneessa.", "Leave some rooms": "Poistu joistakin huoneista", @@ -1571,12 +1489,6 @@ "one": "Päivitetään avaruutta...", "other": "Päivitetään avaruuksia... (%(progress)s/%(count)s)" }, - "Select all": "Valitse kaikki", - "Deselect all": "Älä valitse mitään", - "Click the button below to confirm signing out these devices.": { - "one": "Napsauta alla olevaa painiketta vahvistaaksesi tämän laitteen uloskirjauksen.", - "other": "Napsauta alla olevaa painiketta vahvistaaksesi näiden laitteiden uloskirjauksen." - }, "Pin to sidebar": "Kiinnitä sivupalkkiin", "Quick settings": "Pika-asetukset", "Experimental": "Kokeellinen", @@ -1584,8 +1496,6 @@ "You cannot place calls without a connection to the server.": "Et voi soittaa puheluja ilman yhteyttä palvelimeen.", "Connectivity to the server has been lost": "Yhteys palvelimeen on katkennut", "Files": "Tiedostot", - "Space Autocomplete": "Avaruuksien automaattinen täydennys", - "Your server does not support showing space hierarchies.": "Palvelimesi ei tue avaruushierarkioiden esittämistä.", "This space is not public. You will not be able to rejoin without an invite.": "Tämä avaruus ei ole julkinen. Et voi liittyä uudelleen ilman kutsua.", "Other rooms in %(spaceName)s": "Muut huoneet avaruudessa %(spaceName)s", "Spaces you're in": "Avaruudet, joissa olet", @@ -1602,7 +1512,6 @@ "This space has no local addresses": "Tällä avaruudella ei ole paikallista osoitetta", "%(spaceName)s menu": "%(spaceName)s-valikko", "Invite to space": "Kutsu avaruuteen", - "Select the roles required to change various parts of the space": "Valitse roolit, jotka vaaditaan avaruuden eri osioiden muuttamiseen", "Rooms outside of a space": "Huoneet, jotka eivät kuulu mihinkään avaruuteen", "Show all your rooms in Home, even if they're in a space.": "Näytä kaikki huoneesi etusivulla, vaikka ne olisivat jossain muussa avaruudessa.", "Spaces to show": "Näytettävät avaruudet", @@ -1683,8 +1592,6 @@ "You do not have permission to start polls in this room.": "Sinulla ei ole oikeutta aloittaa kyselyitä tässä huoneessa.", "Voice Message": "Ääniviesti", "Hide stickers": "Piilota tarrat", - "People with supported clients will be able to join the room without having a registered account.": "Käyttäjät, joilla on tuettu asiakasohjelma, voivat liittyä huoneeseen ilman rekisteröityä käyttäjätiliä.", - "To avoid these issues, create a new public room for the conversation you plan to have.": "Vältä nämä ongelmat luomalla uusi julkinen huone aikomallesi keskustelulle.", "Get notified for every message": "Vastaanota ilmoitus joka viestistä", "Access": "Pääsy", "Room members": "Huoneen jäsenet", @@ -1719,10 +1626,6 @@ "Chat": "Keskustelu", "Add people": "Lisää ihmisiä", "This room isn't bridging messages to any platforms. Learn more.": "Tämä huone ei siltaa viestejä millekään alustalle. Lue lisää.", - "Sign out devices": { - "one": "Kirjaa laite ulos", - "other": "Kirjaa laitteet ulos" - }, "Recent searches": "Viimeaikaiset haut", "Other searches": "Muut haut", "Public rooms": "Julkiset huoneet", @@ -1767,7 +1670,6 @@ "Device verified": "Laite vahvistettu", "Verify this device": "Vahvista tämä laite", "Unable to verify this device": "Tätä laitetta ei voitu vahvistaa", - "Failed to load list of rooms.": "Huoneluettelon lataaminen epäonnistui.", "Joined": "Liitytty", "Joining": "Liitytään", "Wait!": "Odota!", @@ -1819,8 +1721,6 @@ "other": "Nähnyt %(count)s ihmistä" }, "%(members)s and %(last)s": "%(members)s ja %(last)s", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "Ei ole suositeltavaa tehdä salausta käyttävistä huoneista julkisia. Se tarkoittaa, että kuka vain voi löytää huoneen, joten kuka vain voi lukea viestejä. Salauksesta ei siis ole hyötyä. Viestien salaaminen julkisessa huoneessa hidastaa viestien vastaanottamista ja lähettämistä.", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "Vältä nämä ongelmat luomalla uusi salausta käyttävä huone keskustelua varten.", "Your password was successfully changed.": "Salasanasi vaihtaminen onnistui.", "%(count)s people joined": { "one": "%(count)s ihminen liittyi", @@ -1830,15 +1730,11 @@ "Connection lost": "Yhteys menetettiin", "Sorry, your homeserver is too old to participate here.": "Kotipalvelimesi on liian vanha osallistumaan tänne.", "Verification requested": "Vahvistus pyydetty", - "Someone already has that username. Try another or if it is you, sign in below.": "Jollakin on jo kyseinen käyttäjätunnus. Valitse eri käyttäjätunnus, tai jos kyseessä on tilisi, kirjaudu alta.", - "Unable to check if username has been taken. Try again later.": "Ei voitu tarkistaa, onko käyttäjätunnus jo käytössä. Yritä myöhemmin uudelleen.", "Resent!": "Lähetetty uudelleen!", "Did not receive it? Resend it": "Etkö saanut sitä? Lähetä uudelleen", "Check your email to continue": "Tarkista sähköpostisi jatkaaksesi", "Close sidebar": "Sulje sivupalkki", "Updated %(humanizedUpdateTime)s": "Päivitetty %(humanizedUpdateTime)s", - "Space home": "Avaruuden koti", - "See room timeline (devtools)": "Näytä huoneen aikajana (devtools)", "Mentions only": "Vain maininnat", "Cameras": "Kamerat", "Output devices": "Ulostulolaitteet", @@ -1866,10 +1762,6 @@ "Group all your favourite rooms and people in one place.": "Ryhmitä kaikki suosimasi huoneet ja henkilöt yhteen paikkaan.", "Home is useful for getting an overview of everything.": "Koti on hyödyllinen, sillä sieltä näet yleisnäkymän kaikkeen.", "Deactivating your account is a permanent action — be careful!": "Tilin deaktivointi on peruuttamaton toiminto — ole varovainen!", - "Confirm signing out these devices": { - "one": "Vahvista uloskirjautuminen tältä laitteelta", - "other": "Vahvista uloskirjautuminen näiltä laitteilta" - }, "Cross-signing is ready but keys are not backed up.": "Ristiinvarmennus on valmis, mutta avaimia ei ole varmuuskopioitu.", "Search %(spaceName)s": "Etsi %(spaceName)s", "Messaging": "Viestintä", @@ -1901,11 +1793,6 @@ "To proceed, please accept the verification request on your other device.": "Jatka hyväksymällä vahvistuspyyntö toisella laitteella.", "Something went wrong in confirming your identity. Cancel and try again.": "Jokin meni pieleen henkilöllisyyttä vahvistaessa. Peruuta ja yritä uudelleen.", "Confirm your account deactivation by using Single Sign On to prove your identity.": "Vahvista tilin deaktivointi todistamalla henkilöllisyytesi kertakirjautumista käyttäen.", - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "Vahvista tämän laitteen uloskirjaaminen todistamalla henkilöllisyytesi kertakirjautumista käyttäen.", - "other": "Vahvista näiden laitteiden uloskirjaaminen todistamalla henkilöllisyytesi kertakirjautumista käyttäen." - }, - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Jos joku pyysi kopioimaan ja liittämään jotakin tänne, on mahdollista että sinua yritetään huijata!", "To create your account, open the link in the email we just sent to %(emailAddress)s.": "Luo tili avaamalla osoitteeseen %(emailAddress)s lähetetyssä viestissä oleva linkki.", "Thread options": "Ketjun valinnat", "Start a group chat": "Aloita ryhmäkeskustelu", @@ -1928,7 +1815,6 @@ "Add new server…": "Lisää uusi palvelin…", "Remove server “%(roomServer)s”": "Poista palvelin ”%(roomServer)s”", "This room or space is not accessible at this time.": "Tämä huone tai avaruus ei ole käytettävissä juuri tällä hetkellä.", - "Video rooms are a beta feature": "Videohuoneet ovat beetaominaisuus", "Moderation": "Moderointi", "You were disconnected from the call. (Error: %(message)s)": "Yhteytesi puheluun katkaistiin. (Virhe: %(message)s)", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s tai %(copyButton)s", @@ -1945,8 +1831,6 @@ "The linking wasn't completed in the required time.": "Linkitystä ei suoritettu vaaditussa ajassa.", "Stop and close": "Pysäytä ja sulje", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s tai %(recoveryFile)s", - "Your server lacks native support": "Palvelimellasi ei ole natiivitukea", - "Your server has native support": "Palvelimellasi on natiivituki", "Online community members": "Verkkoyhteisöjen jäsenet", "Coworkers and teams": "Työkaverit ja tiimit", "Friends and family": "Kaverit ja perhe", @@ -1968,46 +1852,9 @@ "Ongoing call": "Käynnissä oleva puhelu", "Video call (%(brand)s)": "Videopuhelu (%(brand)s)", "Video call (Jitsi)": "Videopuhelu (Jitsi)", - "Security recommendations": "Turvallisuussuositukset", - "Show QR code": "Näytä QR-koodi", - "Sign in with QR code": "Kirjaudu sisään QR-koodilla", - "Filter devices": "Suodata laitteita", - "Inactive for %(inactiveAgeDays)s days or longer": "Passiivinen %(inactiveAgeDays)s päivää tai pidempään", - "Inactive": "Passiivinen", - "Not ready for secure messaging": "Ei valmis turvalliseen viestintään", - "Ready for secure messaging": "Valmis turvalliseen viestintään", - "All": "Kaikki", - "No sessions found.": "Istuntoja ei löytynyt.", - "No inactive sessions found.": "Passiivisia istuntoja ei löytynyt.", - "No unverified sessions found.": "Vahvistamattomia istuntoja ei löytynyt.", - "No verified sessions found.": "Vahvistettuja istuntoja ei löytynyt.", - "Inactive sessions": "Passiiviset istunnot", - "Unverified sessions": "Vahvistamattomat istunnot", - "Verified sessions": "Vahvistetut istunnot", - "Verify or sign out from this session for best security and reliability.": "Vahvista tämä istunto tai kirjaudu ulos siitä tietoturvan ja luotettavuuden parantamiseksi.", - "Unverified session": "Vahvistamaton istunto", - "This session is ready for secure messaging.": "Tämä istunto on valmis turvallista viestintää varten.", - "Verified session": "Vahvistettu istunto", - "Unknown session type": "Tuntematon istunnon tyyppi", - "Web session": "Web-istunto", - "Mobile session": "Mobiili-istunto", - "Desktop session": "Työpöytäistunto", - "Inactive for %(inactiveAgeDays)s+ days": "Passiivinen %(inactiveAgeDays)s+ päivää", - "Sign out of this session": "Kirjaudu ulos tästä istunnosta", - "Receive push notifications on this session.": "Vastaanota push-ilmoituksia tässä istunnossa.", - "Push notifications": "Push-ilmoitukset", - "Session details": "Istunnon tiedot", - "IP address": "IP-osoite", - "Browser": "Selain", - "Operating system": "Käyttöjärjestelmä", - "URL": "Verkko-osoite", - "Last activity": "Viimeisin toiminta", - "Rename session": "Nimeä istunto uudelleen", - "Current session": "Nykyinen istunto", "You do not have sufficient permissions to change this.": "Oikeutesi eivät riitä tämän muuttamiseen.", "Group all your people in one place.": "Ryhmitä kaikki ihmiset yhteen paikkaan.", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Parhaan turvallisuuden varmistamiseksi vahvista istuntosi ja kirjaudu ulos istunnoista, joita et tunnista tai et enää käytä.", - "Other sessions": "Muut istunnot", "Sessions": "Istunnot", "Spell check": "Oikeinkirjoituksen tarkistus", "Sorry — this call is currently full": "Pahoittelut — tämä puhelu on täynnä", @@ -2043,12 +1890,10 @@ "Internal room ID": "Sisäinen huoneen ID-tunniste", "Show Labs settings": "Näytä laboratorion asetukset", "You have been logged out of all devices and will no longer receive push notifications. To re-enable notifications, sign in again on each device.": "Sinut on kirjattu ulos kaikilta laitteilta, etkä enää vastaanota push-ilmoituksia. Ota ilmoitukset uudelleen käyttöön kirjautumalla jokaiselle haluamallesi laitteelle.", - "Toggle push notifications on this session.": "Push-ilmoitukset tälle istunnolle päälle/pois.", "Invite someone using their name, email address, username (like ) or share this room.": "Kutsu käyttäen nimeä, sähköpostiosoitetta, käyttäjänimeä (kuten ) tai jaa tämä huone.", "Invite someone using their name, email address, username (like ) or share this space.": "Kutsu käyttäen nimeä, sähköpostiosoitetta, käyttäjänimeä (kuten ) tai jaa tämä avaruus.", "To search messages, look for this icon at the top of a room ": "Etsi viesteistä huoneen yläosassa olevalla kuvakkeella ", "Use \"%(query)s\" to search": "Etsitään \"%(query)s\"", - "For best security, sign out from any session that you don't recognize or use anymore.": "Parhaan turvallisuuden takaamiseksi kirjaudu ulos istunnoista, joita et tunnista tai et enää käytä.", "Voice broadcast": "Äänen yleislähetys", "You need to be able to kick users to do that.": "Sinun täytyy pystyä potkia käyttäjiä voidaksesi tehdä tuon.", "Error downloading image": "Virhe kuvaa ladatessa", @@ -2056,8 +1901,6 @@ "Saved Items": "Tallennetut kohteet", "Show formatting": "Näytä muotoilu", "Hide formatting": "Piilota muotoilu", - "Renaming sessions": "Istuntojen nimeäminen uudelleen", - "Please be aware that session names are also visible to people you communicate with.": "Ota huomioon, että istuntojen nimet näkyvät ihmisille, joiden kanssa olet yhteydessä.", "Call type": "Puhelun tyyppi", "Connection": "Yhteys", "Voice processing": "Äänenkäsittely", @@ -2075,8 +1918,6 @@ "Drop a Pin": "Sijoita karttaneula", "Click to drop a pin": "Napsauta sijoittaaksesi karttaneulan", "Click to move the pin": "Napsauta siirtääksesi karttaneulaa", - "Show details": "Näytä yksityiskohdat", - "Hide details": "Piilota yksityiskohdat", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s on päästä päähän salattu, mutta on tällä hetkellä rajattu pienelle määrälle käyttäjiä.", "Send email": "Lähetä sähköpostia", "Sign out of all devices": "Kirjaudu ulos kaikista laitteista", @@ -2085,13 +1926,6 @@ "Unable to decrypt message": "Viestin salauksen purkaminen ei onnistu", "Change layout": "Vaihda asettelua", "This message could not be decrypted": "Tämän viestin salausta ei voitu purkaa", - "Improve your account security by following these recommendations.": "Paranna tilisi tietoturvaa seuraamalla näitä suosituksia.", - "%(count)s sessions selected": { - "one": "%(count)s istunto valittu", - "other": "%(count)s istuntoa valittu" - }, - "This session doesn't support encryption and thus can't be verified.": "Tämä istunto ei tue salausta, joten sitä ei voi vahvistaa.", - "For best security and privacy, it is recommended to use Matrix clients that support encryption.": "Parhaan tietoturvan ja yksityisyyden vuoksi on suositeltavaa käyttää salausta tukevia Matrix-asiakasohjelmistoja.", "Upcoming features": "Tulevat ominaisuudet", "Search users in this room…": "Etsi käyttäjiä tästä huoneesta…", "You have unverified sessions": "Sinulla on vahvistamattomia istuntoja", @@ -2100,21 +1934,14 @@ "Failed to send event": "Tapahtuman lähettäminen epäonnistui", "Too many attempts in a short time. Retry after %(timeout)s.": "Liikaa yrityksiä lyhyessä ajassa. Yritä uudelleen, kun %(timeout)s on kulunut.", "Too many attempts in a short time. Wait some time before trying again.": "Liikaa yrityksiä lyhyessä ajassa. Odota hetki, ennen kuin yrität uudelleen.", - "You're all caught up": "Olet ajan tasalla", "Unread email icon": "Lukemattoman sähköpostin kuvake", - "Proxy URL": "Välityspalvelimen URL-osoite", - "Proxy URL (optional)": "Välityspalvelimen URL-osoite (valinnainen)", - "Sliding Sync configuration": "Liukuvan synkronoinnin asetukset", "Ban them from everything I'm able to": "Anna porttikielto kaikkeen, mihin pystyn", "Unban them from everything I'm able to": "Poista porttikielto kaikesta, mihin pystyn", "This invite was sent to %(email)s which is not associated with your account": "Tämä kutsu lähetettiin sähköpostiosoitteeseen %(email)s, joka ei ole yhteydessä tiliisi", "Spotlight": "Valokeila", "Freedom": "Vapaus", "There's no one here to call": "Täällä ei ole ketään, jolle voisi soittaa", - "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Harkitse vanhoista (%(inactiveAgeDays)s tai useamman päivän ikäisistä), käyttämättömistä istunnoista uloskirjautumista.", - "You won't be able to participate in rooms where encryption is enabled when using this session.": "Käyttäessäsi tätä istuntoa et voi osallistua huoneisiin, joissa salaus on käytössä.", "Enable %(brand)s as an additional calling option in this room": "Ota %(brand)s käyttöön puheluiden lisävaihtoehtona tässä huoneessa", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "Julkisten huoneiden salaamista ei suositella. Kuka vain voi löytää julkisen huoneen ja liittyä siihen, joten kuka vain voi lukea sen viestejä. Salauksesta ei ole hyötyä eikä sitä voi poistaa käytöstä myöhemmin. Julkisen huoneen viestien salaaminen hidastaa viestien vastaanottamista ja lähettämistä.", "Early previews": "Ennakot", "View List": "Näytä luettelo", "View list": "Näytä luettelo", @@ -2124,12 +1951,6 @@ "Text": "Teksti", "Create a link": "Luo linkki", " in %(room)s": " huoneessa %(room)s", - "Sign out of %(count)s sessions": { - "one": "Kirjaudu ulos %(count)s istunnosta", - "other": "Kirjaudu ulos %(count)s istunnosta" - }, - "Your current session is ready for secure messaging.": "Nykyinen istuntosi on valmis turvalliseen viestintään.", - "Sign out of all other sessions (%(otherSessionsCount)s)": "Kirjaudu ulos kaikista muista istunnoista (%(otherSessionsCount)s)", "%(senderName)s started a voice broadcast": "%(senderName)s aloitti äänen yleislähetyksen", "Saving…": "Tallennetaan…", "Creating…": "Luodaan…", @@ -2181,12 +2002,8 @@ "Edit link": "Muokkaa linkkiä", "Rejecting invite…": "Hylätään kutsua…", "Joining room…": "Liitytään huoneeseen…", - "Once everyone has joined, you’ll be able to chat": "Voitte keskustella, kun kaikki ovat liittyneet", - "Send your first message to invite to chat": "Kutsu keskusteluun kirjoittamalla ensimmäinen viesti", "Formatting": "Muotoilu", "You do not have permission to invite users": "Sinulla ei ole lupaa kutsua käyttäjiä", - "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "Tämä antaa heille varmuuden, että he keskustelevat oikeasti sinun kanssasi, mutta se myös tarkoittaa, että he näkevät tähän syöttämäsi istunnon nimen.", - "Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "Muut käyttäjät yksityisviesteissä ja huoneissa, joihin liityt, näkevät luettelon kaikista istunnoistasi.", "Manage account": "Hallitse tiliä", "Error changing password": "Virhe salasanan vaihtamisessa", "Unknown password change error (%(stringifiedError)s)": "Tuntematon salasananvaihtovirhe (%(stringifiedError)s)", @@ -2301,7 +2118,9 @@ "orphan_rooms": "Muut huoneet", "on": "Päällä", "off": "Ei päällä", - "all_rooms": "Kaikki huoneet" + "all_rooms": "Kaikki huoneet", + "deselect_all": "Älä valitse mitään", + "select_all": "Valitse kaikki" }, "action": { "continue": "Jatka", @@ -2463,7 +2282,13 @@ "join_beta": "Liity beetaan", "sliding_sync_disabled_notice": "Poista käytöstä kirjautumalla ulos ja takaisin sisään", "automatic_debug_logs_decryption": "Lähetä vianjäljityslokit automaattisesti salauksen purkuun liittyvien virheiden tapahtuessa", - "automatic_debug_logs": "Lähetä vianjäljityslokit automaattisesti minkä tahansa virheen tapahtuessa" + "automatic_debug_logs": "Lähetä vianjäljityslokit automaattisesti minkä tahansa virheen tapahtuessa", + "sliding_sync_server_support": "Palvelimellasi on natiivituki", + "sliding_sync_server_no_support": "Palvelimellasi ei ole natiivitukea", + "sliding_sync_configuration": "Liukuvan synkronoinnin asetukset", + "sliding_sync_proxy_url_optional_label": "Välityspalvelimen URL-osoite (valinnainen)", + "sliding_sync_proxy_url_label": "Välityspalvelimen URL-osoite", + "video_rooms_beta": "Videohuoneet ovat beetaominaisuus" }, "keyboard": { "home": "Etusivu", @@ -2554,7 +2379,19 @@ "placeholder_reply_encrypted": "Lähetä salattu vastaus…", "placeholder_reply": "Lähetä vastaus…", "placeholder_encrypted": "Lähetä salattu viesti…", - "placeholder": "Lähetä viesti…" + "placeholder": "Lähetä viesti…", + "autocomplete": { + "command_description": "Komennot", + "command_a11y": "Komentojen automaattinen täydennys", + "emoji_a11y": "Emojien automaattinen täydennys", + "@room_description": "Ilmoita koko huoneelle", + "notification_description": "Huoneilmoitus", + "notification_a11y": "Ilmoitusten automaattinen täydennys", + "room_a11y": "Huoneiden automaattinen täydennys", + "space_a11y": "Avaruuksien automaattinen täydennys", + "user_description": "Käyttäjät", + "user_a11y": "Käyttäjien automaattinen täydennys" + } }, "Bold": "Lihavoitu", "Link": "Linkki", @@ -2800,6 +2637,86 @@ }, "keyboard": { "title": "Näppäimistö" + }, + "sessions": { + "rename_form_heading": "Nimeä istunto uudelleen", + "rename_form_caption": "Ota huomioon, että istuntojen nimet näkyvät ihmisille, joiden kanssa olet yhteydessä.", + "rename_form_learn_more": "Istuntojen nimeäminen uudelleen", + "rename_form_learn_more_description_1": "Muut käyttäjät yksityisviesteissä ja huoneissa, joihin liityt, näkevät luettelon kaikista istunnoistasi.", + "rename_form_learn_more_description_2": "Tämä antaa heille varmuuden, että he keskustelevat oikeasti sinun kanssasi, mutta se myös tarkoittaa, että he näkevät tähän syöttämäsi istunnon nimen.", + "session_id": "Istuntotunniste", + "last_activity": "Viimeisin toiminta", + "url": "Verkko-osoite", + "os": "Käyttöjärjestelmä", + "browser": "Selain", + "ip": "IP-osoite", + "details_heading": "Istunnon tiedot", + "push_toggle": "Push-ilmoitukset tälle istunnolle päälle/pois.", + "push_heading": "Push-ilmoitukset", + "push_subheading": "Vastaanota push-ilmoituksia tässä istunnossa.", + "sign_out": "Kirjaudu ulos tästä istunnosta", + "hide_details": "Piilota yksityiskohdat", + "show_details": "Näytä yksityiskohdat", + "inactive_days": "Passiivinen %(inactiveAgeDays)s+ päivää", + "verified_sessions": "Vahvistetut istunnot", + "unverified_sessions": "Vahvistamattomat istunnot", + "unverified_session": "Vahvistamaton istunto", + "unverified_session_explainer_1": "Tämä istunto ei tue salausta, joten sitä ei voi vahvistaa.", + "unverified_session_explainer_2": "Käyttäessäsi tätä istuntoa et voi osallistua huoneisiin, joissa salaus on käytössä.", + "unverified_session_explainer_3": "Parhaan tietoturvan ja yksityisyyden vuoksi on suositeltavaa käyttää salausta tukevia Matrix-asiakasohjelmistoja.", + "inactive_sessions": "Passiiviset istunnot", + "desktop_session": "Työpöytäistunto", + "mobile_session": "Mobiili-istunto", + "web_session": "Web-istunto", + "unknown_session": "Tuntematon istunnon tyyppi", + "device_verified_description_current": "Nykyinen istuntosi on valmis turvalliseen viestintään.", + "device_verified_description": "Tämä istunto on valmis turvallista viestintää varten.", + "verified_session": "Vahvistettu istunto", + "device_unverified_description": "Vahvista tämä istunto tai kirjaudu ulos siitä tietoturvan ja luotettavuuden parantamiseksi.", + "verify_session": "Vahvista istunto", + "verified_sessions_list_description": "Parhaan turvallisuuden takaamiseksi kirjaudu ulos istunnoista, joita et tunnista tai et enää käytä.", + "inactive_sessions_list_description": "Harkitse vanhoista (%(inactiveAgeDays)s tai useamman päivän ikäisistä), käyttämättömistä istunnoista uloskirjautumista.", + "no_verified_sessions": "Vahvistettuja istuntoja ei löytynyt.", + "no_unverified_sessions": "Vahvistamattomia istuntoja ei löytynyt.", + "no_inactive_sessions": "Passiivisia istuntoja ei löytynyt.", + "no_sessions": "Istuntoja ei löytynyt.", + "filter_all": "Kaikki", + "filter_verified_description": "Valmis turvalliseen viestintään", + "filter_unverified_description": "Ei valmis turvalliseen viestintään", + "filter_inactive": "Passiivinen", + "filter_inactive_description": "Passiivinen %(inactiveAgeDays)s päivää tai pidempään", + "filter_label": "Suodata laitteita", + "n_sessions_selected": { + "one": "%(count)s istunto valittu", + "other": "%(count)s istuntoa valittu" + }, + "sign_in_with_qr": "Kirjaudu sisään QR-koodilla", + "sign_in_with_qr_button": "Näytä QR-koodi", + "sign_out_n_sessions": { + "one": "Kirjaudu ulos %(count)s istunnosta", + "other": "Kirjaudu ulos %(count)s istunnosta" + }, + "other_sessions_heading": "Muut istunnot", + "sign_out_all_other_sessions": "Kirjaudu ulos kaikista muista istunnoista (%(otherSessionsCount)s)", + "current_session": "Nykyinen istunto", + "confirm_sign_out_sso": { + "one": "Vahvista tämän laitteen uloskirjaaminen todistamalla henkilöllisyytesi kertakirjautumista käyttäen.", + "other": "Vahvista näiden laitteiden uloskirjaaminen todistamalla henkilöllisyytesi kertakirjautumista käyttäen." + }, + "confirm_sign_out": { + "one": "Vahvista uloskirjautuminen tältä laitteelta", + "other": "Vahvista uloskirjautuminen näiltä laitteilta" + }, + "confirm_sign_out_body": { + "one": "Napsauta alla olevaa painiketta vahvistaaksesi tämän laitteen uloskirjauksen.", + "other": "Napsauta alla olevaa painiketta vahvistaaksesi näiden laitteiden uloskirjauksen." + }, + "confirm_sign_out_continue": { + "one": "Kirjaa laite ulos", + "other": "Kirjaa laitteet ulos" + }, + "security_recommendations": "Turvallisuussuositukset", + "security_recommendations_description": "Paranna tilisi tietoturvaa seuraamalla näitä suosituksia." } }, "devtools": { @@ -3227,7 +3144,9 @@ "io.element.voice_broadcast_info": { "you": "Lopetit äänen yleislähetyksen", "user": "%(senderName)s lopetti äänen yleislähetyksen" - } + }, + "creation_summary_dm": "%(creator)s loi tämän yksityisviestin.", + "creation_summary_room": "%(creator)s loi ja määritti huoneen." }, "slash_command": { "spoiler": "Lähettää annetun viestin spoilerina", @@ -3412,13 +3331,52 @@ "kick": "Poista käyttäjiä", "ban": "Anna porttikieltoja", "redact": "Poista toisten lähettämät viestit", - "notifications.room": "Kiinnitä kaikkien huomio" + "notifications.room": "Kiinnitä kaikkien huomio", + "no_privileged_users": "Kellään käyttäjällä ei ole erityisiä oikeuksia", + "privileged_users_section": "Etuoikeutetut käyttäjät", + "muted_users_section": "Mykistetyt käyttäjät", + "banned_users_section": "Porttikiellon saaneet käyttäjät", + "send_event_type": "Lähetä %(eventType)s-tapahtumat", + "title": "Roolit ja oikeudet", + "permissions_section": "Oikeudet", + "permissions_section_description_space": "Valitse roolit, jotka vaaditaan avaruuden eri osioiden muuttamiseen", + "permissions_section_description_room": "Valitse roolit, jotka vaaditaan huoneen eri osioiden muuttamiseen" }, "security": { "strict_encryption": "Älä lähetä salattuja viestejä vahvistamattomiin istuntoihin tässä huoneessa tässä istunnossa", "join_rule_invite": "Yksityinen (vain kutsulla)", "join_rule_invite_description": "Vain kutsutut ihmiset voivat liittyä.", - "join_rule_public_description": "Kuka tahansa voi löytää ja liittyä." + "join_rule_public_description": "Kuka tahansa voi löytää ja liittyä.", + "enable_encryption_public_room_confirm_title": "Haluatko varmasti lisätä salauksen tähän julkiseen huoneeseen?", + "enable_encryption_public_room_confirm_description_1": "Julkisten huoneiden salaamista ei suositella. Kuka vain voi löytää julkisen huoneen ja liittyä siihen, joten kuka vain voi lukea sen viestejä. Salauksesta ei ole hyötyä eikä sitä voi poistaa käytöstä myöhemmin. Julkisen huoneen viestien salaaminen hidastaa viestien vastaanottamista ja lähettämistä.", + "enable_encryption_public_room_confirm_description_2": "Vältä nämä ongelmat luomalla uusi salausta käyttävä huone keskustelua varten.", + "enable_encryption_confirm_title": "Ota salaus käyttöön?", + "enable_encryption_confirm_description": "Salausta ei voi ottaa pois käytöstä käyttöönoton jälkeen. Viestejä, jotka on lähetetty salattuun huoneeseen, voidaan lukea vain huoneen jäsenten, ei palvelimen, toimesta. Salauksen käyttöönotto saattaa haitata bottien ja siltojen toimivuutta. Lisää tietoa salauksesta.", + "public_without_alias_warning": "Lisää osoite linkittääksesi tähän huoneeseen.", + "join_rule_description": "Päätä ketkä voivat liittyä huoneeseen %(roomName)s.", + "encrypted_room_public_confirm_title": "Haluatko varmasti tehdä tästä salatusta huoneesta julkisen?", + "encrypted_room_public_confirm_description_1": "Ei ole suositeltavaa tehdä salausta käyttävistä huoneista julkisia. Se tarkoittaa, että kuka vain voi löytää huoneen, joten kuka vain voi lukea viestejä. Salauksesta ei siis ole hyötyä. Viestien salaaminen julkisessa huoneessa hidastaa viestien vastaanottamista ja lähettämistä.", + "encrypted_room_public_confirm_description_2": "Vältä nämä ongelmat luomalla uusi julkinen huone aikomallesi keskustelulle.", + "history_visibility": {}, + "history_visibility_warning": "Muutokset historian lukuoikeuksiin pätevät vain tuleviin viesteihin tässä huoneessa. Nykyisen historian näkyvyys ei muutu.", + "history_visibility_legend": "Ketkä voivat lukea historiaa?", + "guest_access_warning": "Käyttäjät, joilla on tuettu asiakasohjelma, voivat liittyä huoneeseen ilman rekisteröityä käyttäjätiliä.", + "title": "Tietoturva ja yksityisyys", + "encryption_permanent": "Kun salaus on kerran otettu käyttöön, sitä ei voi poistaa käytöstä.", + "history_visibility_shared": "Vain jäsenet (tämän valinnan tekemisestä lähtien)", + "history_visibility_invited": "Vain jäsenet (kutsumisestaan lähtien)", + "history_visibility_joined": "Vain jäsenet (liittymisestään lähtien)", + "history_visibility_world_readable": "Kaikki" + }, + "general": { + "publish_toggle": "Julkaise tämä huone verkkotunnuksen %(domain)s huoneluettelossa?", + "user_url_previews_default_on": "Olet oletusarvoisesti ottanut URL-esikatselut käyttöön.", + "user_url_previews_default_off": "Olet oletusarvoisesti ottanut URL-esikatselut pois käytöstä.", + "default_url_previews_on": "URL-esikatselut on päällä oletusarvoisesti tämän huoneen jäsenillä.", + "default_url_previews_off": "URL-esikatselut ovat oletuksena pois päältä tämän huoneen jäsenillä.", + "url_preview_encryption_warning": "Salatuissa huoneissa, kuten tässä, osoitteiden esikatselut ovat oletuksena pois käytöstä, jotta kotipalvelimesi (missä osoitteiden esikatselut luodaan) ei voi kerätä tietoa siitä, mitä linkkejä näet tässä huoneessa.", + "url_preview_explainer": "Kun joku asettaa osoitteen linkiksi viestiinsä, URL-esikatselu voi näyttää tietoja linkistä kuten otsikon, kuvauksen ja kuvan verkkosivulta.", + "url_previews_section": "URL-esikatselut" } }, "encryption": { @@ -3536,7 +3494,15 @@ "server_picker_explainer": "Käytä haluamaasi Matrix-kotipalvelinta, tai isännöi omaa palvelinta.", "server_picker_learn_more": "Tietoa kotipalvelimista", "incorrect_credentials": "Virheellinen käyttäjätunnus ja/tai salasana.", - "account_deactivated": "Tämä tili on poistettu." + "account_deactivated": "Tämä tili on poistettu.", + "registration_username_validation": "Käytä ainoastaan pieniä kirjaimia, numeroita, yhdysviivoja ja alaviivoja", + "registration_username_unable_check": "Ei voitu tarkistaa, onko käyttäjätunnus jo käytössä. Yritä myöhemmin uudelleen.", + "registration_username_in_use": "Jollakin on jo kyseinen käyttäjätunnus. Valitse eri käyttäjätunnus, tai jos kyseessä on tilisi, kirjaudu alta.", + "phone_label": "Puhelin", + "phone_optional_label": "Puhelin (valinnainen)", + "email_help_text": "Lisää sähköpostiosoite, jotta voit palauttaa salasanasi.", + "email_phone_discovery_text": "Käytä sähköpostiosoitetta tai puhelinnumeroa, jos haluat olla löydettävissä nykyisille yhteystiedoille.", + "email_discovery_text": "Käytä sähköpostiosoitetta, jos haluat olla löydettävissä nykyisille yhteystiedoille." }, "room_list": { "sort_unread_first": "Näytä ensimmäisenä huoneet, joissa on lukemattomia viestejä", @@ -3707,7 +3673,21 @@ "light_high_contrast": "Vaalea, suuri kontrasti" }, "space": { - "landing_welcome": "Tervetuloa, tämä on " + "landing_welcome": "Tervetuloa, tämä on ", + "suggested_tooltip": "Tähän huoneeseen liittymistä suositellaan", + "suggested": "Ehdotettu", + "select_room_below": "Valitse ensin huone alta", + "unmark_suggested": "Merkitse ei-ehdotetuksi", + "mark_suggested": "Merkitse ehdotetuksi", + "failed_remove_rooms": "Joitakin huoneita ei voitu poistaa. Yritä myöhemmin uudelleen", + "failed_load_rooms": "Huoneluettelon lataaminen epäonnistui.", + "incompatible_server_hierarchy": "Palvelimesi ei tue avaruushierarkioiden esittämistä.", + "context_menu": { + "devtools_open_timeline": "Näytä huoneen aikajana (devtools)", + "home": "Avaruuden koti", + "explore": "Selaa huoneita", + "manage_and_explore": "Hallitse ja selaa huoneita" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "Tätä kotipalvelinta ei ole säädetty näyttämään karttoja.", @@ -3759,5 +3739,51 @@ "setup_rooms_description": "Voit lisätä niitä myöhemmin, mukaan lukien olemassa olevia.", "setup_rooms_private_heading": "Minkä projektien parissa tiimisi työskentelee?", "setup_rooms_private_description": "Luomme huoneet jokaiselle niistä." + }, + "user_menu": { + "switch_theme_light": "Vaihda vaaleaan teemaan", + "switch_theme_dark": "Vaihda tummaan teemaan" + }, + "notif_panel": { + "empty_heading": "Olet ajan tasalla", + "empty_description": "Sinulla ei ole näkyviä ilmoituksia." + }, + "console_scam_warning": "Jos joku pyysi kopioimaan ja liittämään jotakin tänne, on mahdollista että sinua yritetään huijata!", + "room": { + "drop_file_prompt": "Pudota tiedosto tähän lähettääksesi sen palvelimelle", + "intro": { + "send_message_start_dm": "Kutsu keskusteluun kirjoittamalla ensimmäinen viesti", + "encrypted_3pid_dm_pending_join": "Voitte keskustella, kun kaikki ovat liittyneet", + "start_of_dm_history": "Tästä alkaa yksityisviestihistoriasi käyttäjän kanssa.", + "dm_caption": "Vain te kaksi olette tässä keskustelussa, ellei jompi kumpi kutsu muita.", + "topic_edit": "Aihe: %(topic)s (muokkaa)", + "topic": "Aihe: %(topic)s ", + "no_topic": "Lisää aihe, jotta ihmiset tietävät mistä on kyse.", + "you_created": "Loit tämän huoneen.", + "user_created": "%(displayName)s loi tämän huoneen.", + "room_invite": "Kutsu vain tähän huoneeseen", + "no_avatar_label": "Lisää kuva, jotta ihmiset voivat helpommin huomata huoneesi.", + "start_of_room": "Tästä alkaa .", + "private_unencrypted_warning": "Yksityiset viestisi salataan normaalisti, mutta tämä huone ei ole salattu. Yleensä tämä johtuu laitteesta, jota ei tueta, tai käytetystä tavasta, kuten sähköpostikutsuista.", + "enable_encryption_prompt": "Ota salaus käyttöön asetuksissa.", + "unencrypted_warning": "Päästä päähän -salaus ei ole käytössä" + } + }, + "file_panel": { + "guest_note": "Sinun pitää rekisteröityä käyttääksesi tätä toiminnallisuutta", + "peek_note": "Sinun pitää liittyä huoneeseen voidaksesi nähdä sen sisältämät tiedostot", + "empty_heading": "Tässä huoneessa ei näy tiedostoja", + "empty_description": "Liitä tiedostoja alalaidan klemmarilla, tai raahaa ja pudota ne mihin tahansa huoneen kohtaan." + }, + "terms": { + "integration_manager": "Käytä botteja, siltoja, sovelmia ja tarrapaketteja", + "tos": "Käyttöehdot", + "intro": "Sinun täytyy hyväksyä palvelun käyttöehdot jatkaaksesi.", + "column_service": "Palvelu", + "column_summary": "Yhteenveto", + "column_document": "Asiakirja" + }, + "space_settings": { + "title": "Asetukset - %(spaceName)s" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/fr.json b/src/i18n/strings/fr.json index 2972fa05d2..7c998436fb 100644 --- a/src/i18n/strings/fr.json +++ b/src/i18n/strings/fr.json @@ -16,10 +16,8 @@ "A new password must be entered.": "Un nouveau mot de passe doit être saisi.", "Are you sure?": "Êtes-vous sûr ?", "Are you sure you want to reject the invitation?": "Voulez-vous vraiment rejeter l’invitation ?", - "Banned users": "Utilisateurs bannis", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Impossible de se connecter au serveur d'accueil en HTTP si l’URL dans la barre de votre explorateur est en HTTPS. Utilisez HTTPS ou activez la prise en charge des scripts non-vérifiés.", "Change Password": "Changer le mot de passe", - "Commands": "Commandes", "Confirm password": "Confirmer le mot de passe", "Cryptography": "Chiffrement", "Current password": "Mot de passe actuel", @@ -58,17 +56,14 @@ "No more results": "Fin des résultats", "unknown error code": "code d’erreur inconnu", "Passwords can't be empty": "Le mot de passe ne peut pas être vide", - "Permissions": "Permissions", "Phone": "Numéro de téléphone", "Operation failed": "L’opération a échoué", "Default": "Par défaut", "Email address": "Adresse e-mail", "Error decrypting attachment": "Erreur lors du déchiffrement de la pièce jointe", "Invalid file%(extra)s": "Fichier %(extra)s non valide", - "No users have specific privileges in this room": "Aucun utilisateur n’a de privilège spécifique dans ce salon", "Please check your email and click on the link it contains. Once this is done, click continue.": "Veuillez consulter vos e-mails et cliquer sur le lien que vous avez reçu. Puis cliquez sur continuer.", "Power level must be positive integer.": "Le rang doit être un entier positif.", - "Privileged Users": "Utilisateurs privilégiés", "Profile": "Profil", "Reason": "Raison", "Reject invitation": "Rejeter l’invitation", @@ -98,10 +93,8 @@ "Unable to enable Notifications": "Impossible d’activer les notifications", "Upload avatar": "Envoyer un avatar", "Upload Failed": "Échec de l’envoi", - "Users": "Utilisateurs", "Verification Pending": "Vérification en attente", "Warning!": "Attention !", - "Who can read history?": "Qui peut lire l’historique ?", "You cannot place a call with yourself.": "Vous ne pouvez pas passer d’appel avec vous-même.", "You do not have permission to post to this room": "Vous n’avez pas la permission de poster dans ce salon", "You need to be able to invite users to do that.": "Vous devez avoir l’autorisation d’inviter des utilisateurs pour faire ceci.", @@ -143,7 +136,6 @@ "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Ce processus vous permet d’exporter dans un fichier local les clés pour les messages que vous avez reçus dans des salons chiffrés. Il sera ensuite possible d’importer ce fichier dans un autre client Matrix, afin de permettre à ce client de pouvoir déchiffrer ces messages.", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Ce processus vous permet d’importer les clés de chiffrement que vous avez précédemment exportées depuis un autre client Matrix. Vous serez alors capable de déchiffrer n’importe quel message que l’autre client pouvait déchiffrer.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Le fichier exporté sera protégé par un mot de passe. Vous devez saisir ce mot de passe ici, pour déchiffrer le fichier.", - "You must join the room to see its files": "Vous devez rejoindre le salon pour voir ses fichiers", "Reject all %(invitedRooms)s invites": "Rejeter la totalité des %(invitedRooms)s invitations", "Failed to invite": "Échec de l’invitation", "Confirm Removal": "Confirmer la suppression", @@ -155,8 +147,6 @@ "Error decrypting image": "Erreur lors du déchiffrement de l’image", "Error decrypting video": "Erreur lors du déchiffrement de la vidéo", "Add an Integration": "Ajouter une intégration", - "URL Previews": "Aperçus des liens", - "Drop file here to upload": "Glisser le fichier ici pour l’envoyer", "Jump to first unread message.": "Aller au premier message non lu.", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Vous êtes sur le point d’accéder à un site tiers afin de pouvoir vous identifier pour utiliser %(integrationsUrl)s. Voulez-vous continuer ?", "Verified key": "Clé vérifiée", @@ -165,17 +155,13 @@ "No media permissions": "Pas de permission pour les médias", "You may need to manually permit %(brand)s to access your microphone/webcam": "Il est possible que vous deviez manuellement autoriser %(brand)s à accéder à votre micro/caméra", "Default Device": "Appareil par défaut", - "Anyone": "N’importe qui", "Are you sure you want to leave the room '%(roomName)s'?": "Voulez-vous vraiment quitter le salon « %(roomName)s » ?", "Custom level": "Rang personnalisé", - "You have disabled URL previews by default.": "Vous avez désactivé les aperçus d’URL par défaut.", - "You have enabled URL previews by default.": "Vous avez activé les aperçus d’URL par défaut.", "Uploading %(filename)s": "Envoi de %(filename)s", "Uploading %(filename)s and %(count)s others": { "one": "Envoi de %(filename)s et %(count)s autre", "other": "Envoi de %(filename)s et %(count)s autres" }, - "You must register to use this functionality": "Vous devez vous inscrire pour utiliser cette fonctionnalité", "Create new room": "Créer un nouveau salon", "New Password": "Nouveau mot de passe", "Something went wrong!": "Quelque chose s’est mal déroulé !", @@ -200,7 +186,6 @@ "Unable to create widget.": "Impossible de créer le widget.", "You are not in this room.": "Vous n’êtes pas dans ce salon.", "You do not have permission to do that in this room.": "Vous n’avez pas l’autorisation d’effectuer cette action dans ce salon.", - "Publish this room to the public in %(domain)s's room directory?": "Publier ce salon dans le répertoire de salons public de %(domain)s ?", "AM": "AM", "PM": "PM", "Copied!": "Copié !", @@ -214,9 +199,6 @@ "Unnamed room": "Salon sans nom", "Banned by %(displayName)s": "Banni par %(displayName)s", "Jump to read receipt": "Aller à l’accusé de lecture", - "Members only (since the point in time of selecting this option)": "Seulement les membres (depuis la sélection de cette option)", - "Members only (since they were invited)": "Seulement les membres (depuis leur invitation)", - "Members only (since they joined)": "Seulement les membres (depuis leur arrivée)", "A text message has been sent to %(msisdn)s": "Un message a été envoyé à %(msisdn)s", "Delete Widget": "Supprimer le widget", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Supprimer un widget le supprime pour tous les utilisateurs du salon. Voulez-vous vraiment supprimer ce widget ?", @@ -227,12 +209,8 @@ "And %(count)s more...": { "other": "Et %(count)s autres…" }, - "Notify the whole room": "Notifier tout le salon", - "Room Notification": "Notification du salon", "Please note you are logging into the %(hs)s server, not matrix.org.": "Veuillez noter que vous vous connectez au serveur %(hs)s, pas à matrix.org.", "Restricted": "Restreint", - "URL previews are enabled by default for participants in this room.": "Les aperçus d'URL sont activés par défaut pour les participants de ce salon.", - "URL previews are disabled by default for participants in this room.": "Les aperçus d'URL sont désactivés par défaut pour les participants de ce salon.", "%(duration)ss": "%(duration)ss", "%(duration)sm": "%(duration)sm", "%(duration)sh": "%(duration)sh", @@ -282,7 +260,6 @@ "We encountered an error trying to restore your previous session.": "Une erreur est survenue lors de la restauration de la dernière session.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Effacer le stockage de votre navigateur peut résoudre le problème. Ceci vous déconnectera et tous les historiques de conversations chiffrées seront illisibles.", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Impossible de charger l’évènement auquel il a été répondu, soit il n’existe pas, soit vous n'avez pas l’autorisation de le voir.", - "Muted Users": "Utilisateurs ignorés", "Terms and Conditions": "Conditions générales", "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Pour continuer à utiliser le serveur d’accueil %(homeserverDomain)s, vous devez lire et accepter nos conditions générales.", "Review terms and conditions": "Voir les conditions générales", @@ -297,8 +274,6 @@ "Share User": "Partager l’utilisateur", "Share Room Message": "Partager le message du salon", "Link to selected message": "Lien vers le message sélectionné", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Dans les salons chiffrés, comme celui-ci, l’aperçu des liens est désactivé par défaut pour s’assurer que le serveur d’accueil (où sont générés les aperçus) ne puisse pas collecter d’informations sur les liens qui apparaissent dans ce salon.", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Quand quelqu’un met un lien dans son message, un aperçu du lien peut être affiché afin de fournir plus d’informations sur ce lien comme le titre, la description et une image du site.", "You can't send any messages until you review and agree to our terms and conditions.": "Vous ne pouvez voir aucun message tant que vous ne lisez et n’acceptez pas nos conditions générales.", "Demote yourself?": "Vous rétrograder ?", "Demote": "Rétrograder", @@ -382,11 +357,7 @@ "Phone numbers": "Numéros de téléphone", "Language and region": "Langue et région", "Account management": "Gestion du compte", - "Roles & Permissions": "Rôles et permissions", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Les modifications concernant l'accès à l’historique ne s'appliqueront qu’aux futurs messages de ce salon. La visibilité de l’historique existant ne sera pas modifiée.", - "Security & Privacy": "Sécurité et vie privée", "Encryption": "Chiffrement", - "Once enabled, encryption cannot be disabled.": "Le chiffrement ne peut pas être désactivé une fois qu’il a été activé.", "Ignored users": "Utilisateurs ignorés", "Bulk options": "Options de groupe", "Missing media permissions, click the button below to request.": "Permissions multimédia manquantes, cliquez sur le bouton ci-dessous pour la demander.", @@ -399,7 +370,6 @@ "Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Vérifier cet utilisateur pour le marquer comme fiable. Faire confiance aux utilisateurs vous permet d’être tranquille lorsque vous utilisez des messages chiffrés de bout en bout.", "Incoming Verification Request": "Demande de vérification entrante", "Email (optional)": "E-mail (facultatif)", - "Phone (optional)": "Téléphone (facultatif)", "Join millions for free on the largest public server": "Rejoignez des millions d’utilisateurs gratuitement sur le plus grand serveur public", "Create account": "Créer un compte", "Recovery Method Removed": "Méthode de récupération supprimée", @@ -490,10 +460,6 @@ "Could not load user profile": "Impossible de charger le profil de l’utilisateur", "The user must be unbanned before they can be invited.": "Le bannissement de l’utilisateur doit être révoqué avant de pouvoir l’inviter.", "Accept all %(invitedRooms)s invites": "Accepter les %(invitedRooms)s invitations", - "Send %(eventType)s events": "Envoyer %(eventType)s évènements", - "Select the roles required to change various parts of the room": "Sélectionner les rôles nécessaires pour modifier les différentes parties du salon", - "Enable encryption?": "Activer le chiffrement ?", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Le chiffrement du salon ne peut pas être désactivé après son activation. Les messages d’un salon chiffré ne peuvent pas être vus par le serveur, seulement par les membres du salon. Activer le chiffrement peut empêcher certains robots et certaines passerelles de fonctionner correctement. En savoir plus sur le chiffrement.", "Power level": "Rang", "Upgrade this room to the recommended room version": "Mettre à niveau ce salon vers la version recommandée", "This room is running room version , which this homeserver has marked as unstable.": "Ce salon utilise la version , que ce serveur d’accueil a marqué comme instable.", @@ -577,7 +543,6 @@ "Your %(brand)s is misconfigured": "Votre %(brand)s est mal configuré", "Ask your %(brand)s admin to check your config for incorrect or duplicate entries.": "Demandez à votre administrateur %(brand)s de vérifier que votre configuration ne contient pas d’entrées incorrectes ou en double.", "Unexpected error resolving identity server configuration": "Une erreur inattendue est survenue pendant la résolution de la configuration du serveur d’identité", - "Use lowercase letters, numbers, dashes and underscores only": "Utiliser uniquement des lettres minuscules, chiffres, traits d’union et tirets bas", "Cannot reach identity server": "Impossible de joindre le serveur d’identité", "You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Vous pouvez vous inscrire, mais certaines fonctionnalités ne seront pas disponibles jusqu’au retour du serveur d’identité. Si vous continuez à voir cet avertissement, vérifiez votre configuration ou contactez un administrateur du serveur.", "You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Vous pouvez réinitialiser votre mot de passe, mais certaines fonctionnalités ne seront pas disponibles jusqu’au retour du serveur d’identité. Si vous continuez à voir cet avertissement, vérifiez votre configuration ou contactez un administrateur du serveur.", @@ -595,10 +560,6 @@ "Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Dites-nous ce qui s’est mal passé ou, encore mieux, créez un rapport d’erreur sur GitHub qui décrit le problème.", "Find others by phone or email": "Trouver d’autres personnes par téléphone ou e-mail", "Be found by phone or email": "Être trouvé par téléphone ou e-mail", - "Use bots, bridges, widgets and sticker packs": "Utiliser des robots, des passerelles, des widgets ou des jeux d’autocollants", - "Terms of Service": "Conditions de service", - "Service": "Service", - "Summary": "Résumé", "Discovery": "Découverte", "Deactivate account": "Désactiver le compte", "Unable to revoke sharing for email address": "Impossible de révoquer le partage pour l’adresse e-mail", @@ -668,25 +629,17 @@ "Close dialog": "Fermer la boîte de dialogue", "Hide advanced": "Masquer les paramètres avancés", "Show advanced": "Afficher les paramètres avancés", - "To continue you need to accept the terms of this service.": "Pour continuer vous devez accepter les conditions de ce service.", - "Document": "Document", - "Emoji Autocomplete": "Autocomplétion d’émoji", - "Notification Autocomplete": "Autocomplétion de notification", - "Room Autocomplete": "Autocomplétion de salon", - "User Autocomplete": "Autocomplétion d’utilisateur", "Show image": "Afficher l’image", "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Clé public du captcha manquante dans la configuration du serveur d’accueil. Veuillez le signaler à l’administrateur de votre serveur d’accueil.", "Your email address hasn't been verified yet": "Votre adresse e-mail n’a pas encore été vérifiée", "Click the link in the email you received to verify and then click continue again.": "Cliquez sur le lien dans l’e-mail que vous avez reçu pour la vérifier et cliquez encore sur continuer.", "Add Email Address": "Ajouter une adresse e-mail", "Add Phone Number": "Ajouter un numéro de téléphone", - "%(creator)s created and configured the room.": "%(creator)s a créé et configuré le salon.", "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Vous devriez supprimer vos données personnelles du serveur d’identité avant de vous déconnecter. Malheureusement, le serveur d’identité est actuellement hors ligne ou injoignable.", "You should:": "Vous devriez :", "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "vérifier qu’aucune des extensions de votre navigateur ne bloque le serveur d’identité (comme Privacy Badger)", "contact the administrators of identity server ": "contacter les administrateurs du serveur d’identité ", "wait and try again later": "attendre et réessayer plus tard", - "Command Autocomplete": "Autocomplétion de commande", "Cancel search": "Annuler la recherche", "Failed to deactivate user": "Échec de la désactivation de l’utilisateur", "This client does not support end-to-end encryption.": "Ce client ne prend pas en charge le chiffrement de bout en bout.", @@ -846,7 +799,6 @@ "The encryption used by this room isn't supported.": "Le chiffrement utilisé par ce salon n’est pas pris en charge.", "Clear all data in this session?": "Supprimer toutes les données de cette session ?", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "La suppression de toutes les données de cette session est permanente. Les messages chiffrés seront perdus sauf si les clés ont été sauvegardées.", - "Verify session": "Vérifier la session", "Session name": "Nom de la session", "Session key": "Clé de la session", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Vérifier cet utilisateur marquera sa session comme fiable, et marquera aussi votre session comme fiable pour lui.", @@ -956,7 +908,6 @@ "IRC display name width": "Largeur du nom d’affichage IRC", "Please verify the room ID or address and try again.": "Vérifiez l’identifiant ou l’adresse du salon et réessayez.", "Room ID or address of ban list": "Identifiant du salon ou adresse de la liste de bannissement", - "To link to this room, please add an address.": "Pour créer un lien vers ce salon, ajoutez une adresse.", "Error creating address": "Erreur lors de la création de l’adresse", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Une erreur est survenue lors de la création de l’adresse. Ce n’est peut-être pas autorisé par le serveur ou une erreur temporaire est survenue.", "You don't have permission to delete the address.": "Vous n’avez pas la permission de supprimer cette adresse.", @@ -973,8 +924,6 @@ "Ok": "OK", "New version available. Update now.": "Nouvelle version disponible. Faire la mise à niveau maintenant.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "L’administrateur de votre serveur a désactivé le chiffrement de bout en bout par défaut dans les salons privés et les conversations privées.", - "Switch to light mode": "Passer au mode clair", - "Switch to dark mode": "Passer au mode sombre", "Switch theme": "Changer le thème", "All settings": "Tous les paramètres", "No recently visited rooms": "Aucun salon visité récemment", @@ -1049,8 +998,6 @@ "Hide Widgets": "Masquer les widgets", "Algorithm:": "Algorithme :", "Set up Secure Backup": "Configurer la sauvegarde sécurisée", - "Attach files from chat or just drag and drop them anywhere in a room.": "Envoyez des fichiers depuis la discussion ou glissez et déposez-les n’importe où dans le salon.", - "No files visible in this room": "Aucun fichier visible dans ce salon", "Move right": "Aller à droite", "Move left": "Aller à gauche", "Revoke permissions": "Révoquer les permissions", @@ -1072,7 +1019,6 @@ "Modal Widget": "Fenêtre de widget", "Invite someone using their name, username (like ) or share this room.": "Invitez quelqu’un à partir de son nom, pseudo (comme ) ou partagez ce salon.", "Start a conversation with someone using their name or username (like ).": "Commencer une conversation privée avec quelqu’un en utilisant son nom ou son pseudo (comme ).", - "%(creator)s created this DM.": "%(creator)s a créé cette conversation privée.", "There was a problem communicating with the homeserver, please try again later.": "Il y a eu un problème lors de la communication avec le serveur d’accueil, veuillez réessayer ultérieurement.", "Algeria": "Algérie", "Albania": "Albanie", @@ -1335,25 +1281,12 @@ "Invite by email": "Inviter par e-mail", "Reason (optional)": "Raison (optionnelle)", "Server Options": "Options serveur", - "This is the start of .": "C’est le début de .", - "Add a photo, so people can easily spot your room.": "Ajoutez une photo afin que les gens repèrent facilement votre salon.", - "%(displayName)s created this room.": "%(displayName)s a créé ce salon.", - "You created this room.": "Vous avez créé ce salon.", - "Add a topic to help people know what it is about.": "Ajoutez un sujet pour aider les gens à savoir de quoi il est question.", - "Topic: %(topic)s ": "Sujet : %(topic)s ", - "Topic: %(topic)s (edit)": "Sujet : %(topic)s (modifier)", - "This is the beginning of your direct message history with .": "C’est le début de l’historique de votre conversation privée avec .", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Vous n’êtes que tous les deux dans cette conversation, à moins que l’un de vous invite quelqu’un à vous rejoindre.", "Enable desktop notifications": "Activer les notifications sur le bureau", "Don't miss a reply": "Ne ratez pas une réponse", "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Cette session a détecté que votre phrase secrète et clé de sécurité pour les messages sécurisés ont été supprimées.", "A new Security Phrase and key for Secure Messages have been detected.": "Une nouvelle phrase secrète et clé de sécurité pour les messages sécurisés ont été détectées.", "Confirm your Security Phrase": "Confirmez votre phrase secrète", "Great! This Security Phrase looks strong enough.": "Super ! Cette phrase secrète a l’air assez solide.", - "You have no visible notifications.": "Vous n’avez aucune notification visible.", - "Use email to optionally be discoverable by existing contacts.": "Utiliser une adresse e-mail pour pouvoir être découvert par des contacts existants.", - "Use email or phone to optionally be discoverable by existing contacts.": "Utiliser une adresse e-mail ou un numéro de téléphone pour pouvoir être découvert par des contacts existants.", - "Add an email to be able to reset your password.": "Ajouter une adresse e-mail pour pouvoir réinitialiser votre mot de passe.", "That phone number doesn't look quite right, please check and try again": "Ce numéro de téléphone ne semble pas correct, merci de vérifier et réessayer", "Enter email address": "Saisir l’adresse e-mail", "Enter phone number": "Saisir le numéro de téléphone", @@ -1401,12 +1334,10 @@ "Invite someone using their name, username (like ) or share this space.": "Invitez quelqu’un grâce à son nom, nom d’utilisateur (tel que ) ou partagez cet espace.", "Invite someone using their name, email address, username (like ) or share this space.": "Invitez quelqu’un grâce à son nom, adresse e-mail, nom d’utilisateur (tel que ) ou partagez cet espace.", "Original event source": "Évènement source original", - "Decrypted event source": "Évènement source déchiffré", "%(count)s members": { "one": "%(count)s membre", "other": "%(count)s membres" }, - "Your server does not support showing space hierarchies.": "Votre serveur ne prend pas en charge l’affichage des hiérarchies d’espaces.", "Are you sure you want to leave the space '%(spaceName)s'?": "Êtes-vous sûr de vouloir quitter l’espace « %(spaceName)s » ?", "This space is not public. You will not be able to rejoin without an invite.": "Cet espace n’est pas public. Vous ne pourrez pas le rejoindre sans invitation.", "Start audio stream": "Démarrer une diffusion audio", @@ -1434,16 +1365,11 @@ "Create a space": "Créer un espace", "This homeserver has been blocked by its administrator.": "Ce serveur d’accueil a été bloqué par son administrateur.", "Space selection": "Sélection d’un espace", - "Mark as suggested": "Marquer comme recommandé", - "Mark as not suggested": "Marquer comme non recommandé", - "Suggested": "Recommandé", - "This room is suggested as a good one to join": "Ce salon recommandé peut être intéressant à rejoindre", "Private space": "Espace privé", "Public space": "Espace public", " invites you": " vous a invité", "You may want to try a different search or check for typos.": "Essayez une requête différente, ou vérifiez que vous n’avez pas fait de faute de frappe.", "No results found": "Aucun résultat", - "Failed to remove some rooms. Try again later": "Échec de la suppression de certains salons. Veuillez réessayez plus tard", "%(count)s rooms": { "one": "%(count)s salon", "other": "%(count)s salons" @@ -1468,8 +1394,6 @@ "one": "%(count)s personne que vous connaissez en fait déjà partie", "other": "%(count)s personnes que vous connaissez en font déjà partie" }, - "Invite to just this room": "Inviter seulement dans ce salon", - "Manage & explore rooms": "Gérer et découvrir les salons", "unknown person": "personne inconnue", "%(deviceId)s from %(ip)s": "%(deviceId)s depuis %(ip)s", "Review to ensure your account is safe": "Vérifiez pour assurer la sécurité de votre compte", @@ -1493,7 +1417,6 @@ "Failed to send": "Échec de l’envoi", "Enter your Security Phrase a second time to confirm it.": "Saisissez à nouveau votre phrase secrète pour la confirmer.", "You have no ignored users.": "Vous n’avez ignoré personne.", - "Select a room below first": "Sélectionnez un salon ci-dessous d’abord", "Want to add a new room instead?": "Voulez-vous plutôt ajouter un nouveau salon ?", "Adding rooms... (%(progress)s out of %(count)s)": { "one": "Ajout du salon…", @@ -1512,7 +1435,6 @@ "You may contact me if you have any follow up questions": "Vous pouvez me contacter si vous avez des questions par la suite", "To leave the beta, visit your settings.": "Pour quitter la bêta, consultez les paramètres.", "Add reaction": "Ajouter une réaction", - "Space Autocomplete": "Autocomplétion d’espace", "Currently joining %(count)s rooms": { "one": "Vous êtes en train de rejoindre %(count)s salon", "other": "Vous êtes en train de rejoindre %(count)s salons" @@ -1529,12 +1451,10 @@ "Pinned messages": "Messages épinglés", "If you have permissions, open the menu on any message and select Pin to stick them here.": "Si vous avez les permissions, ouvrez le menu de n’importe quel message et sélectionnez Épingler pour les afficher ici.", "Nothing pinned, yet": "Rien d’épinglé, pour l’instant", - "End-to-end encryption isn't enabled": "Le chiffrement de bout en bout n’est pas activé", "Report": "Signaler", "Collapse reply thread": "Masquer le fil de discussion", "Show preview": "Afficher l’aperçu", "View source": "Afficher la source", - "Settings - %(spaceName)s": "Paramètres - %(spaceName)s", "Please provide an address": "Veuillez fournir une adresse", "Message search initialisation failed, check your settings for more information": "Échec de l’initialisation de la recherche de messages, vérifiez vos paramètres pour plus d’information", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Définissez les adresses de cet espace pour que les utilisateurs puissent le trouver avec votre serveur d’accueil (%(localDomain)s)", @@ -1579,7 +1499,6 @@ "Keyword": "Mot-clé", "Transfer Failed": "Échec du transfert", "Unable to transfer call": "Impossible de transférer l’appel", - "Decide who can join %(roomName)s.": "Choisir qui peut rejoindre %(roomName)s.", "Space members": "Membres de l’espace", "Anyone in a space can find and join. You can select multiple spaces.": "Tout le monde dans un espace peut trouver et venir. Vous pouvez sélectionner plusieurs espaces.", "Spaces with access": "Espaces avec accès", @@ -1612,7 +1531,6 @@ "Could not connect media": "Impossible de se connecter au média", "Call back": "Rappeler", "Access": "Accès", - "People with supported clients will be able to join the room without having a registered account.": "Les personnes utilisant un client pris en charge pourront rejoindre le salon sans compte.", "Unable to copy a link to the room to the clipboard.": "Impossible de copier le lien du salon dans le presse-papier.", "Unable to copy room link": "Impossible de copier le lien du salon", "Error downloading audio": "Erreur lors du téléchargement de l’audio", @@ -1652,20 +1570,12 @@ "Delete avatar": "Supprimer l’avatar", "Rooms and spaces": "Salons et espaces", "Results": "Résultats", - "Enable encryption in settings.": "Activer le chiffrement dans les paramètres.", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Vos messages privés sont normalement chiffrés, mais ce salon ne l’est pas. Cela est généralement dû à un périphérique non supporté, ou à un moyen de communication non supporté comme les invitations par e-mail.", - "To avoid these issues, create a new public room for the conversation you plan to have.": "Pour éviter ces problèmes, créez un nouveau salon public pour la conversation que vous souhaitez avoir.", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "Il n’est pas recommandé de rendre public les salons chiffrés. Cela veut dire que quiconque pourra trouver et rejoindre le salon, donc tout le monde pourra lire les messages. Vous n’aurez plus aucun avantage lié au chiffrement. Chiffrer les messages dans un salon public ralentira la réception et l’envoi de messages.", - "Are you sure you want to make this encrypted room public?": "Êtes-vous sûr de vouloir rendre public ce salon chiffré ?", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "Pour éviter ces problèmes, créez un nouveau salon chiffré pour la conversation que vous souhaitez avoir.", - "Are you sure you want to add encryption to this public room?": "Êtes-vous sûr de vouloir ajouter le chiffrement dans ce salon public ?", "Cross-signing is ready but keys are not backed up.": "La signature croisée est prête mais les clés ne sont pas sauvegardées.", "Some encryption parameters have been changed.": "Certains paramètres de chiffrement ont été changés.", "Role in ": "Rôle dans ", "Message didn't send. Click for info.": "Le message n’a pas été envoyé. Cliquer pour plus d’info.", "Unknown failure": "Erreur inconnue", "Failed to update the join rules": "Échec de mise-à-jour des règles pour rejoindre le salon", - "Select the roles required to change various parts of the space": "Sélectionner les rôles nécessaires pour modifier les différentes parties de l’espace", "Anyone in can find and join. You can select other spaces too.": "Quiconque dans peut trouver et rejoindre. Vous pouvez également choisir d’autres espaces.", "To join a space you'll need an invite.": "Vous avez besoin d’une invitation pour rejoindre un espace.", "Would you like to leave the rooms in this space?": "Voulez-vous quitter les salons de cet espace ?", @@ -1705,7 +1615,6 @@ }, "Loading new room": "Chargement du nouveau salon", "Upgrading room": "Mise-à-jour du salon", - "See room timeline (devtools)": "Voir l’historique du salon (outils développeurs)", "View in room": "Voir dans le salon", "Enter your Security Phrase or to continue.": "Saisissez votre phrase de sécurité ou pour continuer.", "%(count)s reply": { @@ -1718,7 +1627,6 @@ "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Sans vérification, vous n’aurez pas accès à tous vos messages et vous n’apparaîtrez pas comme de confiance aux autres.", "Joined": "Rejoint", "Joining": "En train de rejoindre", - "You're all caught up": "Vous êtes à jour", "If you can't see who you're looking for, send them your invite link below.": "Si vous ne trouvez pas la personne que vous cherchez, envoyez-lui le lien d’invitation ci-dessous.", "In encrypted rooms, verify all users to ensure it's secure.": "Dans les salons chiffrés, vérifiez tous les utilisateurs pour vous assurer qu’il est sécurisé.", "Yours, or the other users' session": "Votre session ou celle de l’autre utilisateur", @@ -1727,21 +1635,6 @@ "Insert link": "Insérer un lien", "This room isn't bridging messages to any platforms. Learn more.": "Ce salon ne transmet les messages à aucune plateforme. En savoir plus.", "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Ce salon se trouve dans certains espaces pour lesquels vous n’êtes pas administrateur. Dans ces espaces, l’ancien salon sera toujours disponible, mais un message sera affiché pour inciter les personnes à rejoindre le nouveau salon.", - "Select all": "Tout sélectionner", - "Deselect all": "Tout désélectionner", - "Sign out devices": { - "one": "Déconnecter l’appareil", - "other": "Déconnecter les appareils" - }, - "Click the button below to confirm signing out these devices.": { - "one": "Cliquer sur le bouton ci-dessous pour confirmer la déconnexion de cet appareil.", - "other": "Cliquer sur le bouton ci-dessous pour confirmer la déconnexion de ces appareils." - }, - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "Confirmez la déconnexion de cet appareil en utilisant l’authentification unique pour prouver votre identité.", - "other": "Confirmez la déconnexion de ces appareils en utilisant l’authentification unique pour prouver votre identité." - }, - "Someone already has that username. Try another or if it is you, sign in below.": "Quelqu’un d’autre a déjà ce nom d’utilisateur. Essayez-en un autre ou bien, si c’est vous, connecter vous ci-dessous.", "Copy link to thread": "Copier le lien du fil de discussion", "Thread options": "Options des fils de discussion", "Add option": "Ajouter un choix", @@ -1830,7 +1723,6 @@ "Spaces you're in": "Espaces où vous êtes", "Including you, %(commaSeparatedMembers)s": "Dont vous, %(commaSeparatedMembers)s", "Copy room link": "Copier le lien du salon", - "Failed to load list of rooms.": "Impossible de charger la liste des salons.", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Cela rassemble vos conversations privées avec les membres de cet espace. Le désactiver masquera ces conversations de votre vue de %(spaceName)s.", "Sections to show": "Sections à afficher", "Open in OpenStreetMap": "Ouvrir dans OpenStreetMap", @@ -1858,7 +1750,6 @@ "Back to chat": "Retour à la conversation", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Paire (utilisateur, session) inconnue : (%(userId)s, %(deviceId)s)", "Unrecognised room address: %(roomAlias)s": "Adresse de salon non reconnue : %(roomAlias)s", - "Space home": "Accueil de l’espace", "Could not fetch location": "Impossible de récupérer la position", "Message pending moderation": "Message en attente de modération", "Message pending moderation: %(reason)s": "Message en attente de modération : %(reason)s", @@ -1873,12 +1764,9 @@ "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Les espaces permettent de regrouper des salons et des personnes. En plus de ceux auxquels vous participez, vous pouvez également utiliser des espaces prédéfinis.", "Internal room ID": "Identifiant interne du salon", "Group all your rooms that aren't part of a space in one place.": "Regroupe tous les salons n’appartenant pas à un espace au même endroit.", - "Unable to check if username has been taken. Try again later.": "Impossible de vérifier si le nom d’utilisateur est déjà utilisé. Veuillez réessayer plus tard.", "Pick a date to jump to": "Choisissez vers quelle date aller", "Jump to date": "Aller à la date", "The beginning of the room": "Le début de ce salon", - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Si vous savez ce que vous faites, Element est un logiciel libre, n'hésitez pas à consulter notre GitHub (https://github.com/vector-im/element-web/) et à contribuer !", - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Si quelqu'un vous a dit de copier/coller quelque chose ici, il y a de fortes chances que vous soyez victime d'une escroquerie !", "Wait!": "Attendez !", "This address does not point at this room": "Cette adresse ne pointe pas vers ce salon", "Location": "Position", @@ -1973,10 +1861,6 @@ "Ban from room": "Bannir du salon", "Unban from room": "Révoquer le bannissement du salon", "Ban from space": "Bannir de l'espace", - "Confirm signing out these devices": { - "one": "Confirmer la déconnexion de cet appareil", - "other": "Confirmer la déconnexion de ces appareils" - }, "Live location enabled": "Position en temps réel activée", "Live location error": "Erreur de positionnement en temps réel", "Live location ended": "Position en temps réel terminée", @@ -2062,7 +1946,6 @@ "Show: %(instance)s rooms (%(server)s)": "Afficher : %(instance)s salons (%(server)s)", "Add new server…": "Ajouter un nouveau serveur…", "Remove server “%(roomServer)s”": "Supprimer le serveur « %(roomServer)s »", - "Video rooms are a beta feature": "Les salons vidéo sont une fonctionnalité bêta", "You cannot search for rooms that are neither a room nor a space": "Vous ne pouvez pas rechercher de salons qui ne soient ni des salons ni des espaces", "Show spaces": "Afficher les espaces", "Show rooms": "Afficher les salons", @@ -2085,41 +1968,13 @@ "You don't have permission to share locations": "Vous n’avez pas l’autorisation de partager des positions", "Messages in this chat will be end-to-end encrypted.": "Les messages de cette conversation seront chiffrés de bout en bout.", "Saved Items": "Éléments sauvegardés", - "Send your first message to invite to chat": "Envoyez votre premier message pour inviter à discuter", "Choose a locale": "Choisir une langue", "Spell check": "Vérificateur orthographique", "We're creating a room with %(names)s": "Nous créons un salon avec %(names)s", - "Last activity": "Dernière activité", - "Current session": "Cette session", "Sessions": "Sessions", "Interactively verify by emoji": "Vérifier de façon interactive avec des émojis", "Manually verify by text": "Vérifier manuellement avec un texte", - "Security recommendations": "Recommandations de sécurité", - "Filter devices": "Filtrer les appareils", - "Inactive for %(inactiveAgeDays)s days or longer": "Inactive depuis au moins %(inactiveAgeDays)s jours", - "Inactive": "Inactive", - "Not ready for secure messaging": "Messagerie non sécurisée", - "Ready for secure messaging": "Messagerie sécurisée", - "All": "Tout", - "No sessions found.": "Aucune session n’a été trouvée.", - "No inactive sessions found.": "Aucune session inactive n’a été trouvée.", - "No unverified sessions found.": "Aucune session non vérifiée n’a été trouvée.", - "No verified sessions found.": "Aucune session vérifiée n’a été trouvée.", - "Inactive sessions": "Sessions inactives", - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Vérifiez vos sessions pour améliorer la sécurité de votre messagerie, ou déconnectez celles que vous ne connaissez pas ou n’utilisez plus.", - "Unverified sessions": "Sessions non vérifiées", - "For best security, sign out from any session that you don't recognize or use anymore.": "Pour une meilleure sécurité, déconnectez toutes les sessions que vous ne connaissez pas ou que vous n’utilisez plus.", - "Verified sessions": "Sessions vérifiées", - "Verify or sign out from this session for best security and reliability.": "Vérifiez ou déconnectez cette session pour une meilleure sécurité et fiabilité.", - "Unverified session": "Session non vérifiée", - "This session is ready for secure messaging.": "Cette session est prête pour l’envoi de messages sécurisés.", - "Verified session": "Session vérifiée", - "Inactive for %(inactiveAgeDays)s+ days": "Inactif depuis plus de %(inactiveAgeDays)s jours", - "Session details": "Détails de session", - "IP address": "Adresse IP", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Pour une meilleure sécurité, vérifiez vos sessions et déconnectez toutes les sessions que vous ne connaissez pas ou que vous n’utilisez plus.", - "Other sessions": "Autres sessions", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "Il n'est pas recommandé d’ajouter le chiffrement aux salons publics. Tout le monde peut trouver et rejoindre les salons publics, donc tout le monde peut lire les messages qui s’y trouvent. Vous n’aurez aucun des avantages du chiffrement, et vous ne pourrez pas le désactiver plus tard. Chiffrer les messages dans un salon public ralentira la réception et l’envoi de messages.", "Empty room (was %(oldName)s)": "Salon vide (précédemment %(oldName)s)", "Inviting %(user)s and %(count)s others": { "one": "Envoi de l’invitation à %(user)s et 1 autre", @@ -2133,34 +1988,17 @@ "%(user1)s and %(user2)s": "%(user1)s et %(user2)s", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s ou %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s ou %(recoveryFile)s", - "Proxy URL": "URL du serveur mandataire (proxy)", - "Proxy URL (optional)": "URL du serveur mandataire (proxy – facultatif)", - "To disable you will need to log out and back in, use with caution!": "Pour la désactiver, vous devrez vous déconnecter et vous reconnecter, faites attention !", - "Sliding Sync configuration": "Configuration de la synchronisation progressive", - "Your server lacks native support, you must specify a proxy": "Votre serveur manque d’un support natif, vous devez spécifier un serveur mandataire (proxy)", - "Your server lacks native support": "Votre serveur manque d’un support natif", - "Your server has native support": "Votre serveur a un support natif", "You need to be able to kick users to do that.": "Vous devez avoir l’autorisation d’expulser des utilisateurs pour faire ceci.", - "Sign out of this session": "Se déconnecter de cette session", "Voice broadcast": "Diffusion audio", - "Rename session": "Renommer la session", "You do not have permission to start voice calls": "Vous n’avez pas la permission de démarrer un appel audio", "There's no one here to call": "Il n’y a personne à appeler ici", "You do not have permission to start video calls": "Vous n’avez pas la permission de démarrer un appel vidéo", "Ongoing call": "Appel en cours", "Video call (Jitsi)": "Appel vidéo (Jitsi)", "Failed to set pusher state": "Échec lors de la définition de l’état push", - "Receive push notifications on this session.": "Recevoir les notifications push sur cette session.", - "Push notifications": "Notifications push", - "Toggle push notifications on this session.": "Activer/désactiver les notifications push pour cette session.", "Live": "Direct", "Video call ended": "Appel vidéo terminé", "%(name)s started a video call": "%(name)s a démarré un appel vidéo", - "URL": "URL", - "Unknown session type": "Type de session inconnu", - "Web session": "session internet", - "Mobile session": "Session de téléphone portable", - "Desktop session": "Session de bureau", "Unknown room": "Salon inconnu", "Close call": "Terminer l’appel", "Spotlight": "Projecteur", @@ -2168,7 +2006,6 @@ "Room info": "Information du salon", "View chat timeline": "Afficher la chronologie du chat", "Video call (%(brand)s)": "Appel vidéo (%(brand)s)", - "Operating system": "Système d’exploitation", "Call type": "Type d’appel", "You do not have sufficient permissions to change this.": "Vous n’avez pas assez de permissions pour changer ceci.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s est chiffré de bout en bout, mais n’est actuellement utilisable qu’avec un petit nombre d’utilisateurs.", @@ -2192,24 +2029,11 @@ "The scanned code is invalid.": "Le code scanné est invalide.", "The linking wasn't completed in the required time.": "L’appairage n’a pas été effectué dans le temps imparti.", "Sign in new device": "Connecter le nouvel appareil", - "Show QR code": "Afficher le QR code", - "You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.": "Vous pouvez utiliser cet appareil pour vous connecter sur un autre appareil avec un QR code. Vous devrez scanner le QR code affiché sur cet appareil avec votre autre appareil qui n’est pas connecté.", - "Sign in with QR code": "Se connecter avec un QR code", - "Browser": "Navigateur", "Are you sure you want to sign out of %(count)s sessions?": { "one": "Voulez-vous vraiment déconnecter %(count)s session ?", "other": "Voulez-vous vraiment déconnecter %(count)s de vos sessions ?" }, "Show formatting": "Afficher le formatage", - "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Pensez à déconnecter les anciennes sessions (%(inactiveAgeDays)s jours ou plus) que vous n’utilisez plus.", - "Removing inactive sessions improves security and performance, and makes it easier for you to identify if a new session is suspicious.": "Supprimer les sessions inactives améliore la sécurité et les performances, et vous permets plus facilement d’identifier une nouvelle session suspicieuse.", - "Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.": "Les sessions inactives sont des sessions que vous n’avez pas utilisées depuis un certain temps, mais elles reçoivent toujours les clés de chiffrement.", - "You should make especially certain that you recognise these sessions as they could represent an unauthorised use of your account.": "Vous devriez vous tout particulièrement vous assurer que vous connaissez ces sessions, car elles peuvent représenter un usage frauduleux de votre compte.", - "Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.": "Les sessions non vérifiées se sont identifiées avec vos identifiants mais n’ont pas fait de vérification croisée.", - "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "Cela leur donne un gage de confiance qu’il parle vraiment avec vous, mais cela veut également dire qu’ils pourront voir le nom de la session que vous choisirez ici.", - "Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "Dans vos conversations privées et vos salons, les autres utilisateurs pourront voir la liste complète de vos sessions.", - "Renaming sessions": "Renommer les sessions", - "Please be aware that session names are also visible to people you communicate with.": "Soyez conscient que les noms de sessions sont également visibles pour les personnes avec lesquelles vous communiquez.", "Hide formatting": "Masquer le formatage", "Error downloading image": "Erreur lors du téléchargement de l’image", "Unable to show image due to error": "Impossible d’afficher l’image à cause d’une erreur", @@ -2218,10 +2042,6 @@ "Video settings": "Paramètres vidéo", "Voice settings": "Paramètres audio", "Automatically adjust the microphone volume": "Ajuster le volume du microphone automatiquement", - "This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Cela veut dire qu’elles disposent de toutes les clés nécessaires pour lire les messages chiffrés, et confirment aux autres utilisateur que vous faites confiance à cette session.", - "Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Les sessions vérifiées sont toutes celles qui utilisent ce compte après avoir saisie la phrase de sécurité ou confirmé votre identité à l’aide d’une autre session vérifiée.", - "Show details": "Afficher les détails", - "Hide details": "Masquer les détails", "Send email": "Envoyer l’e-mail", "Sign out of all devices": "Déconnecter tous les appareils", "Confirm new password": "Confirmer le nouveau mot de passe", @@ -2237,38 +2057,22 @@ "Upcoming features": "Fonctionnalités à venir", "Change layout": "Changer la disposition", "You have unverified sessions": "Vous avez des sessions non vérifiées", - "This session doesn't support encryption and thus can't be verified.": "Cette session ne prend pas en charge le chiffrement, elle ne peut donc pas être vérifiée.", - "For best security and privacy, it is recommended to use Matrix clients that support encryption.": "Pour de meilleures sécurité et confidentialité, il est recommandé d’utiliser des clients Matrix qui prennent en charge le chiffrement.", - "You won't be able to participate in rooms where encryption is enabled when using this session.": "Vous ne pourrez pas participer aux salons qui ont activé le chiffrement en utilisant cette session.", "Search users in this room…": "Chercher des utilisateurs dans ce salon…", "Give one or multiple users in this room more privileges": "Donne plus de privilèges à un ou plusieurs utilisateurs de ce salon", "Add privileged users": "Ajouter des utilisateurs privilégiés", "Unable to decrypt message": "Impossible de déchiffrer le message", "This message could not be decrypted": "Ce message n’a pas pu être déchiffré", - "Improve your account security by following these recommendations.": "Améliorez la sécurité de votre compte à l’aide de ces recommandations.", - "%(count)s sessions selected": { - "one": "%(count)s session sélectionnée", - "other": "%(count)s sessions sélectionnées" - }, "You can’t start a call as you are currently recording a live broadcast. Please end your live broadcast in order to start a call.": "Vous ne pouvez pas démarrer un appel car vous êtes en train d’enregistrer une diffusion en direct. Veuillez terminer cette diffusion pour démarrer un appel.", "Can’t start a call": "Impossible de démarrer un appel", "Failed to read events": "Échec de la lecture des évènements", "Failed to send event": "Échec de l’envoi de l’évènement", " in %(room)s": " dans %(room)s", - "Verify your current session for enhanced secure messaging.": "Vérifiez cette session pour renforcer la sécurité de votre messagerie.", - "Your current session is ready for secure messaging.": "Votre session actuelle est prête pour une messagerie sécurisée.", "Mark as read": "Marquer comme lu", "Text": "Texte", "Create a link": "Crée un lien", - "Sign out of %(count)s sessions": { - "one": "Déconnecter %(count)s session", - "other": "Déconnecter %(count)s sessions" - }, - "Sign out of all other sessions (%(otherSessionsCount)s)": "Déconnecter toutes les autres sessions (%(otherSessionsCount)s)", "You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Vous ne pouvez pas commencer un message vocal car vous êtes en train d’enregistrer une diffusion en direct. Veuillez terminer cette diffusion pour commencer un message vocal.", "Can't start voice message": "Impossible de commencer un message vocal", "Edit link": "Éditer le lien", - "Decrypted source unavailable": "Source déchiffrée non disponible", "%(senderName)s started a voice broadcast": "%(senderName)s a démarré une diffusion audio", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", "Registration token": "Jeton d’enregistrement", @@ -2345,7 +2149,6 @@ "Verify Session": "Vérifier la session", "Ignore (%(counter)s)": "Ignorer (%(counter)s)", "Invites by email can only be sent one at a time": "Les invitations par e-mail ne peuvent être envoyées qu’une par une", - "Once everyone has joined, you’ll be able to chat": "Quand tout le monde sera présent, vous pourrez discuter", "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Nous avons rencontré une erreur lors de la mise-à-jour de vos préférences de notification. Veuillez essayer de réactiver l’option.", "Desktop app logo": "Logo de l’application de bureau", "Requires your server to support the stable version of MSC3827": "Requiert la prise en charge par le serveur de la version stable du MSC3827", @@ -2395,7 +2198,6 @@ "Ask to join": "Demander à venir", "People cannot join unless access is granted.": "Les personnes ne peuvent pas venir tant que l’accès ne leur est pas autorisé.", "Receive an email summary of missed notifications": "Recevoir un résumé par courriel des notifications manquées", - "Your server requires encryption to be disabled.": "Votre serveur impose la désactivation du chiffrement.", "Email summary": "Résumé en courriel", "Email Notifications": "Notifications par courriel", "New room activity, upgrades and status messages occur": "Nouvelle activité du salon, mises-à-jour et messages de statut", @@ -2540,7 +2342,9 @@ "orphan_rooms": "Autres salons", "on": "Activé", "off": "Désactivé", - "all_rooms": "Tous les salons" + "all_rooms": "Tous les salons", + "deselect_all": "Tout désélectionner", + "select_all": "Tout sélectionner" }, "action": { "continue": "Continuer", @@ -2723,7 +2527,15 @@ "rust_crypto_disabled_notice": "Ne peut pour l’instant être activé que dans config.json", "automatic_debug_logs_key_backup": "Envoyer automatiquement les journaux de débogage lorsque la sauvegarde des clés ne fonctionne pas", "automatic_debug_logs_decryption": "Envoyer automatiquement les journaux de débogage en cas d’erreurs de déchiffrement", - "automatic_debug_logs": "Envoyer automatiquement les journaux de débogage en cas d’erreur" + "automatic_debug_logs": "Envoyer automatiquement les journaux de débogage en cas d’erreur", + "sliding_sync_server_support": "Votre serveur a un support natif", + "sliding_sync_server_no_support": "Votre serveur manque d’un support natif", + "sliding_sync_server_specify_proxy": "Votre serveur manque d’un support natif, vous devez spécifier un serveur mandataire (proxy)", + "sliding_sync_configuration": "Configuration de la synchronisation progressive", + "sliding_sync_disable_warning": "Pour la désactiver, vous devrez vous déconnecter et vous reconnecter, faites attention !", + "sliding_sync_proxy_url_optional_label": "URL du serveur mandataire (proxy – facultatif)", + "sliding_sync_proxy_url_label": "URL du serveur mandataire (proxy)", + "video_rooms_beta": "Les salons vidéo sont une fonctionnalité bêta" }, "keyboard": { "home": "Accueil", @@ -2818,7 +2630,19 @@ "placeholder_reply_encrypted": "Envoyer une réponse chiffrée…", "placeholder_reply": "Envoyer une réponse…", "placeholder_encrypted": "Envoyer un message chiffré…", - "placeholder": "Envoyer un message…" + "placeholder": "Envoyer un message…", + "autocomplete": { + "command_description": "Commandes", + "command_a11y": "Autocomplétion de commande", + "emoji_a11y": "Autocomplétion d’émoji", + "@room_description": "Notifier tout le salon", + "notification_description": "Notification du salon", + "notification_a11y": "Autocomplétion de notification", + "room_a11y": "Autocomplétion de salon", + "space_a11y": "Autocomplétion d’espace", + "user_description": "Utilisateurs", + "user_a11y": "Autocomplétion d’utilisateur" + } }, "Bold": "Gras", "Link": "Lien", @@ -3073,6 +2897,95 @@ }, "keyboard": { "title": "Clavier" + }, + "sessions": { + "rename_form_heading": "Renommer la session", + "rename_form_caption": "Soyez conscient que les noms de sessions sont également visibles pour les personnes avec lesquelles vous communiquez.", + "rename_form_learn_more": "Renommer les sessions", + "rename_form_learn_more_description_1": "Dans vos conversations privées et vos salons, les autres utilisateurs pourront voir la liste complète de vos sessions.", + "rename_form_learn_more_description_2": "Cela leur donne un gage de confiance qu’il parle vraiment avec vous, mais cela veut également dire qu’ils pourront voir le nom de la session que vous choisirez ici.", + "session_id": "Identifiant de session", + "last_activity": "Dernière activité", + "url": "URL", + "os": "Système d’exploitation", + "browser": "Navigateur", + "ip": "Adresse IP", + "details_heading": "Détails de session", + "push_toggle": "Activer/désactiver les notifications push pour cette session.", + "push_heading": "Notifications push", + "push_subheading": "Recevoir les notifications push sur cette session.", + "sign_out": "Se déconnecter de cette session", + "hide_details": "Masquer les détails", + "show_details": "Afficher les détails", + "inactive_days": "Inactif depuis plus de %(inactiveAgeDays)s jours", + "verified_sessions": "Sessions vérifiées", + "verified_sessions_explainer_1": "Les sessions vérifiées sont toutes celles qui utilisent ce compte après avoir saisie la phrase de sécurité ou confirmé votre identité à l’aide d’une autre session vérifiée.", + "verified_sessions_explainer_2": "Cela veut dire qu’elles disposent de toutes les clés nécessaires pour lire les messages chiffrés, et confirment aux autres utilisateur que vous faites confiance à cette session.", + "unverified_sessions": "Sessions non vérifiées", + "unverified_sessions_explainer_1": "Les sessions non vérifiées se sont identifiées avec vos identifiants mais n’ont pas fait de vérification croisée.", + "unverified_sessions_explainer_2": "Vous devriez vous tout particulièrement vous assurer que vous connaissez ces sessions, car elles peuvent représenter un usage frauduleux de votre compte.", + "unverified_session": "Session non vérifiée", + "unverified_session_explainer_1": "Cette session ne prend pas en charge le chiffrement, elle ne peut donc pas être vérifiée.", + "unverified_session_explainer_2": "Vous ne pourrez pas participer aux salons qui ont activé le chiffrement en utilisant cette session.", + "unverified_session_explainer_3": "Pour de meilleures sécurité et confidentialité, il est recommandé d’utiliser des clients Matrix qui prennent en charge le chiffrement.", + "inactive_sessions": "Sessions inactives", + "inactive_sessions_explainer_1": "Les sessions inactives sont des sessions que vous n’avez pas utilisées depuis un certain temps, mais elles reçoivent toujours les clés de chiffrement.", + "inactive_sessions_explainer_2": "Supprimer les sessions inactives améliore la sécurité et les performances, et vous permets plus facilement d’identifier une nouvelle session suspicieuse.", + "desktop_session": "Session de bureau", + "mobile_session": "Session de téléphone portable", + "web_session": "session internet", + "unknown_session": "Type de session inconnu", + "device_verified_description_current": "Votre session actuelle est prête pour une messagerie sécurisée.", + "device_verified_description": "Cette session est prête pour l’envoi de messages sécurisés.", + "verified_session": "Session vérifiée", + "device_unverified_description_current": "Vérifiez cette session pour renforcer la sécurité de votre messagerie.", + "device_unverified_description": "Vérifiez ou déconnectez cette session pour une meilleure sécurité et fiabilité.", + "verify_session": "Vérifier la session", + "verified_sessions_list_description": "Pour une meilleure sécurité, déconnectez toutes les sessions que vous ne connaissez pas ou que vous n’utilisez plus.", + "unverified_sessions_list_description": "Vérifiez vos sessions pour améliorer la sécurité de votre messagerie, ou déconnectez celles que vous ne connaissez pas ou n’utilisez plus.", + "inactive_sessions_list_description": "Pensez à déconnecter les anciennes sessions (%(inactiveAgeDays)s jours ou plus) que vous n’utilisez plus.", + "no_verified_sessions": "Aucune session vérifiée n’a été trouvée.", + "no_unverified_sessions": "Aucune session non vérifiée n’a été trouvée.", + "no_inactive_sessions": "Aucune session inactive n’a été trouvée.", + "no_sessions": "Aucune session n’a été trouvée.", + "filter_all": "Tout", + "filter_verified_description": "Messagerie sécurisée", + "filter_unverified_description": "Messagerie non sécurisée", + "filter_inactive": "Inactive", + "filter_inactive_description": "Inactive depuis au moins %(inactiveAgeDays)s jours", + "filter_label": "Filtrer les appareils", + "n_sessions_selected": { + "one": "%(count)s session sélectionnée", + "other": "%(count)s sessions sélectionnées" + }, + "sign_in_with_qr": "Se connecter avec un QR code", + "sign_in_with_qr_description": "Vous pouvez utiliser cet appareil pour vous connecter sur un autre appareil avec un QR code. Vous devrez scanner le QR code affiché sur cet appareil avec votre autre appareil qui n’est pas connecté.", + "sign_in_with_qr_button": "Afficher le QR code", + "sign_out_n_sessions": { + "one": "Déconnecter %(count)s session", + "other": "Déconnecter %(count)s sessions" + }, + "other_sessions_heading": "Autres sessions", + "sign_out_all_other_sessions": "Déconnecter toutes les autres sessions (%(otherSessionsCount)s)", + "current_session": "Cette session", + "confirm_sign_out_sso": { + "one": "Confirmez la déconnexion de cet appareil en utilisant l’authentification unique pour prouver votre identité.", + "other": "Confirmez la déconnexion de ces appareils en utilisant l’authentification unique pour prouver votre identité." + }, + "confirm_sign_out": { + "one": "Confirmer la déconnexion de cet appareil", + "other": "Confirmer la déconnexion de ces appareils" + }, + "confirm_sign_out_body": { + "one": "Cliquer sur le bouton ci-dessous pour confirmer la déconnexion de cet appareil.", + "other": "Cliquer sur le bouton ci-dessous pour confirmer la déconnexion de ces appareils." + }, + "confirm_sign_out_continue": { + "one": "Déconnecter l’appareil", + "other": "Déconnecter les appareils" + }, + "security_recommendations": "Recommandations de sécurité", + "security_recommendations_description": "Améliorez la sécurité de votre compte à l’aide de ces recommandations." } }, "devtools": { @@ -3172,7 +3085,9 @@ "show_hidden_events": "Afficher les évènements cachés dans le fil de discussion", "low_bandwidth_mode_description": "Nécessite un serveur d’accueil compatible.", "low_bandwidth_mode": "Mode faible bande passante", - "developer_mode": "Mode développeur" + "developer_mode": "Mode développeur", + "view_source_decrypted_event_source": "Évènement source déchiffré", + "view_source_decrypted_event_source_unavailable": "Source déchiffrée non disponible" }, "export_chat": { "html": "HTML", @@ -3568,7 +3483,9 @@ "io.element.voice_broadcast_info": { "you": "Vous avez terminé une diffusion audio", "user": "%(senderName)s a terminé une diffusion audio" - } + }, + "creation_summary_dm": "%(creator)s a créé cette conversation privée.", + "creation_summary_room": "%(creator)s a créé et configuré le salon." }, "slash_command": { "spoiler": "Envoie le message flouté", @@ -3763,13 +3680,53 @@ "kick": "Expulser des utilisateurs", "ban": "Bannir des utilisateurs", "redact": "Supprimer les messages envoyés par d’autres", - "notifications.room": "Avertir tout le monde" + "notifications.room": "Avertir tout le monde", + "no_privileged_users": "Aucun utilisateur n’a de privilège spécifique dans ce salon", + "privileged_users_section": "Utilisateurs privilégiés", + "muted_users_section": "Utilisateurs ignorés", + "banned_users_section": "Utilisateurs bannis", + "send_event_type": "Envoyer %(eventType)s évènements", + "title": "Rôles et permissions", + "permissions_section": "Permissions", + "permissions_section_description_space": "Sélectionner les rôles nécessaires pour modifier les différentes parties de l’espace", + "permissions_section_description_room": "Sélectionner les rôles nécessaires pour modifier les différentes parties du salon" }, "security": { "strict_encryption": "Ne jamais envoyer des messages chiffrés aux sessions non vérifiées dans ce salon depuis cette session", "join_rule_invite": "Privé (sur invitation)", "join_rule_invite_description": "Seules les personnes invitées peuvent venir.", - "join_rule_public_description": "Tout le monde peut trouver et venir." + "join_rule_public_description": "Tout le monde peut trouver et venir.", + "enable_encryption_public_room_confirm_title": "Êtes-vous sûr de vouloir ajouter le chiffrement dans ce salon public ?", + "enable_encryption_public_room_confirm_description_1": "Il n'est pas recommandé d’ajouter le chiffrement aux salons publics. Tout le monde peut trouver et rejoindre les salons publics, donc tout le monde peut lire les messages qui s’y trouvent. Vous n’aurez aucun des avantages du chiffrement, et vous ne pourrez pas le désactiver plus tard. Chiffrer les messages dans un salon public ralentira la réception et l’envoi de messages.", + "enable_encryption_public_room_confirm_description_2": "Pour éviter ces problèmes, créez un nouveau salon chiffré pour la conversation que vous souhaitez avoir.", + "enable_encryption_confirm_title": "Activer le chiffrement ?", + "enable_encryption_confirm_description": "Le chiffrement du salon ne peut pas être désactivé après son activation. Les messages d’un salon chiffré ne peuvent pas être vus par le serveur, seulement par les membres du salon. Activer le chiffrement peut empêcher certains robots et certaines passerelles de fonctionner correctement. En savoir plus sur le chiffrement.", + "public_without_alias_warning": "Pour créer un lien vers ce salon, ajoutez une adresse.", + "join_rule_description": "Choisir qui peut rejoindre %(roomName)s.", + "encrypted_room_public_confirm_title": "Êtes-vous sûr de vouloir rendre public ce salon chiffré ?", + "encrypted_room_public_confirm_description_1": "Il n’est pas recommandé de rendre public les salons chiffrés. Cela veut dire que quiconque pourra trouver et rejoindre le salon, donc tout le monde pourra lire les messages. Vous n’aurez plus aucun avantage lié au chiffrement. Chiffrer les messages dans un salon public ralentira la réception et l’envoi de messages.", + "encrypted_room_public_confirm_description_2": "Pour éviter ces problèmes, créez un nouveau salon public pour la conversation que vous souhaitez avoir.", + "history_visibility": {}, + "history_visibility_warning": "Les modifications concernant l'accès à l’historique ne s'appliqueront qu’aux futurs messages de ce salon. La visibilité de l’historique existant ne sera pas modifiée.", + "history_visibility_legend": "Qui peut lire l’historique ?", + "guest_access_warning": "Les personnes utilisant un client pris en charge pourront rejoindre le salon sans compte.", + "title": "Sécurité et vie privée", + "encryption_permanent": "Le chiffrement ne peut pas être désactivé une fois qu’il a été activé.", + "encryption_forced": "Votre serveur impose la désactivation du chiffrement.", + "history_visibility_shared": "Seulement les membres (depuis la sélection de cette option)", + "history_visibility_invited": "Seulement les membres (depuis leur invitation)", + "history_visibility_joined": "Seulement les membres (depuis leur arrivée)", + "history_visibility_world_readable": "N’importe qui" + }, + "general": { + "publish_toggle": "Publier ce salon dans le répertoire de salons public de %(domain)s ?", + "user_url_previews_default_on": "Vous avez activé les aperçus d’URL par défaut.", + "user_url_previews_default_off": "Vous avez désactivé les aperçus d’URL par défaut.", + "default_url_previews_on": "Les aperçus d'URL sont activés par défaut pour les participants de ce salon.", + "default_url_previews_off": "Les aperçus d'URL sont désactivés par défaut pour les participants de ce salon.", + "url_preview_encryption_warning": "Dans les salons chiffrés, comme celui-ci, l’aperçu des liens est désactivé par défaut pour s’assurer que le serveur d’accueil (où sont générés les aperçus) ne puisse pas collecter d’informations sur les liens qui apparaissent dans ce salon.", + "url_preview_explainer": "Quand quelqu’un met un lien dans son message, un aperçu du lien peut être affiché afin de fournir plus d’informations sur ce lien comme le titre, la description et une image du site.", + "url_previews_section": "Aperçus des liens" } }, "encryption": { @@ -3893,7 +3850,15 @@ "server_picker_explainer": "Utilisez votre serveur d’accueil Matrix préféré si vous en avez un, ou hébergez le vôtre.", "server_picker_learn_more": "À propos des serveurs d’accueil", "incorrect_credentials": "Nom d’utilisateur et/ou mot de passe incorrect.", - "account_deactivated": "Ce compte a été désactivé." + "account_deactivated": "Ce compte a été désactivé.", + "registration_username_validation": "Utiliser uniquement des lettres minuscules, chiffres, traits d’union et tirets bas", + "registration_username_unable_check": "Impossible de vérifier si le nom d’utilisateur est déjà utilisé. Veuillez réessayer plus tard.", + "registration_username_in_use": "Quelqu’un d’autre a déjà ce nom d’utilisateur. Essayez-en un autre ou bien, si c’est vous, connecter vous ci-dessous.", + "phone_label": "Numéro de téléphone", + "phone_optional_label": "Téléphone (facultatif)", + "email_help_text": "Ajouter une adresse e-mail pour pouvoir réinitialiser votre mot de passe.", + "email_phone_discovery_text": "Utiliser une adresse e-mail ou un numéro de téléphone pour pouvoir être découvert par des contacts existants.", + "email_discovery_text": "Utiliser une adresse e-mail pour pouvoir être découvert par des contacts existants." }, "room_list": { "sort_unread_first": "Afficher les salons non lus en premier", @@ -4105,7 +4070,21 @@ "light_high_contrast": "Contraste élevé clair" }, "space": { - "landing_welcome": "Bienvenue dans " + "landing_welcome": "Bienvenue dans ", + "suggested_tooltip": "Ce salon recommandé peut être intéressant à rejoindre", + "suggested": "Recommandé", + "select_room_below": "Sélectionnez un salon ci-dessous d’abord", + "unmark_suggested": "Marquer comme non recommandé", + "mark_suggested": "Marquer comme recommandé", + "failed_remove_rooms": "Échec de la suppression de certains salons. Veuillez réessayez plus tard", + "failed_load_rooms": "Impossible de charger la liste des salons.", + "incompatible_server_hierarchy": "Votre serveur ne prend pas en charge l’affichage des hiérarchies d’espaces.", + "context_menu": { + "devtools_open_timeline": "Voir l’historique du salon (outils développeurs)", + "home": "Accueil de l’espace", + "explore": "Parcourir les salons", + "manage_and_explore": "Gérer et découvrir les salons" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "Ce serveur d’accueil n’est pas configuré pour afficher des cartes.", @@ -4162,5 +4141,52 @@ "setup_rooms_description": "Vous pourrez en ajouter plus tard, y compris certains déjà existant.", "setup_rooms_private_heading": "Sur quels projets travaille votre équipe ?", "setup_rooms_private_description": "Nous allons créer un salon pour chacun d’entre eux." + }, + "user_menu": { + "switch_theme_light": "Passer au mode clair", + "switch_theme_dark": "Passer au mode sombre" + }, + "notif_panel": { + "empty_heading": "Vous êtes à jour", + "empty_description": "Vous n’avez aucune notification visible." + }, + "console_scam_warning": "Si quelqu'un vous a dit de copier/coller quelque chose ici, il y a de fortes chances que vous soyez victime d'une escroquerie !", + "console_dev_note": "Si vous savez ce que vous faites, Element est un logiciel libre, n'hésitez pas à consulter notre GitHub (https://github.com/vector-im/element-web/) et à contribuer !", + "room": { + "drop_file_prompt": "Glisser le fichier ici pour l’envoyer", + "intro": { + "send_message_start_dm": "Envoyez votre premier message pour inviter à discuter", + "encrypted_3pid_dm_pending_join": "Quand tout le monde sera présent, vous pourrez discuter", + "start_of_dm_history": "C’est le début de l’historique de votre conversation privée avec .", + "dm_caption": "Vous n’êtes que tous les deux dans cette conversation, à moins que l’un de vous invite quelqu’un à vous rejoindre.", + "topic_edit": "Sujet : %(topic)s (modifier)", + "topic": "Sujet : %(topic)s ", + "no_topic": "Ajoutez un sujet pour aider les gens à savoir de quoi il est question.", + "you_created": "Vous avez créé ce salon.", + "user_created": "%(displayName)s a créé ce salon.", + "room_invite": "Inviter seulement dans ce salon", + "no_avatar_label": "Ajoutez une photo afin que les gens repèrent facilement votre salon.", + "start_of_room": "C’est le début de .", + "private_unencrypted_warning": "Vos messages privés sont normalement chiffrés, mais ce salon ne l’est pas. Cela est généralement dû à un périphérique non supporté, ou à un moyen de communication non supporté comme les invitations par e-mail.", + "enable_encryption_prompt": "Activer le chiffrement dans les paramètres.", + "unencrypted_warning": "Le chiffrement de bout en bout n’est pas activé" + } + }, + "file_panel": { + "guest_note": "Vous devez vous inscrire pour utiliser cette fonctionnalité", + "peek_note": "Vous devez rejoindre le salon pour voir ses fichiers", + "empty_heading": "Aucun fichier visible dans ce salon", + "empty_description": "Envoyez des fichiers depuis la discussion ou glissez et déposez-les n’importe où dans le salon." + }, + "terms": { + "integration_manager": "Utiliser des robots, des passerelles, des widgets ou des jeux d’autocollants", + "tos": "Conditions de service", + "intro": "Pour continuer vous devez accepter les conditions de ce service.", + "column_service": "Service", + "column_summary": "Résumé", + "column_document": "Document" + }, + "space_settings": { + "title": "Paramètres - %(spaceName)s" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/ga.json b/src/i18n/strings/ga.json index 0a6cdb61ec..31bcaeacb2 100644 --- a/src/i18n/strings/ga.json +++ b/src/i18n/strings/ga.json @@ -1,10 +1,7 @@ { "Sign in with": "Sínigh isteach le", "Show more": "Taispeáin níos mó", - "Switch to dark mode": "Athraigh go mód dorcha", - "Switch to light mode": "Athraigh go mód geal", "All settings": "Gach Socrú", - "Security & Privacy": "Slándáil ⁊ Príobháideachas", "Are you sure you want to reject the invitation?": "An bhfuil tú cinnte gur mian leat an cuireadh a dhiúltú?", "Are you sure you want to leave the room '%(roomName)s'?": "An bhfuil tú cinnte gur mian leat an seomra '%(roomName)s' a fhágáil?", "Are you sure?": "An bhfuil tú cinnte?", @@ -235,18 +232,13 @@ "Lock": "Glasáil", "Unencrypted": "Gan chriptiú", "None": "Níl aon cheann", - "Document": "Cáipéis", "Italics": "Iodálach", "Discovery": "Aimsiú", "Success!": "Rath!", - "Users": "Úsáideoirí", - "Commands": "Ordú", "Phone": "Guthán", "Email": "Ríomhphost", "Home": "Tús", "Favourite": "Cuir mar ceanán", - "Summary": "Achoimre", - "Service": "Seirbhís", "Removing…": "ag Baint…", "Changelog": "Loga na n-athruithe", "Unavailable": "Níl sé ar fáil", @@ -285,8 +277,6 @@ "Invited": "Le cuireadh", "Demote": "Bain ceadanna", "Encryption": "Criptiúchán", - "Anyone": "Aon duine", - "Permissions": "Ceadanna", "Unban": "Bain an cosc", "Browse": "Brabhsáil", "Sounds": "Fuaimeanna", @@ -422,7 +412,6 @@ "Connecting": "Ag Ceangal", "Sending": "Ag Seoladh", "Avatar": "Abhatár", - "Suggested": "Moltaí", "The file '%(fileName)s' failed to upload.": "Níor éirigh leis an gcomhad '%(fileName)s' a uaslódáil.", "You do not have permission to start a conference call in this room": "Níl cead agat glao comhdhála a thosú sa seomra seo", "You cannot place a call with yourself.": "Ní féidir leat glaoch ort féin.", @@ -433,13 +422,8 @@ "Unnamed room": "Seomra gan ainm", "Admin Tools": "Uirlisí Riaracháin", "Demote yourself?": "Tabhair ísliú céime duit féin?", - "Enable encryption?": "Cumasaigh criptiú?", - "Banned users": "Úsáideoirí toirmiscthe", - "Muted Users": "Úsáideoirí Fuaim", - "Privileged Users": "Úsáideoirí Pribhléideacha", "Notification sound": "Fuaim fógra", "Uploaded sound": "Fuaim uaslódáilte", - "URL Previews": "Réamhamhairc URL", "Room Addresses": "Seoltaí Seomra", "Room version:": "Leagan seomra:", "Room version": "Leagan seomra", @@ -463,7 +447,6 @@ }, "No answer": "Gan freagair", "Unknown failure: %(reason)s": "Teip anaithnid: %(reason)s", - "Enable encryption in settings.": "Tosaigh criptiú sna socruithe.", "Cross-signing is ready but keys are not backed up.": "Tá tras-sínigh réidh ach ní dhéantar cóip chúltaca d'eochracha.", "Failed to reject invitation": "Níorbh fhéidir an cuireadh a dhiúltú", "Failed to reject invite": "Níorbh fhéidir an cuireadh a dhiúltú", @@ -644,7 +627,11 @@ "composer": { "format_bold": "Trom", "format_strikethrough": "Líne a chur trí", - "format_inline_code": "Cód" + "format_inline_code": "Cód", + "autocomplete": { + "command_description": "Ordú", + "user_description": "Úsáideoirí" + } }, "Bold": "Trom", "Code": "Cód", @@ -772,7 +759,19 @@ "invite": "Tabhair cuirí d'úsáideoirí", "state_default": "Athraigh socruithe", "ban": "Toirmisc úsáideoirí", - "notifications.room": "Tabhair fógraí do gach duine" + "notifications.room": "Tabhair fógraí do gach duine", + "privileged_users_section": "Úsáideoirí Pribhléideacha", + "muted_users_section": "Úsáideoirí Fuaim", + "banned_users_section": "Úsáideoirí toirmiscthe", + "permissions_section": "Ceadanna" + }, + "security": { + "enable_encryption_confirm_title": "Cumasaigh criptiú?", + "title": "Slándáil ⁊ Príobháideachas", + "history_visibility_world_readable": "Aon duine" + }, + "general": { + "url_previews_section": "Réamhamhairc URL" } }, "encryption": { @@ -799,7 +798,8 @@ "forgot_password_prompt": "An nDearna tú dearmad ar do fhocal faire?", "create_account_prompt": "Céaduaire? Cruthaigh cuntas", "sign_in_or_register": "Sínigh Isteach nó Déan cuntas a chruthú", - "register_action": "Déan cuntas a chruthú" + "register_action": "Déan cuntas a chruthú", + "phone_label": "Guthán" }, "export_chat": { "messages": "Teachtaireachtaí" @@ -831,5 +831,25 @@ }, "update": { "see_changes_button": "Cad é nua?" + }, + "user_menu": { + "switch_theme_light": "Athraigh go mód geal", + "switch_theme_dark": "Athraigh go mód dorcha" + }, + "space": { + "suggested": "Moltaí", + "context_menu": { + "explore": "Breathnaigh thart ar na seomraí" + } + }, + "terms": { + "column_service": "Seirbhís", + "column_summary": "Achoimre", + "column_document": "Cáipéis" + }, + "room": { + "intro": { + "enable_encryption_prompt": "Tosaigh criptiú sna socruithe." + } } -} \ No newline at end of file +} diff --git a/src/i18n/strings/gl.json b/src/i18n/strings/gl.json index cfa531b2f2..cb69f492ab 100644 --- a/src/i18n/strings/gl.json +++ b/src/i18n/strings/gl.json @@ -75,7 +75,6 @@ "Authentication": "Autenticación", "Failed to set display name": "Fallo ao establecer o nome público", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", - "Drop file here to upload": "Solte aquí o ficheiro para subilo", "Unban": "Non bloquear", "Failed to ban user": "Fallo ao bloquear usuaria", "Failed to mute user": "Fallo ó silenciar usuaria", @@ -116,26 +115,11 @@ "Banned by %(displayName)s": "Non aceptado por %(displayName)s", "unknown error code": "código de fallo descoñecido", "Failed to forget room %(errCode)s": "Fallo ao esquecer sala %(errCode)s", - "Privileged Users": "Usuarias con privilexios", - "No users have specific privileges in this room": "Non hai usuarias con privilexios específicos nesta sala", - "Banned users": "Usuarias excluídas", "This room is not accessible by remote Matrix servers": "Esta sala non é accesible por servidores Matrix remotos", "Favourite": "Favorita", - "Publish this room to the public in %(domain)s's room directory?": "Publicar esta sala no directorio público de salas de %(domain)s?", - "Who can read history?": "Quen pode ler o histórico?", - "Anyone": "Calquera", - "Members only (since the point in time of selecting this option)": "Só participantes (desde o momento en que se selecciona esta opción)", - "Members only (since they were invited)": "Só participantes (desde que foron convidadas)", - "Members only (since they joined)": "Só participantes (desde que se uniron)", - "Permissions": "Permisos", "Jump to first unread message.": "Ir a primeira mensaxe non lida.", "not specified": "non indicado", "This room has no local addresses": "Esta sala non ten enderezos locais", - "You have enabled URL previews by default.": "Activou a vista previa de URL por defecto.", - "You have disabled URL previews by default.": "Desactivou a vista previa de URL por defecto.", - "URL previews are enabled by default for participants in this room.": "As vistas previas de URL están activas por defecto para os participantes desta sala.", - "URL previews are disabled by default for participants in this room.": "As vistas previas de URL están desactivadas por defecto para as participantes desta sala.", - "URL Previews": "Vista previa de URL", "Error decrypting attachment": "Fallo descifrando o anexo", "Decrypt %(text)s": "Descifrar %(text)s", "Download %(text)s": "Baixar %(text)s", @@ -182,8 +166,6 @@ "Unable to add email address": "Non se puido engadir enderezo de correo", "Unable to verify email address.": "Non se puido verificar enderezo de correo electrónico.", "This will allow you to reset your password and receive notifications.": "Isto permitiralle restablecer o seu contrasinal e recibir notificacións.", - "You must register to use this functionality": "Debe rexistrarse para utilizar esta función", - "You must join the room to see its files": "Debes unirte a sala para ver os seus ficheiros", "Reject invitation": "Rexeitar convite", "Are you sure you want to reject the invitation?": "Seguro que desexa rexeitar o convite?", "Failed to reject invitation": "Fallo ao rexeitar o convite", @@ -230,10 +212,6 @@ "Please note you are logging into the %(hs)s server, not matrix.org.": "Ten en conta que estás accedendo ao servidor %(hs)s, non a matrix.org.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Non se pode conectar ao servidor vía HTTP cando na barra de enderezos do navegador está HTTPS. Utiliza HTTPS ou active scripts non seguros.", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Non se conectou ao servidor - por favor comprobe a conexión, asegúrese de que ocertificado SSL do servidor sexa de confianza, e que ningún engadido do navegador estea bloqueando as peticións.", - "Commands": "Comandos", - "Notify the whole room": "Notificar a toda a sala", - "Room Notification": "Notificación da sala", - "Users": "Usuarias", "Session ID": "ID de sesión", "Passphrases must match": "As frases de paso deben coincidir", "Passphrase must not be empty": "A frase de paso non pode quedar baldeira", @@ -284,7 +262,6 @@ "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Limpando o almacenamento do navegador podería resolver o problema, pero sairás da sesión e non poderás ler o historial cifrado da conversa.", "Share Link to User": "Compartir a ligazón coa usuaria", "Share room": "Compartir sala", - "Muted Users": "Usuarias silenciadas", "Share Room": "Compartir sala", "Link to most recent message": "Ligazón ás mensaxes máis recentes", "Share User": "Compartir usuaria", @@ -302,8 +279,6 @@ "This event could not be displayed": "Non se puido amosar este evento", "Demote yourself?": "Baixarse a ti mesma de rango?", "Demote": "Baixar de rango", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Nas salas cifradas, como é esta, está desactivado por defecto a previsualización das URL co fin de asegurarse de que o servidor local (que é onde se gardan as previsualizacións) non poida recoller información sobre das ligazóns que se ven nesta sala.", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Cando alguén pon unha URL na mensaxe, esta previsualízarase para que así se coñezan xa cousas delas como o título, a descrición ou as imaxes que inclúe ese sitio web.", "You can't send any messages until you review and agree to our terms and conditions.": "Non vas poder enviar mensaxes ata que revises e aceptes os nosos termos e condicións.", "Please contact your homeserver administrator.": "Por favor, contacte coa administración do seu servidor.", "This homeserver has hit its Monthly Active User limit.": "Este servidor acadou o límite mensual de usuarias activas.", @@ -355,14 +330,11 @@ "General": "Xeral", "Discovery": "Descubrir", "Deactivate account": "Desactivar conta", - "Security & Privacy": "Seguridade & Privacidade", - "Roles & Permissions": "Roles & Permisos", "Room %(name)s": "Sala %(name)s", "Direct Messages": "Mensaxes Directas", "Enter the name of a new server you want to explore.": "Escribe o nome do novo servidor que queres explorar.", "Command Help": "Comando Axuda", "To help us prevent this in future, please send us logs.": "Para axudarnos a evitar esto no futuro, envíanos o rexistro.", - "%(creator)s created and configured the room.": "%(creator)s creou e configurou a sala.", "Explore rooms": "Explorar salas", "General failure": "Fallo xeral", "Room Addresses": "Enderezos da sala", @@ -606,14 +578,7 @@ "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Algo fallou ao cambiar os requerimentos de nivel de responsabilidade na sala. Asegúrate de ter os permisos suficientes e volve a intentalo.", "Error changing power level": "Erro ao cambiar nivel de responsabilidade", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Algo fallou ao cambiar o nivel de responsabilidade da usuaria. Asegúrate de ter permiso suficiente e inténtao outra vez.", - "Send %(eventType)s events": "Enviar %(eventType)s eventos", - "Select the roles required to change various parts of the room": "Escolle os roles requeridos para cambiar determinadas partes da sala", - "Enable encryption?": "Activar cifrado?", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Unha vez activado, non se pode desactivar o cifrado da sala. As mensaxes enviadas nunha sala cifrada non poder ser vistas polo servidor, só polas participantes da sala. Ao activar o cifrado poderías causar que bots e pontes deixen de funcionar correctamente. Coñece máis sobre o cifrado.", - "To link to this room, please add an address.": "Para ligar a esta sala, engade un enderezo.", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Os cambios sobre quen pode ler o historial só se aplicarán as mensaxes futuras nesta sala. A visibilidade do historial precedente non cambiará.", "Encryption": "Cifrado", - "Once enabled, encryption cannot be disabled.": "Unha vez activado, non se pode desactivar.", "Unable to revoke sharing for email address": "Non se puido revogar a compartición para o enderezo de correo", "Unable to share email address": "Non se puido compartir co enderezo de email", "Your email address hasn't been verified yet": "O teu enderezo de email aínda non foi verificado", @@ -857,7 +822,6 @@ "Session name": "Nome da sesión", "Session key": "Chave da sesión", "If they don't match, the security of your communication may be compromised.": "Se non concordan, a seguridade da comunicación podería estar comprometida.", - "Verify session": "Verificar sesión", "Your homeserver doesn't seem to support this feature.": "O servidor non semella soportar esta característica.", "Message edits": "Edicións da mensaxe", "Failed to upgrade room": "Fallou a actualización da sala", @@ -879,12 +843,6 @@ "Your browser likely removed this data when running low on disk space.": "O navegador probablemente eliminou estos datos ao quedar con pouco espazo de disco.", "Find others by phone or email": "Atopa a outras por teléfono ou email", "Be found by phone or email": "Permite ser atopada polo email ou teléfono", - "Use bots, bridges, widgets and sticker packs": "Usa bots, pontes, widgets e paquetes de adhesivos", - "Terms of Service": "Termos do Servizo", - "To continue you need to accept the terms of this service.": "Para continuar tes que aceptar os termos deste servizo.", - "Service": "Servizo", - "Summary": "Resumo", - "Document": "Documento", "Upload files (%(current)s of %(total)s)": "Subir ficheiros (%(current)s de %(total)s)", "Upload files": "Subir ficheiros", "Upload all": "Subir todo", @@ -925,10 +883,8 @@ "Passwords don't match": "Non concordan os contrasinais", "Other users can invite you to rooms using your contact details": "Outras usuarias poden convidarte ás salas usando os teus detalles de contacto", "Enter phone number (required on this homeserver)": "Escribe un número de teléfono (requerido neste servidor)", - "Use lowercase letters, numbers, dashes and underscores only": "Usa só minúsculas, números, trazos e trazos baixos", "Enter username": "Escribe nome de usuaria", "Email (optional)": "Email (optativo)", - "Phone (optional)": "Teléfono (optativo)", "Couldn't load page": "Non se puido cargar a páxina", "Jump to first unread room.": "Vaite a primeira sala non lida.", "Jump to first invite.": "Vai ó primeiro convite.", @@ -936,8 +892,6 @@ "other": "Tes %(count)s notificacións non lidas nunha versión previa desta sala.", "one": "Tes %(count)s notificacións non lidas nunha versión previa desta sala." }, - "Switch to light mode": "Cambiar a decorado claro", - "Switch to dark mode": "Cambiar a decorado escuro", "Switch theme": "Cambiar decorado", "All settings": "Todos os axustes", "Could not load user profile": "Non se cargou o perfil da usuaria", @@ -951,11 +905,6 @@ "Create account": "Crea unha conta", "Failed to re-authenticate due to a homeserver problem": "Fallo ó reautenticar debido a un problema no servidor", "Clear personal data": "Baleirar datos personais", - "Command Autocomplete": "Autocompletado de comandos", - "Emoji Autocomplete": "Autocompletado emoticonas", - "Notification Autocomplete": "Autocompletado de notificacións", - "Room Autocomplete": "Autocompletado de Salas", - "User Autocomplete": "Autocompletados de Usuaria", "Confirm encryption setup": "Confirma os axustes de cifrado", "Click the button below to confirm setting up encryption.": "Preme no botón inferior para confirmar os axustes do cifrado.", "Enter your account password to confirm the upgrade:": "Escribe o contrasinal para confirmar a actualización:", @@ -1017,8 +966,6 @@ "A connection error occurred while trying to contact the server.": "Aconteceu un fallo de conexión ó intentar contactar co servidor.", "The server is not configured to indicate what the problem is (CORS).": "O servidor non está configurado para sinalar cal é o problema (CORS).", "Recent changes that have not yet been received": "Cambios recentes que aínda non foron recibidos", - "No files visible in this room": "Non hai ficheiros visibles na sala", - "Attach files from chat or just drag and drop them anywhere in a room.": "Anexa filecheiros desde a conversa ou arrastra e sóltaos onde queiras nunha sala.", "Master private key:": "Chave mestra principal:", "Explore public rooms": "Explorar salas públicas", "Preparing to download logs": "Preparándose para descargar rexistro", @@ -1145,16 +1092,6 @@ "Belize": "Belice", "Belgium": "Bélxica", "Belarus": "Belarús", - "%(creator)s created this DM.": "%(creator)s creou esta MD.", - "This is the start of .": "Este é o comezo de .", - "Add a photo, so people can easily spot your room.": "Engade unha foto para que se poida identificar a sala facilmente.", - "%(displayName)s created this room.": "%(displayName)s creou esta sala.", - "You created this room.": "Creaches esta sala.", - "Add a topic to help people know what it is about.": "Engade un tema para axudarlle á xente que coñeza de que trata.", - "Topic: %(topic)s ": "Asunto: %(topic)s ", - "Topic: %(topic)s (edit)": "Asunto: %(topic)s (editar)", - "This is the beginning of your direct message history with .": "Este é o comezo do teu historial de conversa con .", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Só vós estades nesta conversa, a non ser que convidedes a alguén máis.", "Zimbabwe": "Zimbabue", "Zambia": "Zambia", "Yemen": "Yemen", @@ -1346,9 +1283,6 @@ "Enter phone number": "Escribe número de teléfono", "Enter email address": "Escribe enderezo email", "There was a problem communicating with the homeserver, please try again later.": "Houbo un problema de comunicación co servidor de inicio, inténtao máis tarde.", - "Use email to optionally be discoverable by existing contacts.": "Usa o email para ser opcionalmente descubrible para os contactos existentes.", - "Use email or phone to optionally be discoverable by existing contacts.": "Usa un email ou teléfono para ser (opcionalmente) descubrible polos contactos existentes.", - "Add an email to be able to reset your password.": "Engade un email para poder restablecer o contrasinal.", "That phone number doesn't look quite right, please check and try again": "Non semella correcto este número, compróbao e inténtao outra vez", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Lembra que se non engades un email e esqueces o contrasinal perderás de xeito permanente o acceso á conta.", "Continuing without email": "Continuando sen email", @@ -1358,7 +1292,6 @@ "Resume": "Retomar", "You've reached the maximum number of simultaneous calls.": "Acadaches o número máximo de chamadas simultáneas.", "Too Many Calls": "Demasiadas chamadas", - "You have no visible notifications.": "Non tes notificacións visibles.", "Transfer": "Transferir", "Failed to transfer call": "Fallou a transferencia da chamada", "A call can only be transferred to a single user.": "Unha chamada só se pode transferir a unha única usuaria.", @@ -1399,12 +1332,10 @@ "We couldn't log you in": "Non puidemos conectarte", "Recently visited rooms": "Salas visitadas recentemente", "Original event source": "Fonte orixinal do evento", - "Decrypted event source": "Fonte descifrada do evento", "%(count)s members": { "one": "%(count)s participante", "other": "%(count)s participantes" }, - "Your server does not support showing space hierarchies.": "O teu servidor non soporta amosar xerarquías dos espazos.", "Are you sure you want to leave the space '%(spaceName)s'?": "Tes a certeza de querer deixar o espazo '%(spaceName)s'?", "This space is not public. You will not be able to rejoin without an invite.": "Este espazo non é público. Non poderás volver a unirte sen un convite.", "Start audio stream": "Iniciar fluxo de audio", @@ -1439,11 +1370,6 @@ " invites you": " convídate", "You may want to try a different search or check for typos.": "Podes intentar unha busca diferente ou comprobar o escrito.", "No results found": "Sen resultados", - "Mark as suggested": "Marcar como suxerida", - "Mark as not suggested": "Marcar como non suxerida", - "Failed to remove some rooms. Try again later": "Fallou a eliminación de algunhas salas. Inténtao máis tarde", - "Suggested": "Recomendada", - "This room is suggested as a good one to join": "Esta sala é recomendada como apropiada para unirse", "%(count)s rooms": { "one": "%(count)s sala", "other": "%(count)s salas" @@ -1455,7 +1381,6 @@ "Invite with email or username": "Convida con email ou nome de usuaria", "You can change these anytime.": "Poderás cambialo en calquera momento.", "Review to ensure your account is safe": "Revisa para asegurarte de que a túa conta está protexida", - "Invite to just this room": "Convida só a esta sala", "We couldn't create your DM.": "Non puidemos crear o teu MD.", "Invited people will be able to read old messages.": "As persoas convidadas poderán ler as mensaxes antigas.", "Reset event store?": "Restablecer almacenaxe do evento?", @@ -1464,7 +1389,6 @@ "Verify your identity to access encrypted messages and prove your identity to others.": "Verifica a túa identidade para acceder a mensaxes cifradas e acreditar a túa identidade ante outras.", "%(deviceId)s from %(ip)s": "%(deviceId)s desde %(ip)s", "unknown person": "persoa descoñecida", - "Manage & explore rooms": "Xestionar e explorar salas", "%(count)s people you know have already joined": { "other": "%(count)s persoas que coñeces xa se uniron", "one": "%(count)s persoa que coñeces xa se uniu" @@ -1493,7 +1417,6 @@ "Failed to send": "Fallou o envío", "Enter your Security Phrase a second time to confirm it.": "Escribe a túa Frase de Seguridade por segunda vez para confirmala.", "You have no ignored users.": "Non tes usuarias ignoradas.", - "Select a room below first": "Primeiro elixe embaixo unha sala", "Want to add a new room instead?": "Queres engadir unha nova sala?", "Adding rooms... (%(progress)s out of %(count)s)": { "one": "Engadindo sala...", @@ -1512,7 +1435,6 @@ "To leave the beta, visit your settings.": "Para saír da beta, vai aos axustes.", "Add reaction": "Engadir reacción", "Message search initialisation failed": "Fallou a inicialización da busca de mensaxes", - "Space Autocomplete": "Autocompletado do espazo", "Currently joining %(count)s rooms": { "one": "Neste intre estás en %(count)s sala", "other": "Neste intre estás en %(count)s salas" @@ -1529,7 +1451,6 @@ "Pinned messages": "Mensaxes fixadas", "If you have permissions, open the menu on any message and select Pin to stick them here.": "Se tes permisos, abre o menú en calquera mensaxe e elixe Fixar para pegalos aquí.", "Nothing pinned, yet": "Nada fixado, por agora", - "End-to-end encryption isn't enabled": "Non está activado o cifrado de extremo-a-extremo", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "O teu %(brand)s non permite que uses o Xestor de Integracións, contacta coa administración.", "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Ao utilizar este widget poderías compartir datos con %(widgetDomain)s e o teu Xestor de integracións.", "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Os xestores de integracións reciben datos de configuración, e poden modificar os widgets, enviar convites das salas, e establecer roles no teu nome.", @@ -1581,7 +1502,6 @@ "Collapse reply thread": "Contraer fío de resposta", "Show preview": "Ver vista previa", "View source": "Ver fonte", - "Settings - %(spaceName)s": "Axustes - %(spaceName)s", "The call is in an unknown state!": "Esta chamada ten un estado descoñecido!", "Call back": "Devolver a chamada", "No answer": "Sen resposta", @@ -1604,8 +1524,6 @@ "Application window": "Ventá da aplicación", "Share entire screen": "Compartir pantalla completa", "Access": "Acceder", - "People with supported clients will be able to join the room without having a registered account.": "As persoas con clientes habilitados poderán unirse a sala sen ter que posuir unha conta rexistrada.", - "Decide who can join %(roomName)s.": "Decidir quen pode unirse a %(roomName)s.", "Space members": "Membros do espazo", "Anyone in a space can find and join. You can select multiple spaces.": "Calquera nun espazo pode atopar e unirse. Podes elexir múltiples espazos.", "Spaces with access": "Espazos con acceso", @@ -1652,19 +1570,11 @@ "Unknown failure: %(reason)s": "Fallo descoñecido: %(reason)s", "Rooms and spaces": "Salas e espazos", "Results": "Resultados", - "Enable encryption in settings.": "Activar cifrado non axustes.", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "As túas mensaxes privadas normalmente están cifradas, pero esta sala non o está. Normalmente esto é debido a que estás a usar un dispositivo ou método non soportados, como convites por email.", - "To avoid these issues, create a new public room for the conversation you plan to have.": "Par evitar estos problemas, crea unha nova sala pública para a conversa que pretendes manter.", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "Non se recomenda converter salas cifradas en salas públicas. Significará que calquera pode atopar e unirse á sala, e calquera poderá ler as mensaxes. Non terás ningún dos beneficios do cifrado. Cifrar mensaxes nunha sala pública fará máis lenta a entrega e recepción das mensaxes.", - "Are you sure you want to make this encrypted room public?": "Tes a certeza de querer convertir en pública esta sala cifrada?", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "Para evitar estos problemas, crea unha nova sala cifrada para a conversa que pretendes manter.", - "Are you sure you want to add encryption to this public room?": "Tes a certeza de querer engadir cifrado a esta sala pública?", "Cross-signing is ready but keys are not backed up.": "A sinatura-cruzada está preparada pero non hai copia das chaves.", "Some encryption parameters have been changed.": "Algún dos parámetros de cifrado foron cambiados.", "Role in ": "Rol en ", "Unknown failure": "Fallo descoñecido", "Failed to update the join rules": "Fallou a actualización das normas para unirse", - "Select the roles required to change various parts of the space": "Elexir os roles requeridos para cambiar varias partes do espazo", "Anyone in can find and join. You can select other spaces too.": "Calquera en pode atopar e unirse. Tamén podes elexir outros espazos.", "Message didn't send. Click for info.": "Non se enviou a mensaxe. Click para info.", "To join a space you'll need an invite.": "Para unirte a un espazo precisas un convite.", @@ -1711,7 +1621,6 @@ "Upgrading room": "Actualizando sala", "View in room": "Ver na sala", "Enter your Security Phrase or to continue.": "Escribe a túa Frase de Seguridade ou para continuar.", - "See room timeline (devtools)": "Ver cronoloxía da sala (devtools)", "Insert link": "Escribir ligazón", "Joined": "Unícheste", "Joining": "Uníndote", @@ -1743,26 +1652,10 @@ "Spaces to show": "Espazos a mostrar", "Sidebar": "Barra lateral", "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Esta sala está nalgúns espazos nos que non es admin. Nesos espazos, seguirase mostrando a sala antiga, pero as usuarias serán convidadas a unirse á nova.", - "Select all": "Seleccionar todos", - "Deselect all": "Retirar selección a todos", - "Sign out devices": { - "one": "Desconectar dispositivo", - "other": "Desconectar dispositivos" - }, - "Click the button below to confirm signing out these devices.": { - "one": "Preme no botón inferior para confirmar a desconexión deste dispositivo.", - "other": "Preme no botón inferior para confirmar a desconexión destos dispositivos." - }, - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "Confirma a desconexión deste dispositivo usando Single Sign On para probar a túa identidade.", - "other": "Confirma a desconexión destos dispositivos usando Single Sign On para probar a túa identidade." - }, "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Garda a túa Chave de Seguridade nun lugar seguro, como un xestor de contrasinais ou caixa forte, xa que vai protexer os teus datos cifrados.", "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Imos crear unha Chave de Seguridade para que a gardes nun lugar seguro, como nun xestor de contrasinais ou caixa forte.", "Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "Recupera o acceso á túa conta e ás chaves de cifrado gardadas nesta sesión. Sen elas, non poderás ler tódalas túas mensaxes seguras en calquera sesión.", "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Sen verificación non poderás acceder a tódalas túas mensaxes e poderían aparecer como non confiables ante outras persoas.", - "You're all caught up": "Xa remataches", - "Someone already has that username. Try another or if it is you, sign in below.": "Ese nome de usuaria xa está pillado. Inténtao con outro, ou se es ti, conéctate.", "Copy link to thread": "Copiar ligazón da conversa", "Thread options": "Opcións da conversa", "Mentions only": "Só mencións", @@ -1865,12 +1758,7 @@ "Back to thread": "Volver ao fío", "Room members": "Membros da sala", "Back to chat": "Volver ao chat", - "Failed to load list of rooms.": "Fallou a carga da lista de salas.", - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Se sabes o que estás a facer, o código de Element é aberto, podes comprobalo en GitHub (https://github.com/vector-im/element-web/) e colaborar!", - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Se alguén che dixo que copies/pegues algo aquí, entón probablemente están intentando estafarte!", "Wait!": "Agarda!", - "Unable to check if username has been taken. Try again later.": "Non se puido comprobar se o nome de usuaria xa está en uso. Inténtao máis tarde.", - "Space home": "Inicio do espazo", "Open in OpenStreetMap": "Abrir en OpenStreetMap", "Verify other device": "Verificar outro dispositivo", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Esto agrupa os teus chats cos membros deste espazo. Apagandoo ocultará estos chats da túa vista de %(spaceName)s.", @@ -1969,10 +1857,6 @@ "Sorry, your homeserver is too old to participate here.": "Lamentámolo, o teu servidor de inicio é demasiado antigo para poder participar.", "There was an error joining.": "Houbo un erro ao unirte.", "The user's homeserver does not support the version of the space.": "O servidor de inicio da usuaria non soporta a versión do Espazo.", - "Confirm signing out these devices": { - "one": "Confirma a desconexión deste dispositivo", - "other": "Confirma a desconexión destos dispositivos" - }, "Live location ended": "Rematou a localización en directo", "View live location": "Ver localización en directo", "Live location enabled": "Activada a localización en directo", @@ -2045,7 +1929,6 @@ "Deactivating your account is a permanent action — be careful!": "A desactivación da conta é unha acción permanente — coidado!", "Un-maximise": "Restablecer", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Ao saír, estas chaves serán eliminadas deste dispositivo, o que significa que non poderás ler as mensaxes cifradas a menos que teñas as chaves noutro dos teus dispositivos, ou unha copia de apoio no servidor.", - "Video rooms are a beta feature": "As salas de vídeo están en fase beta", "Remove search filter for %(filter)s": "Elimina o filtro de busca de %(filter)s", "Start a group chat": "Inicia un chat en grupo", "Other options": "Outras opcións", @@ -2085,41 +1968,13 @@ "You don't have permission to share locations": "Non tes permiso para compartir localizacións", "Messages in this chat will be end-to-end encrypted.": "As mensaxes deste chat van estar cifrados de extremo-a-extremo.", "Saved Items": "Elementos gardados", - "Send your first message to invite to chat": "Envía a túa primeira mensaxe para convidar a ao chat", "Choose a locale": "Elixe o idioma", "Spell check": "Corrección", "We're creating a room with %(names)s": "Estamos creando unha sala con %(names)s", - "Inactive for %(inactiveAgeDays)s+ days": "Inactiva durante %(inactiveAgeDays)s+ días", - "Session details": "Detalles da sesión", - "IP address": "Enderezo IP", - "Last activity": "Última actividade", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Para maior seguridade, verifica as túas sesións e pecha calquera sesión que non recoñezas como propia.", - "Other sessions": "Outras sesións", - "Current session": "Sesión actual", "Sessions": "Sesións", - "Verify or sign out from this session for best security and reliability.": "Verifica ou pecha esta sesión para máis seguridade e fiabilidade.", - "Unverified session": "Sesión non verificada", - "This session is ready for secure messaging.": "Esta sesión está preparada para mensaxería segura.", - "Verified session": "Sesión verificada", "Interactively verify by emoji": "Verificar interactivamente usando emoji", "Manually verify by text": "Verificar manualmente con texto", - "Security recommendations": "Recomendacións de seguridade", - "Filter devices": "Filtrar dispositivos", - "Inactive for %(inactiveAgeDays)s days or longer": "Inactiva desde hai %(inactiveAgeDays)s días ou máis", - "Inactive": "Inactiva", - "Not ready for secure messaging": "Non está listo para mensaxería segura", - "Ready for secure messaging": "Preparado para mensaxería segura", - "All": "Todo", - "No sessions found.": "Non se atopan sesións.", - "No inactive sessions found.": "Non hai sesións inactivas.", - "No unverified sessions found.": "Non se atopan sesións sen verificar.", - "No verified sessions found.": "Non hai sesións sen verificar.", - "Inactive sessions": "Sesións inactivas", - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Verifica as túas sesións para ter maior seguridade nas comunicacións e desconecta aquelas que non recoñezas ou uses.", - "Unverified sessions": "Sesións non verificadas", - "For best security, sign out from any session that you don't recognize or use anymore.": "Para a mellor seguridade, desconecta calquera outra sesión que xa non recoñezas ou uses.", - "Verified sessions": "Sesións verificadas", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "Non é recomendable engadir o cifrado a salas públicas. Calquera pode atopar salas públicas, e pode ler as mensaxes nela. Non terás ningún destos beneficios se activas o cifrado, e non poderás retiralo posteriormente. Ademáis ao cifrar as mensaxes dunha sala pública fará que se envíen e reciban máis lentamente.", "Empty room (was %(oldName)s)": "Sala baleira (era %(oldName)s)", "Inviting %(user)s and %(count)s others": { "one": "Convidando a %(user)s e outra persoa", @@ -2133,17 +1988,8 @@ "%(user1)s and %(user2)s": "%(user1)s e %(user2)s", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s ou %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s ou %(recoveryFile)s", - "Proxy URL": "URL do Proxy", - "Proxy URL (optional)": "URL do proxy (optativo)", - "To disable you will need to log out and back in, use with caution!": "Para desactivalo tes que saír e volver a acceder, usa con precaución!", - "Sliding Sync configuration": "Configuración Sliding Sync", - "Your server lacks native support, you must specify a proxy": "O teu servidor non ten servidor nativo, tes que indicar un proxy", - "Your server lacks native support": "O teu servidor non ten soporte nativo", - "Your server has native support": "O teu servidor ten soporte nativo", "You need to be able to kick users to do that.": "Tes que poder expulsar usuarias para facer eso.", "Voice broadcast": "Emisión de voz", - "Sign out of this session": "Pechar esta sesión", - "Rename session": "Renomear sesión", "Failed to read events": "Fallou a lectura de eventos", "Failed to send event": "Fallo ao enviar o evento", "common": { @@ -2236,7 +2082,9 @@ "orphan_rooms": "Outras salas", "on": "On", "off": "Off", - "all_rooms": "Todas as salas" + "all_rooms": "Todas as salas", + "deselect_all": "Retirar selección a todos", + "select_all": "Seleccionar todos" }, "action": { "continue": "Continuar", @@ -2388,7 +2236,15 @@ "join_beta": "Unirse á beta", "automatic_debug_logs_key_backup": "Enviar automáticamente rexistros de depuración cando a chave da copia de apoio non funcione", "automatic_debug_logs_decryption": "Envía automáticamente rexistro de depuración se hai erros no cifrado", - "automatic_debug_logs": "Enviar automáticamente rexistros de depuración para calquera fallo" + "automatic_debug_logs": "Enviar automáticamente rexistros de depuración para calquera fallo", + "sliding_sync_server_support": "O teu servidor ten soporte nativo", + "sliding_sync_server_no_support": "O teu servidor non ten soporte nativo", + "sliding_sync_server_specify_proxy": "O teu servidor non ten servidor nativo, tes que indicar un proxy", + "sliding_sync_configuration": "Configuración Sliding Sync", + "sliding_sync_disable_warning": "Para desactivalo tes que saír e volver a acceder, usa con precaución!", + "sliding_sync_proxy_url_optional_label": "URL do proxy (optativo)", + "sliding_sync_proxy_url_label": "URL do Proxy", + "video_rooms_beta": "As salas de vídeo están en fase beta" }, "keyboard": { "home": "Inicio", @@ -2471,7 +2327,19 @@ "placeholder_reply_encrypted": "Enviar unha resposta cifrada…", "placeholder_reply": "Responder…", "placeholder_encrypted": "Enviar unha mensaxe cifrada…", - "placeholder": "Enviar mensaxe…" + "placeholder": "Enviar mensaxe…", + "autocomplete": { + "command_description": "Comandos", + "command_a11y": "Autocompletado de comandos", + "emoji_a11y": "Autocompletado emoticonas", + "@room_description": "Notificar a toda a sala", + "notification_description": "Notificación da sala", + "notification_a11y": "Autocompletado de notificacións", + "room_a11y": "Autocompletado de Salas", + "space_a11y": "Autocompletado do espazo", + "user_description": "Usuarias", + "user_a11y": "Autocompletados de Usuaria" + } }, "Bold": "Resaltado", "Code": "Código", @@ -2708,6 +2576,54 @@ }, "keyboard": { "title": "Teclado" + }, + "sessions": { + "rename_form_heading": "Renomear sesión", + "session_id": "ID de sesión", + "last_activity": "Última actividade", + "ip": "Enderezo IP", + "details_heading": "Detalles da sesión", + "sign_out": "Pechar esta sesión", + "inactive_days": "Inactiva durante %(inactiveAgeDays)s+ días", + "verified_sessions": "Sesións verificadas", + "unverified_sessions": "Sesións non verificadas", + "unverified_session": "Sesión non verificada", + "inactive_sessions": "Sesións inactivas", + "device_verified_description": "Esta sesión está preparada para mensaxería segura.", + "verified_session": "Sesión verificada", + "device_unverified_description": "Verifica ou pecha esta sesión para máis seguridade e fiabilidade.", + "verify_session": "Verificar sesión", + "verified_sessions_list_description": "Para a mellor seguridade, desconecta calquera outra sesión que xa non recoñezas ou uses.", + "unverified_sessions_list_description": "Verifica as túas sesións para ter maior seguridade nas comunicacións e desconecta aquelas que non recoñezas ou uses.", + "no_verified_sessions": "Non hai sesións sen verificar.", + "no_unverified_sessions": "Non se atopan sesións sen verificar.", + "no_inactive_sessions": "Non hai sesións inactivas.", + "no_sessions": "Non se atopan sesións.", + "filter_all": "Todo", + "filter_verified_description": "Preparado para mensaxería segura", + "filter_unverified_description": "Non está listo para mensaxería segura", + "filter_inactive": "Inactiva", + "filter_inactive_description": "Inactiva desde hai %(inactiveAgeDays)s días ou máis", + "filter_label": "Filtrar dispositivos", + "other_sessions_heading": "Outras sesións", + "current_session": "Sesión actual", + "confirm_sign_out_sso": { + "one": "Confirma a desconexión deste dispositivo usando Single Sign On para probar a túa identidade.", + "other": "Confirma a desconexión destos dispositivos usando Single Sign On para probar a túa identidade." + }, + "confirm_sign_out": { + "one": "Confirma a desconexión deste dispositivo", + "other": "Confirma a desconexión destos dispositivos" + }, + "confirm_sign_out_body": { + "one": "Preme no botón inferior para confirmar a desconexión deste dispositivo.", + "other": "Preme no botón inferior para confirmar a desconexión destos dispositivos." + }, + "confirm_sign_out_continue": { + "one": "Desconectar dispositivo", + "other": "Desconectar dispositivos" + }, + "security_recommendations": "Recomendacións de seguridade" } }, "devtools": { @@ -2779,7 +2695,8 @@ "widget_screenshots": "Activar as capturas de trebellos para aqueles que as permiten", "title": "Ferramentas desenvolvemento", "show_hidden_events": "Mostrar na cronoloxía eventos ocultos", - "developer_mode": "Modo desenvolvemento" + "developer_mode": "Modo desenvolvemento", + "view_source_decrypted_event_source": "Fonte descifrada do evento" }, "export_chat": { "html": "HTML", @@ -3150,7 +3067,9 @@ "m.room.create": { "continuation": "Esta sala é continuación doutra conversa.", "see_older_messages": "Preme aquí para ver mensaxes antigas." - } + }, + "creation_summary_dm": "%(creator)s creou esta MD.", + "creation_summary_room": "%(creator)s creou e configurou a sala." }, "slash_command": { "spoiler": "Envía a mensaxe dada como un spoiler", @@ -3326,13 +3245,52 @@ "kick": "Eliminar usuarias", "ban": "Bloquear usuarias", "redact": "Eliminar mensaxes enviadas por outras", - "notifications.room": "Notificar a todas" + "notifications.room": "Notificar a todas", + "no_privileged_users": "Non hai usuarias con privilexios específicos nesta sala", + "privileged_users_section": "Usuarias con privilexios", + "muted_users_section": "Usuarias silenciadas", + "banned_users_section": "Usuarias excluídas", + "send_event_type": "Enviar %(eventType)s eventos", + "title": "Roles & Permisos", + "permissions_section": "Permisos", + "permissions_section_description_space": "Elexir os roles requeridos para cambiar varias partes do espazo", + "permissions_section_description_room": "Escolle os roles requeridos para cambiar determinadas partes da sala" }, "security": { "strict_encryption": "Non enviar mensaxes cifradas desde esta sesión a sesións non verificadas nesta sala", "join_rule_invite": "Privada (só con convite)", "join_rule_invite_description": "Só se poden unir persoas con convite.", - "join_rule_public_description": "Calquera pode atopala e unirse." + "join_rule_public_description": "Calquera pode atopala e unirse.", + "enable_encryption_public_room_confirm_title": "Tes a certeza de querer engadir cifrado a esta sala pública?", + "enable_encryption_public_room_confirm_description_1": "Non é recomendable engadir o cifrado a salas públicas. Calquera pode atopar salas públicas, e pode ler as mensaxes nela. Non terás ningún destos beneficios se activas o cifrado, e non poderás retiralo posteriormente. Ademáis ao cifrar as mensaxes dunha sala pública fará que se envíen e reciban máis lentamente.", + "enable_encryption_public_room_confirm_description_2": "Para evitar estos problemas, crea unha nova sala cifrada para a conversa que pretendes manter.", + "enable_encryption_confirm_title": "Activar cifrado?", + "enable_encryption_confirm_description": "Unha vez activado, non se pode desactivar o cifrado da sala. As mensaxes enviadas nunha sala cifrada non poder ser vistas polo servidor, só polas participantes da sala. Ao activar o cifrado poderías causar que bots e pontes deixen de funcionar correctamente. Coñece máis sobre o cifrado.", + "public_without_alias_warning": "Para ligar a esta sala, engade un enderezo.", + "join_rule_description": "Decidir quen pode unirse a %(roomName)s.", + "encrypted_room_public_confirm_title": "Tes a certeza de querer convertir en pública esta sala cifrada?", + "encrypted_room_public_confirm_description_1": "Non se recomenda converter salas cifradas en salas públicas. Significará que calquera pode atopar e unirse á sala, e calquera poderá ler as mensaxes. Non terás ningún dos beneficios do cifrado. Cifrar mensaxes nunha sala pública fará máis lenta a entrega e recepción das mensaxes.", + "encrypted_room_public_confirm_description_2": "Par evitar estos problemas, crea unha nova sala pública para a conversa que pretendes manter.", + "history_visibility": {}, + "history_visibility_warning": "Os cambios sobre quen pode ler o historial só se aplicarán as mensaxes futuras nesta sala. A visibilidade do historial precedente non cambiará.", + "history_visibility_legend": "Quen pode ler o histórico?", + "guest_access_warning": "As persoas con clientes habilitados poderán unirse a sala sen ter que posuir unha conta rexistrada.", + "title": "Seguridade & Privacidade", + "encryption_permanent": "Unha vez activado, non se pode desactivar.", + "history_visibility_shared": "Só participantes (desde o momento en que se selecciona esta opción)", + "history_visibility_invited": "Só participantes (desde que foron convidadas)", + "history_visibility_joined": "Só participantes (desde que se uniron)", + "history_visibility_world_readable": "Calquera" + }, + "general": { + "publish_toggle": "Publicar esta sala no directorio público de salas de %(domain)s?", + "user_url_previews_default_on": "Activou a vista previa de URL por defecto.", + "user_url_previews_default_off": "Desactivou a vista previa de URL por defecto.", + "default_url_previews_on": "As vistas previas de URL están activas por defecto para os participantes desta sala.", + "default_url_previews_off": "As vistas previas de URL están desactivadas por defecto para as participantes desta sala.", + "url_preview_encryption_warning": "Nas salas cifradas, como é esta, está desactivado por defecto a previsualización das URL co fin de asegurarse de que o servidor local (que é onde se gardan as previsualizacións) non poida recoller información sobre das ligazóns que se ven nesta sala.", + "url_preview_explainer": "Cando alguén pon unha URL na mensaxe, esta previsualízarase para que así se coñezan xa cousas delas como o título, a descrición ou as imaxes que inclúe ese sitio web.", + "url_previews_section": "Vista previa de URL" } }, "encryption": { @@ -3439,7 +3397,15 @@ "server_picker_explainer": "Usa o teu servidor de inicio Matrix preferido, ou usa o teu propio.", "server_picker_learn_more": "Acerca dos servidores de inicio", "incorrect_credentials": "Nome de usuaria ou contrasinal non válidos.", - "account_deactivated": "Esta conta foi desactivada." + "account_deactivated": "Esta conta foi desactivada.", + "registration_username_validation": "Usa só minúsculas, números, trazos e trazos baixos", + "registration_username_unable_check": "Non se puido comprobar se o nome de usuaria xa está en uso. Inténtao máis tarde.", + "registration_username_in_use": "Ese nome de usuaria xa está pillado. Inténtao con outro, ou se es ti, conéctate.", + "phone_label": "Teléfono", + "phone_optional_label": "Teléfono (optativo)", + "email_help_text": "Engade un email para poder restablecer o contrasinal.", + "email_phone_discovery_text": "Usa un email ou teléfono para ser (opcionalmente) descubrible polos contactos existentes.", + "email_discovery_text": "Usa o email para ser opcionalmente descubrible para os contactos existentes." }, "room_list": { "sort_unread_first": "Mostrar primeiro as salas con mensaxes sen ler", @@ -3620,7 +3586,21 @@ "light_high_contrast": "Alto contraste claro" }, "space": { - "landing_welcome": "Benvida a " + "landing_welcome": "Benvida a ", + "suggested_tooltip": "Esta sala é recomendada como apropiada para unirse", + "suggested": "Recomendada", + "select_room_below": "Primeiro elixe embaixo unha sala", + "unmark_suggested": "Marcar como non suxerida", + "mark_suggested": "Marcar como suxerida", + "failed_remove_rooms": "Fallou a eliminación de algunhas salas. Inténtao máis tarde", + "failed_load_rooms": "Fallou a carga da lista de salas.", + "incompatible_server_hierarchy": "O teu servidor non soporta amosar xerarquías dos espazos.", + "context_menu": { + "devtools_open_timeline": "Ver cronoloxía da sala (devtools)", + "home": "Inicio do espazo", + "explore": "Explorar salas", + "manage_and_explore": "Xestionar e explorar salas" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "Este servidor non está configurado para mostrar mapas.", @@ -3674,5 +3654,51 @@ "setup_rooms_description": "Podes engadir máis posteriormente, incluíndo os xa existentes.", "setup_rooms_private_heading": "En que proxectos está a traballar o teu equipo?", "setup_rooms_private_description": "Imos crear salas para cada un deles." + }, + "user_menu": { + "switch_theme_light": "Cambiar a decorado claro", + "switch_theme_dark": "Cambiar a decorado escuro" + }, + "notif_panel": { + "empty_heading": "Xa remataches", + "empty_description": "Non tes notificacións visibles." + }, + "console_scam_warning": "Se alguén che dixo que copies/pegues algo aquí, entón probablemente están intentando estafarte!", + "console_dev_note": "Se sabes o que estás a facer, o código de Element é aberto, podes comprobalo en GitHub (https://github.com/vector-im/element-web/) e colaborar!", + "room": { + "drop_file_prompt": "Solte aquí o ficheiro para subilo", + "intro": { + "send_message_start_dm": "Envía a túa primeira mensaxe para convidar a ao chat", + "start_of_dm_history": "Este é o comezo do teu historial de conversa con .", + "dm_caption": "Só vós estades nesta conversa, a non ser que convidedes a alguén máis.", + "topic_edit": "Asunto: %(topic)s (editar)", + "topic": "Asunto: %(topic)s ", + "no_topic": "Engade un tema para axudarlle á xente que coñeza de que trata.", + "you_created": "Creaches esta sala.", + "user_created": "%(displayName)s creou esta sala.", + "room_invite": "Convida só a esta sala", + "no_avatar_label": "Engade unha foto para que se poida identificar a sala facilmente.", + "start_of_room": "Este é o comezo de .", + "private_unencrypted_warning": "As túas mensaxes privadas normalmente están cifradas, pero esta sala non o está. Normalmente esto é debido a que estás a usar un dispositivo ou método non soportados, como convites por email.", + "enable_encryption_prompt": "Activar cifrado non axustes.", + "unencrypted_warning": "Non está activado o cifrado de extremo-a-extremo" + } + }, + "file_panel": { + "guest_note": "Debe rexistrarse para utilizar esta función", + "peek_note": "Debes unirte a sala para ver os seus ficheiros", + "empty_heading": "Non hai ficheiros visibles na sala", + "empty_description": "Anexa filecheiros desde a conversa ou arrastra e sóltaos onde queiras nunha sala." + }, + "terms": { + "integration_manager": "Usa bots, pontes, widgets e paquetes de adhesivos", + "tos": "Termos do Servizo", + "intro": "Para continuar tes que aceptar os termos deste servizo.", + "column_service": "Servizo", + "column_summary": "Resumo", + "column_document": "Documento" + }, + "space_settings": { + "title": "Axustes - %(spaceName)s" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/he.json b/src/i18n/strings/he.json index 22fdc6cd2b..9e9981e01e 100644 --- a/src/i18n/strings/he.json +++ b/src/i18n/strings/he.json @@ -727,13 +727,6 @@ "Start Verification": "התחל אימות", "Accepting…": "מקבל…", "Waiting for %(displayName)s to accept…": "ממתין לקבלת %(displayName)s …", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "כאשר מישהו מכניס כתובת URL להודעה שלו, ניתן להציג תצוגה מקדימה של כתובת אתר כדי לתת מידע נוסף על קישור זה, כמו הכותרת, התיאור והתמונה מהאתר.", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "בחדרים מוצפנים, כמו זה, תצוגות מקדימות של כתובות אתרים מושבתות כברירת מחדל כדי להבטיח ששרת הבית שלך (במקום בו נוצרות התצוגות המקדימות) אינו יכול לאסוף מידע על קישורים שאתה רואה בחדר זה.", - "URL previews are disabled by default for participants in this room.": "תצוגות מקדימות של כתובות אתרים מושבתות כברירת מחדל עבור משתתפים בחדר זה.", - "URL previews are enabled by default for participants in this room.": "תצוגות מקדימות של כתובות אתרים מופעלות כברירת מחדל עבור משתתפים בחדר זה.", - "You have disabled URL previews by default.": "יש לך השבת תצוגות מקדימות של כתובות אתרים כברירת מחדל.", - "You have enabled URL previews by default.": "כברירת מחדל, הפעלת תצוגה מקדימה של כתובות אתרים.", - "Publish this room to the public in %(domain)s's room directory?": "לפרסם את החדר הזה לציבור במדריך החדרים של%(domain)s?", "Room avatar": "אוואטר של החדר", "Room Topic": "נושא החדר", "Room Name": "שם חדר", @@ -792,15 +785,6 @@ "%(duration)sh": "%(duration)s (שעות)", "%(duration)sm": "%(duration)s (דקות)", "%(duration)ss": "(שניות) %(duration)s", - "This is the start of .": "זוהי התחלת השיחה בחדר .", - "Add a photo, so people can easily spot your room.": "הוסף תמונה, כך שאנשים יוכלו לזהות את החדר שלך בקלות.", - "%(displayName)s created this room.": "%(displayName)s יצר את החדר הזה.", - "You created this room.": "אתם יצרתם את החדר הזה.", - "Add a topic to help people know what it is about.": "הוספת נושא לעזור לאנשים להבין במה מדובר.", - "Topic: %(topic)s ": "נושאים: %(topic)s ", - "Topic: %(topic)s (edit)": "נושאים: %(topic)s (עריכה)", - "This is the beginning of your direct message history with .": "זו ההתחלה של היסטוריית ההודעות הישירות שלך עם .", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "רק שניכם נמצאים בשיחה הזו, אלא אם כן מישהו מכם מזמין מישהו להצטרף.", "Italics": "נטוי", "You do not have permission to post to this room": "אין לך הרשאה לפרסם בחדר זה", "This room has been replaced and is no longer active.": "חדר זה הוחלף ואינו פעיל יותר.", @@ -826,7 +810,6 @@ "You have verified this user. This user has verified all of their sessions.": "אימתת משתמש זה. משתמש זה אימת את כל ההפעלות שלו.", "You have not verified this user.": "לא אימתת משתמש זה.", "This user has not verified all of their sessions.": "משתמש זה לא אימת את כל ההפעלות שלו.", - "Drop file here to upload": "גרור קובץ לכאן בכדי להעלות", "Phone Number": "מספר טלפון", "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "הודעת טקסט נשלחה אל %(msisdn)s. אנא הזן את קוד האימות שהוא מכיל.", "Remove %(phone)s?": "הסר מספרי %(phone)s ?", @@ -851,25 +834,6 @@ "Your email address hasn't been verified yet": "כתובת הדוא\"ל שלך עדיין לא אומתה", "Unable to share email address": "לא ניתן לשתף את כתובת הדוא\"ל", "Unable to revoke sharing for email address": "לא ניתן לבטל את השיתוף לכתובת הדוא\"ל", - "Once enabled, encryption cannot be disabled.": "לאחר הפעלת הצפנה - לא ניתן לבטל אותה.", - "Security & Privacy": "אבטחה ופרטיות", - "Who can read history?": "למי מותר לקרוא הסטוריה?", - "Members only (since they joined)": "חברים בלבד (מאז שהצטרפו)", - "Members only (since they were invited)": "חברים בלבד (מאז שהוזמנו)", - "Members only (since the point in time of selecting this option)": "חברים בלבד (מרגע בחירת אפשרות זו)", - "Anyone": "כולם", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "שינויים במי שיכול לקרוא היסטוריה יחולו רק על הודעות עתידיות בחדר זה. נראות ההיסטוריה הקיימת לא תשתנה.", - "To link to this room, please add an address.": "לקישור לחדר זה, אנא הוסף כתובת.", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "לאחר הפעלתו, לא ניתן להשבית את ההצפנה לחדר. הודעות שנשלחות בחדר מוצפן אינן נראות על ידי השרת, רק על ידי משתתפי החדר. הפעלת הצפנה עשויה למנוע בוטים וגשרים רבים לעבוד כראוי. למידע נוסף על הצפנה. ", - "Enable encryption?": "הפעל הצפנה?", - "Select the roles required to change various parts of the room": "בחר את התפקידים הנדרשים לשינוי חלקים שונים של החדר", - "Permissions": "הרשאות", - "Roles & Permissions": "תפקידים והרשאות", - "Send %(eventType)s events": "שלח התרעות %(eventType)s", - "Banned users": "משתמשים חסומים", - "Muted Users": "משתמשים מושתקים", - "Privileged Users": "משתמשים מורשים", - "No users have specific privileges in this room": "אין למשתמשים הרשאות ספציפיות בחדר זה", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "אירעה שגיאה בשינוי רמת ההספק של המשתמש. ודא שיש לך הרשאות מספיקות ונסה שוב.", "Error changing power level": "שגיאה בשינוי דרגת הניהול", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "אירעה שגיאה בשינוי דרישות רמת הניהול של החדר. ודא שיש לך הרשאות מספיקות ונסה שוב.", @@ -906,7 +870,6 @@ "Sounds": "צלילים", "Uploaded sound": "צלילים שהועלו", "Room Addresses": "כתובות חדרים", - "URL Previews": "תצוגת קישורים", "Bridges": "גשרים", "This room is bridging messages to the following platforms. Learn more.": "חדר זה מגשר בין מסרים לפלטפורמות הבאות. למידע נוסף. ", "Room version:": "גרסאת חדש:", @@ -1045,17 +1008,8 @@ "Failed to reject invitation": "דחיית ההזמנה נכשלה", "Explore rooms": "גלה חדרים", "Upload avatar": "העלה אוואטר", - "Attach files from chat or just drag and drop them anywhere in a room.": "צרף קבצים מצ'ט או פשוט גרור ושחרר אותם לכל מקום בחדר.", - "No files visible in this room": "אין קבצים גלויים בחדר זה", - "You must join the room to see its files": "עליך להצטרף לחדר כדי לראות את הקבצים שלו", - "You must register to use this functionality": "עליך להירשם כדי להשתמש בפונקציונליות זו", "Couldn't load page": "לא ניתן לטעון את הדף", "Sign in with SSO": "היכנס באמצעות SSO", - "Use email to optionally be discoverable by existing contacts.": "השתמש באימייל כדי שאפשר יהיה למצוא אותו על ידי אנשי קשר קיימים.", - "Use email or phone to optionally be discoverable by existing contacts.": "השתמש בדוא\"ל או בטלפון בכדי שאפשר יהיה לגלות אותם על ידי אנשי קשר קיימים.", - "Add an email to be able to reset your password.": "הוסף דוא\"ל כדי שתוכל לאפס את הסיסמה שלך.", - "Phone (optional)": "טלפון (לא חובה)", - "Use lowercase letters, numbers, dashes and underscores only": "השתמש באותיות קטנות, מספרים, מקפים וקווים תחתונים בלבד", "Enter phone number (required on this homeserver)": "הזן מספר טלפון (חובה בשרת בית זה)", "Other users can invite you to rooms using your contact details": "משתמשים אחרים יכולים להזמין אותך לחדרים באמצעות פרטי יצירת הקשר שלך", "Enter email address (required on this homeserver)": "הזן כתובת דוא\"ל (חובה בשרת הבית הזה)", @@ -1131,12 +1085,6 @@ "Upload all": "מעלה הכל", "Upload files (%(current)s of %(total)s)": "מעלה קבצים (%(current)s מ %(total)s)", "Upload files": "מעלה קבצים", - "Document": "מסמך", - "Summary": "תקציר", - "Service": "שֵׁרוּת", - "To continue you need to accept the terms of this service.": "כדי להמשיך עליך לקבל את תנאי השירות הזה.", - "Terms of Service": "תנאי שימוש בשירות", - "Use bots, bridges, widgets and sticker packs": "השתמש בבוטים, גשרים, ווידג'טים וחבילות מדבקות", "Be found by phone or email": "להימצא בטלפון או בדוא\"ל", "Find others by phone or email": "מצא אחרים בטלפון או בדוא\"ל", "Your browser likely removed this data when running low on disk space.": "סביר להניח שהדפדפן שלך הסיר נתונים אלה כאשר שטח הדיסק שלהם נמוך.", @@ -1194,7 +1142,6 @@ "Modal Widget": "יישומון מודאלי", "Message edits": "עריכת הודעות", "Your homeserver doesn't seem to support this feature.": "נראה ששרת הבית שלך אינו תומך בתכונה זו.", - "Verify session": "אמת מושב", "If they don't match, the security of your communication may be compromised.": "אם הם לא תואמים, אבטחת התקשורת שלך עלולה להיפגע.", "Session key": "מפתח מושב", "Session ID": "זהות מושב", @@ -1292,15 +1239,6 @@ "That doesn't match.": "זה לא תואם.", "Use a different passphrase?": "להשתמש בביטוי סיסמה אחר?", "That matches!": "זה מתאים!", - "User Autocomplete": "השלמה אוטומטית למשתמשים", - "Users": "משתמשים", - "Room Autocomplete": "השלמה אוטומטית לחדרים", - "Notification Autocomplete": "השלמה אוטומטית להתראות", - "Room Notification": "הודעת חדר", - "Notify the whole room": "הודע לכל החדר", - "Emoji Autocomplete": "השלמה אוטומטית של אימוג'י", - "Command Autocomplete": "השלמה אוטומטית של פקודות", - "Commands": "פקודות", "Clear personal data": "נקה מידע אישי", "Failed to re-authenticate due to a homeserver problem": "האימות מחדש נכשל עקב בעיית שרת בית", "Create account": "חשבון משתמש חדש", @@ -1324,8 +1262,6 @@ "A new password must be entered.": "יש להזין סיסמה חדשה.", "Could not load user profile": "לא ניתן לטעון את פרופיל המשתמש", "Switch theme": "שנה ערכת נושא", - "Switch to dark mode": "שנה למצב כהה", - "Switch to light mode": "שנה למצב בהיר", "All settings": "כל ההגדרות", "Uploading %(filename)s and %(count)s others": { "one": "מעלה %(filename)s ו-%(count)s אחרים", @@ -1350,9 +1286,6 @@ "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "ההודעה שלך לא נשלחה מכיוון ששרת הבית הזה חרג ממגבלת המשאבים. אנא פנה למנהל השירות שלך כדי להמשיך להשתמש בשירות.", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "ההודעה שלך לא נשלחה מכיוון ששרת הבתים הזה הגיע למגבלת המשתמשים הפעילים החודשיים שלה. אנא פנה למנהל השירות שלך כדי להמשיך להשתמש בשירות.", "You can't send any messages until you review and agree to our terms and conditions.": "אינך יכול לשלוח שום הודעה עד שתבדוק ותסכים ל התנאים וההגבלות שלנו .", - "You have no visible notifications.": "אין לך התראות גלויות.", - "%(creator)s created and configured the room.": "%(creator)s יצר/ה והגדיר/ה את החדר.", - "%(creator)s created this DM.": "%(creator)s יצר את DM הזה.", "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "נתגלו גרסאות ישנות יותר של %(brand)s. זה יגרום לתקלה בקריפטוגרפיה מקצה לקצה בגרסה הישנה יותר. הודעות מוצפנות מקצה לקצה שהוחלפו לאחרונה בעת השימוש בגרסה הישנה עשויות שלא להיות ניתנות לפענוח בגירסה זו. זה עלול גם לגרום להודעות שהוחלפו עם גרסה זו להיכשל. אם אתה נתקל בבעיות, צא וחזור שוב. כדי לשמור על היסטוריית ההודעות, ייצא וייבא מחדש את המפתחות שלך.", "Old cryptography data detected": "נתגלו נתוני הצפנה ישנים", "Terms and Conditions": "תנאים והגבלות", @@ -1404,7 +1337,6 @@ "Your new device is now verified. Other users will see it as trusted.": "המכשיר שלך מוגדר כעת כמאומת. משתמשים אחרים יראו אותו כמכשיר מהימן.", "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "המכשיר שלך מוגדר כעת כמאומת. יש לו גישה להודעות המוצפנות שלך ומשתמשים אחרים יראו אותו כמכשיר מהימן.", "Device verified": "המכשיר אומת", - "Failed to load list of rooms.": "טעינת רשימת החדרים נכשלה.", "Message search initialisation failed, check your settings for more information": "אתחול חיפוש ההודעות נכשל. בדוק את ההגדרות שלך למידע נוסף", "Connection failed": "החיבור נכשל", "Failed to remove user": "הסרת המשתמש נכשלה", @@ -1433,12 +1365,6 @@ "one": "שולח הזמנה..." }, "Upgrade required": "נדרש שדרוג", - "Select all": "בחר הכל", - "Deselect all": "הסר סימון מהכל", - "Sign out devices": { - "one": "צא מהמכשיר", - "other": "צא ממכשירים" - }, "Visibility": "רְאוּת", "Share invite link": "שתף קישור להזמנה", "Invite people": "הזמן אנשים", @@ -1483,7 +1409,6 @@ "Poll": "סקר", "You do not have permission to start polls in this room.": "אין לכם הרשאה להתחיל סקר בחדר זה.", "Preserve system messages": "שמור את הודעות המערכת", - "No unverified sessions found.": "לא נמצאו הפעלות לא מאומתות.", "Friends and family": "חברים ומשפחה", "An error occurred whilst sharing your live location, please try again": "אירעה שגיאה במהלך שיתוף המיקום החי שלכם, אנא נסו שוב", "%(count)s Members": { @@ -1500,9 +1425,7 @@ "one": "%(count)s.קולות הצביעו כדי לראות את התוצאות" }, "Verification requested": "התבקש אימות", - "Send your first message to invite to chat": "שילחו את ההודעה הראשונה שלכם להזמין את לצ'אט", "User Directory": "ספריית משתמשים", - "Space Autocomplete": "השלמה אוטומטית של חלל העבודה", "Recommended for public spaces.": "מומלץ למרחבי עבודה ציבוריים.", "Allow people to preview your space before they join.": "אפשרו לאנשים תצוגה מקדימה של מרחב העבודה שלכם לפני שהם מצטרפים.", "Preview Space": "תצוגה מקדימה של מרחב העבודה", @@ -1517,7 +1440,6 @@ "Rooms and spaces": "חדרים וחללי עבודה", "Results": "תוצאות", "You may want to try a different search or check for typos.": "אולי תרצו לנסות חיפוש אחר או לבדוק אם יש שגיאות הקלדה.", - "Your server does not support showing space hierarchies.": "השרת שלכם אינו תומך בהצגת היררכית חללי עבודה.", "We're creating a room with %(names)s": "יצרנו חדר עם %(names)s", "Thread options": "אפשרויות שרשור", "Collapse reply thread": "אחד שרשור של התשובות", @@ -1582,7 +1504,6 @@ "Private space": "מרחב עבודה פרטי", "Public space": "מרחב עבודה ציבורי", "Invite to this space": "הזמינו למרחב עבודה זה", - "Select the roles required to change various parts of the space": "ביחרו את ההרשאות הנדרשות כדי לשנות חלקים שונים של מרחב העבודה", "Space information": "מידע על מרחב העבודה", "View older version of %(spaceName)s.": "צפו בגירסא ישנה יותר של %(spaceName)s.", "Upgrade this space to the recommended room version": "שדרג את מרחב העבודה הזה לגרסת החדר המומלצת", @@ -1641,13 +1562,10 @@ "You won't get any notifications": "לא תקבל שום התראה", "Get notified for every message": "קבלת התראות על כל הודעה", "Get notifications as set up in your settings": "קבלת התראות על פי ההעדפות שלך במסךהגדרות", - "People with supported clients will be able to join the room without having a registered account.": "אורחים בעלי תוכנת התחברות מתאימה יוכלו להצטרף לחדר גם אם אין להם חשבון משתמש.", "Enable guest access": "אפשר גישה לאורחים", - "Decide who can join %(roomName)s.": "החליטו מי יוכל להצטרף ל - %(roomName)s.", "Unable to copy room link": "לא ניתן להעתיק קישור לחדר", "Copy room link": "העתק קישור לחדר", "Match system": "בהתאם למערכת", - "Last activity": "פעילות אחרונה", "Voice processing": "עיבוד קול", "Video settings": "הגדרות וידאו", "Automatically adjust the microphone volume": "התאמה אוטומטית של עוצמת המיקרופון", @@ -1656,7 +1574,6 @@ "Sidebar": "סרגל צד", "Deactivating your account is a permanent action — be careful!": "סגירת החשבון הינה פעולה שלא ניתנת לביטול - שים לב!", "Room info": "מידע על החדר", - "You're all caught up": "אתם כבר מעודכנים בהכל", "Search users in this room…": "חיפוש משתמשים בחדר זה…", "Give one or multiple users in this room more privileges": "הענק למשתמש או מספר משתמשים בחדר זה הרשאות נוספות", "Add privileged users": "הוספת משתמשים מורשים", @@ -1747,7 +1664,9 @@ "orphan_rooms": "חדרים אחרים", "on": "התראה", "off": "ללא", - "all_rooms": "כל החדרים" + "all_rooms": "כל החדרים", + "deselect_all": "הסר סימון מהכל", + "select_all": "בחר הכל" }, "action": { "continue": "המשך", @@ -1943,7 +1862,19 @@ "placeholder_reply_encrypted": "שליחת תגובה מוצפנת…", "placeholder_reply": "שליחת תגובה…", "placeholder_encrypted": "שליחת הודעה מוצפנת…", - "placeholder": "שליחת הודעה…" + "placeholder": "שליחת הודעה…", + "autocomplete": { + "command_description": "פקודות", + "command_a11y": "השלמה אוטומטית של פקודות", + "emoji_a11y": "השלמה אוטומטית של אימוג'י", + "@room_description": "הודע לכל החדר", + "notification_description": "הודעת חדר", + "notification_a11y": "השלמה אוטומטית להתראות", + "room_a11y": "השלמה אוטומטית לחדרים", + "space_a11y": "השלמה אוטומטית של חלל העבודה", + "user_description": "משתמשים", + "user_a11y": "השלמה אוטומטית למשתמשים" + } }, "Bold": "מודגש", "Code": "קוד", @@ -2121,6 +2052,16 @@ }, "keyboard": { "title": "מקלדת" + }, + "sessions": { + "session_id": "זהות מושב", + "last_activity": "פעילות אחרונה", + "verify_session": "אמת מושב", + "no_unverified_sessions": "לא נמצאו הפעלות לא מאומתות.", + "confirm_sign_out_continue": { + "one": "צא מהמכשיר", + "other": "צא ממכשירים" + } } }, "devtools": { @@ -2465,7 +2406,9 @@ "m.room.create": { "continuation": "החדר הזה הוא המשך לשיחה אחרת.", "see_older_messages": "לחץ כאן לראות הודעות ישנות." - } + }, + "creation_summary_dm": "%(creator)s יצר את DM הזה.", + "creation_summary_room": "%(creator)s יצר/ה והגדיר/ה את החדר." }, "slash_command": { "spoiler": "שולח הודעה ומסמן אותה כספוילר", @@ -2631,13 +2574,46 @@ "kick": "הסר משתמשים", "ban": "חסימת משתמשים", "redact": "הסרת הודעות שנשלחו על ידי אחרים", - "notifications.room": "התראה לכולם" + "notifications.room": "התראה לכולם", + "no_privileged_users": "אין למשתמשים הרשאות ספציפיות בחדר זה", + "privileged_users_section": "משתמשים מורשים", + "muted_users_section": "משתמשים מושתקים", + "banned_users_section": "משתמשים חסומים", + "send_event_type": "שלח התרעות %(eventType)s", + "title": "תפקידים והרשאות", + "permissions_section": "הרשאות", + "permissions_section_description_space": "ביחרו את ההרשאות הנדרשות כדי לשנות חלקים שונים של מרחב העבודה", + "permissions_section_description_room": "בחר את התפקידים הנדרשים לשינוי חלקים שונים של החדר" }, "security": { "strict_encryption": "לעולם אל תשלח הודעות מוצפנות אל התחברות שאינה מאומתת בחדר זה, מהתחברות זו", "join_rule_invite": "פרטי (הזמנות בלבד)", "join_rule_invite_description": "רק משתשים מוזמנים יכולים להצטרף.", - "join_rule_public_description": "כל אחד יכול למצוא ולהצטרף." + "join_rule_public_description": "כל אחד יכול למצוא ולהצטרף.", + "enable_encryption_confirm_title": "הפעל הצפנה?", + "enable_encryption_confirm_description": "לאחר הפעלתו, לא ניתן להשבית את ההצפנה לחדר. הודעות שנשלחות בחדר מוצפן אינן נראות על ידי השרת, רק על ידי משתתפי החדר. הפעלת הצפנה עשויה למנוע בוטים וגשרים רבים לעבוד כראוי. למידע נוסף על הצפנה. ", + "public_without_alias_warning": "לקישור לחדר זה, אנא הוסף כתובת.", + "join_rule_description": "החליטו מי יוכל להצטרף ל - %(roomName)s.", + "history_visibility": {}, + "history_visibility_warning": "שינויים במי שיכול לקרוא היסטוריה יחולו רק על הודעות עתידיות בחדר זה. נראות ההיסטוריה הקיימת לא תשתנה.", + "history_visibility_legend": "למי מותר לקרוא הסטוריה?", + "guest_access_warning": "אורחים בעלי תוכנת התחברות מתאימה יוכלו להצטרף לחדר גם אם אין להם חשבון משתמש.", + "title": "אבטחה ופרטיות", + "encryption_permanent": "לאחר הפעלת הצפנה - לא ניתן לבטל אותה.", + "history_visibility_shared": "חברים בלבד (מרגע בחירת אפשרות זו)", + "history_visibility_invited": "חברים בלבד (מאז שהוזמנו)", + "history_visibility_joined": "חברים בלבד (מאז שהצטרפו)", + "history_visibility_world_readable": "כולם" + }, + "general": { + "publish_toggle": "לפרסם את החדר הזה לציבור במדריך החדרים של%(domain)s?", + "user_url_previews_default_on": "כברירת מחדל, הפעלת תצוגה מקדימה של כתובות אתרים.", + "user_url_previews_default_off": "יש לך השבת תצוגות מקדימות של כתובות אתרים כברירת מחדל.", + "default_url_previews_on": "תצוגות מקדימות של כתובות אתרים מופעלות כברירת מחדל עבור משתתפים בחדר זה.", + "default_url_previews_off": "תצוגות מקדימות של כתובות אתרים מושבתות כברירת מחדל עבור משתתפים בחדר זה.", + "url_preview_encryption_warning": "בחדרים מוצפנים, כמו זה, תצוגות מקדימות של כתובות אתרים מושבתות כברירת מחדל כדי להבטיח ששרת הבית שלך (במקום בו נוצרות התצוגות המקדימות) אינו יכול לאסוף מידע על קישורים שאתה רואה בחדר זה.", + "url_preview_explainer": "כאשר מישהו מכניס כתובת URL להודעה שלו, ניתן להציג תצוגה מקדימה של כתובת אתר כדי לתת מידע נוסף על קישור זה, כמו הכותרת, התיאור והתמונה מהאתר.", + "url_previews_section": "תצוגת קישורים" } }, "encryption": { @@ -2735,7 +2711,13 @@ "server_picker_explainer": "השתמש בשרת הבית המועדף על מטריקס אם יש לך כזה, או מארח משלך.", "server_picker_learn_more": "אודות שרתי בית", "incorrect_credentials": "שם משתמש ו / או סיסמה שגויים.", - "account_deactivated": "חשבון זה הושבת." + "account_deactivated": "חשבון זה הושבת.", + "registration_username_validation": "השתמש באותיות קטנות, מספרים, מקפים וקווים תחתונים בלבד", + "phone_label": "טלפון", + "phone_optional_label": "טלפון (לא חובה)", + "email_help_text": "הוסף דוא\"ל כדי שתוכל לאפס את הסיסמה שלך.", + "email_phone_discovery_text": "השתמש בדוא\"ל או בטלפון בכדי שאפשר יהיה לגלות אותם על ידי אנשי קשר קיימים.", + "email_discovery_text": "השתמש באימייל כדי שאפשר יהיה למצוא אותו על ידי אנשי קשר קיימים." }, "room_list": { "sort_unread_first": "הצג תחילה חדרים עם הודעות שלא נקראו", @@ -2899,7 +2881,12 @@ "empty_heading": "שימרו על דיונים מאורגנים בשרשורים" }, "space": { - "landing_welcome": "ברוכים הבאים אל " + "landing_welcome": "ברוכים הבאים אל ", + "failed_load_rooms": "טעינת רשימת החדרים נכשלה.", + "incompatible_server_hierarchy": "השרת שלכם אינו תומך בהצגת היררכית חללי עבודה.", + "context_menu": { + "explore": "גלה חדרים" + } }, "location_sharing": { "MapStyleUrlNotReachable": "שרת בית זה אינו מוגדר כהלכה להצגת מפות, או ששרת המפות המוגדר אינו ניתן לגישה.", @@ -2945,5 +2932,42 @@ "setup_rooms_description": "אתם יכולים להוסיף עוד מאוחר יותר, כולל אלה שכבר קיימים.", "setup_rooms_private_heading": "על אילו פרויקטים הצוות שלכם עובד?", "setup_rooms_private_description": "ניצור חדרים לכל אחד מהם." + }, + "user_menu": { + "switch_theme_light": "שנה למצב בהיר", + "switch_theme_dark": "שנה למצב כהה" + }, + "notif_panel": { + "empty_heading": "אתם כבר מעודכנים בהכל", + "empty_description": "אין לך התראות גלויות." + }, + "room": { + "drop_file_prompt": "גרור קובץ לכאן בכדי להעלות", + "intro": { + "send_message_start_dm": "שילחו את ההודעה הראשונה שלכם להזמין את לצ'אט", + "start_of_dm_history": "זו ההתחלה של היסטוריית ההודעות הישירות שלך עם .", + "dm_caption": "רק שניכם נמצאים בשיחה הזו, אלא אם כן מישהו מכם מזמין מישהו להצטרף.", + "topic_edit": "נושאים: %(topic)s (עריכה)", + "topic": "נושאים: %(topic)s ", + "no_topic": "הוספת נושא לעזור לאנשים להבין במה מדובר.", + "you_created": "אתם יצרתם את החדר הזה.", + "user_created": "%(displayName)s יצר את החדר הזה.", + "no_avatar_label": "הוסף תמונה, כך שאנשים יוכלו לזהות את החדר שלך בקלות.", + "start_of_room": "זוהי התחלת השיחה בחדר ." + } + }, + "file_panel": { + "guest_note": "עליך להירשם כדי להשתמש בפונקציונליות זו", + "peek_note": "עליך להצטרף לחדר כדי לראות את הקבצים שלו", + "empty_heading": "אין קבצים גלויים בחדר זה", + "empty_description": "צרף קבצים מצ'ט או פשוט גרור ושחרר אותם לכל מקום בחדר." + }, + "terms": { + "integration_manager": "השתמש בבוטים, גשרים, ווידג'טים וחבילות מדבקות", + "tos": "תנאי שימוש בשירות", + "intro": "כדי להמשיך עליך לקבל את תנאי השירות הזה.", + "column_service": "שֵׁרוּת", + "column_summary": "תקציר", + "column_document": "מסמך" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/hi.json b/src/i18n/strings/hi.json index 7d53e7c71f..72018472ad 100644 --- a/src/i18n/strings/hi.json +++ b/src/i18n/strings/hi.json @@ -86,7 +86,6 @@ "Notification targets": "अधिसूचना के लक्ष्य", "You do not have permission to invite people to this room.": "आपको इस कमरे में लोगों को आमंत्रित करने की अनुमति नहीं है।", "Unknown server error": "अज्ञात सर्वर त्रुटि", - "Drop file here to upload": "अपलोड करने के लिए यहां फ़ाइल ड्रॉप करें", "This event could not be displayed": "यह घटना प्रदर्शित नहीं की जा सकी", "Unban": "अप्रतिबंधित करें", "Failed to ban user": "उपयोगकर्ता को प्रतिबंधित करने में विफल", @@ -207,8 +206,6 @@ "Room version:": "रूम का संस्करण:", "General": "सामान्य", "Room Addresses": "रूम का पता", - "Publish this room to the public in %(domain)s's room directory?": "इस कमरे को %(domain)s के कमरे की निर्देशिका में जनता के लिए प्रकाशित करें?", - "URL Previews": "URL पूर्वावलोकन", "Failed to change password. Is your password correct?": "पासवर्ड बदलने में विफल। क्या आपका पासवर्ड सही है?", "Profile": "प्रोफाइल", "Account": "अकाउंट", @@ -226,7 +223,6 @@ "Ignored users": "अनदेखी उपयोगकर्ताओं", "Bulk options": "थोक विकल्प", "Reject all %(invitedRooms)s invites": "सभी %(invitedRooms)s की आमंत्रण को अस्वीकार करें", - "Security & Privacy": "सुरक्षा और गोपनीयता", "No media permissions": "मीडिया की अनुमति नहीं", "Missing media permissions, click the button below to request.": "मीडिया अनुमतियाँ गुम, अनुरोध करने के लिए नीचे दिए गए बटन पर क्लिक करें।", "Request media permissions": "मीडिया अनुमति का अनुरोध करें", @@ -238,7 +234,6 @@ "Voice & Video": "ध्वनि और वीडियो", "Failed to unban": "अप्रतिबंधित करने में विफल", "Banned by %(displayName)s": "%(displayName)s द्वारा प्रतिबंधित", - "No users have specific privileges in this room": "इस कमरे में किसी भी उपयोगकर्ता के विशेष विशेषाधिकार नहीं हैं", "The file '%(fileName)s' failed to upload.": "फ़ाइल '%(fileName)s' अपलोड करने में विफल रही।", "The user must be unbanned before they can be invited.": "उपयोगकर्ता को आमंत्रित करने से पहले उन्हें प्रतिबंधित किया जाना चाहिए।", "Explore rooms": "रूम का अन्वेषण करें", @@ -669,7 +664,8 @@ "auth": { "sso": "केवल हस्ताक्षर के ऊपर", "footer_powered_by_matrix": "मैट्रिक्स द्वारा संचालित", - "register_action": "खाता बनाएं" + "register_action": "खाता बनाएं", + "phone_label": "फ़ोन" }, "setting": { "help_about": { @@ -712,5 +708,25 @@ }, "devtools": { "widget_screenshots": "समर्थित विजेट्स पर विजेट स्क्रीनशॉट सक्षम करें" + }, + "room": { + "drop_file_prompt": "अपलोड करने के लिए यहां फ़ाइल ड्रॉप करें" + }, + "space": { + "context_menu": { + "explore": "रूम का अन्वेषण करें" + } + }, + "room_settings": { + "permissions": { + "no_privileged_users": "इस कमरे में किसी भी उपयोगकर्ता के विशेष विशेषाधिकार नहीं हैं" + }, + "security": { + "title": "सुरक्षा और गोपनीयता" + }, + "general": { + "publish_toggle": "इस कमरे को %(domain)s के कमरे की निर्देशिका में जनता के लिए प्रकाशित करें?", + "url_previews_section": "URL पूर्वावलोकन" + } } -} \ No newline at end of file +} diff --git a/src/i18n/strings/hu.json b/src/i18n/strings/hu.json index 4329eb71be..53d6e6bd0a 100644 --- a/src/i18n/strings/hu.json +++ b/src/i18n/strings/hu.json @@ -21,15 +21,12 @@ }, "A new password must be entered.": "Új jelszót kell megadni.", "An error has occurred.": "Hiba történt.", - "Anyone": "Bárki", "Are you sure?": "Biztos?", "Are you sure you want to leave the room '%(roomName)s'?": "Biztos, hogy elhagyja a(z) „%(roomName)s” szobát?", "Are you sure you want to reject the invitation?": "Biztos, hogy elutasítja a meghívást?", - "Banned users": "Kitiltott felhasználók", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Nem lehet kapcsolódni a Matrix-kiszolgálóhoz – ellenőrizze a kapcsolatot, győződjön meg arról, hogy a Matrix-kiszolgáló tanúsítványa hiteles, és hogy a böngészőkiegészítők nem blokkolják a kéréseket.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Nem lehet HTTP-vel csatlakozni a Matrix-kiszolgálóhoz, ha HTTPS van a böngésző címsorában. Vagy használjon HTTPS-t vagy engedélyezze a nem biztonságos parancsfájlokat.", "Change Password": "Jelszó módosítása", - "Commands": "Parancsok", "Confirm password": "Jelszó megerősítése", "Cryptography": "Titkosítás", "Current password": "Jelenlegi jelszó", @@ -77,13 +74,10 @@ "": "", "No display name": "Nincs megjelenítendő név", "No more results": "Nincs több találat", - "No users have specific privileges in this room": "Egy felhasználónak sincsenek specifikus jogosultságai ebben a szobában", "Passwords can't be empty": "A jelszó nem lehet üres", - "Permissions": "Jogosultságok", "Phone": "Telefon", "Please check your email and click on the link it contains. Once this is done, click continue.": "Nézze meg a levelét és kattintson a benne lévő hivatkozásra. Ha ez megvan, kattintson a folytatásra.", "Power level must be positive integer.": "A szintnek pozitív egésznek kell lennie.", - "Privileged Users": "Privilegizált felhasználók", "Profile": "Profil", "Reason": "Ok", "Reject invitation": "Meghívó elutasítása", @@ -122,16 +116,11 @@ "Upload avatar": "Profilkép feltöltése", "Upload Failed": "Feltöltés sikertelen", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (szint: %(powerLevelNumber)s)", - "Users": "Felhasználók", "Verification Pending": "Ellenőrzés függőben", "Verified key": "Ellenőrzött kulcs", "Warning!": "Figyelmeztetés!", - "Who can read history?": "Ki olvashatja a régi üzeneteket?", "You cannot place a call with yourself.": "Nem hívhatja fel saját magát.", "You do not have permission to post to this room": "Nincs jogod üzenetet küldeni ebbe a szobába", - "You have disabled URL previews by default.": "Az URL előnézet alapból tiltva van.", - "You have enabled URL previews by default.": "Az URL előnézet alapból engedélyezve van.", - "You must register to use this functionality": "Regisztrálnod kell hogy ezt használhasd", "You need to be able to invite users to do that.": "Hogy ezt tegye, ahhoz meg kell tudnia hívni felhasználókat.", "You need to be logged in.": "Be kell jelentkeznie.", "You seem to be in a call, are you sure you want to quit?": "Úgy tűnik hívásban vagy, biztosan kilépsz?", @@ -173,7 +162,6 @@ "Import room keys": "Szoba kulcsok betöltése", "File to import": "Fájl betöltése", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "A kimentett fájl jelmondattal van védve. A kibontáshoz add meg a jelmondatot.", - "You must join the room to see its files": "Ahhoz hogy lásd a fájlokat be kell lépned a szobába", "Reject all %(invitedRooms)s invites": "Mind a(z) %(invitedRooms)s meghívó elutasítása", "Failed to invite": "Meghívás sikertelen", "Confirm Removal": "Törlés megerősítése", @@ -184,8 +172,6 @@ "Error decrypting image": "Hiba a kép visszafejtésénél", "Error decrypting video": "Hiba a videó visszafejtésénél", "Add an Integration": "Integráció hozzáadása", - "URL Previews": "URL előnézet", - "Drop file here to upload": "Feltöltéshez húzz ide egy fájlt", "Something went wrong!": "Valami rosszul sikerült.", "Your browser does not support the required cryptography extensions": "A böngészője nem támogatja a szükséges titkosítási kiterjesztéseket", "Not a valid %(brand)s keyfile": "Nem érvényes %(brand)s kulcsfájl", @@ -203,7 +189,6 @@ "Unable to create widget.": "Nem lehet kisalkalmazást létrehozni.", "You are not in this room.": "Nem tagja ennek a szobának.", "You do not have permission to do that in this room.": "Nincs jogosultsága ezt tenni ebben a szobában.", - "Publish this room to the public in %(domain)s's room directory?": "Publikálod a szobát a(z) %(domain)s szoba listájába?", "Copied!": "Másolva!", "Failed to copy": "Sikertelen másolás", "Unignore": "Mellőzés feloldása", @@ -219,20 +204,13 @@ }, "Delete Widget": "Kisalkalmazás törlése", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "A kisalkalmazás törlése minden felhasználót érint a szobában. Biztos, hogy törli a kisalkalmazást?", - "Members only (since the point in time of selecting this option)": "Csak tagok számára (a beállítás kiválasztásától)", - "Members only (since they were invited)": "Csak tagoknak (a meghívásuk idejétől)", - "Members only (since they joined)": "Csak tagoknak (amióta csatlakoztak)", "A text message has been sent to %(msisdn)s": "Szöveges üzenetet küldtünk neki: %(msisdn)s", "%(items)s and %(count)s others": { "other": "%(items)s és még %(count)s másik", "one": "%(items)s és még egy másik" }, - "Notify the whole room": "Az egész szoba értesítése", - "Room Notification": "Szoba értesítések", "Please note you are logging into the %(hs)s server, not matrix.org.": "Vegye figyelembe, hogy a(z) %(hs)s kiszolgálóra jelentkezik be, és nem a matrix.org-ra.", "Restricted": "Korlátozott", - "URL previews are enabled by default for participants in this room.": "Az URL előnézetek alapértelmezetten engedélyezve vannak a szobában jelenlévőknek.", - "URL previews are disabled by default for participants in this room.": "Az URL előnézet alapértelmezetten tiltva van a szobában jelenlévőknek.", "%(duration)ss": "%(duration)s mp", "%(duration)sm": "%(duration)s p", "%(duration)sh": "%(duration)s ó", @@ -282,7 +260,6 @@ "We encountered an error trying to restore your previous session.": "Hiba történt az előző munkamenet helyreállítási kísérlete során.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "A böngésző tárolójának törlése megoldhatja a problémát, de ezzel kijelentkezik és a titkosított beszélgetéseinek előzményei olvashatatlanná válnak.", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Nem lehet betölteni azt az eseményt amire válaszoltál, mert vagy nem létezik, vagy nincs jogod megnézni.", - "Muted Users": "Elnémított felhasználók", "Terms and Conditions": "Általános Szerződési Feltételek", "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "A(z) %(homeserverDomain)s Matrix-kiszolgáló használatának folytatásához el kell olvasnia és el kell fogadnia a felhasználási feltételeket.", "Review terms and conditions": "Általános Szerződési Feltételek elolvasása", @@ -297,8 +274,6 @@ "Share User": "Felhasználó megosztása", "Share Room Message": "Szoba üzenetének megosztása", "Link to selected message": "Hivatkozás a kijelölt üzenethez", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "A titkosított szobákban, mint például ez is, az URL előnézet alapértelmezetten ki van kapcsolva, hogy biztosított legyen, hogy a Matrix szerver (ahol az előnézet készül) ne tudjon információt gyűjteni arról, hogy milyen linkeket látsz ebben a szobában.", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Ha valaki URL linket helyez az üzenetébe, lehetőség van egy előnézet megjelenítésére amivel további információt kaphatunk a linkről, mint cím, leírás és a weboldal képe.", "You can't send any messages until you review and agree to our terms and conditions.": "Nem tudsz üzenetet küldeni amíg nem olvasod el és nem fogadod el a felhasználási feltételeket.", "Demote yourself?": "Lefokozod magad?", "Demote": "Lefokozás", @@ -382,11 +357,7 @@ "Phone numbers": "Telefonszámok", "Language and region": "Nyelv és régió", "Account management": "Fiókkezelés", - "Roles & Permissions": "Szerepek és jogosultságok", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "A üzenetek olvashatóságának változtatása csak az új üzenetekre lesz érvényes. A régi üzenetek láthatósága nem fog változni.", - "Security & Privacy": "Biztonság és adatvédelem", "Encryption": "Titkosítás", - "Once enabled, encryption cannot be disabled.": "Ha egyszer bekapcsolod, már nem lehet kikapcsolni.", "Ignored users": "Mellőzött felhasználók", "Bulk options": "Tömeges beállítások", "Missing media permissions, click the button below to request.": "Hiányzó média jogosultságok, kattintson a lenti gombra a jogosultságok megadásához.", @@ -399,7 +370,6 @@ "Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Ellenőrizd ezt a felhasználót, hogy megbízhatónak lehessen tekinteni. Megbízható felhasználók további nyugalmat jelenthetnek ha végpontól végpontig titkosítást használsz.", "Incoming Verification Request": "Bejövő Hitelesítési Kérés", "Email (optional)": "E-mail (nem kötelező)", - "Phone (optional)": "Telefonszám (nem kötelező)", "Join millions for free on the largest public server": "Csatlakozzon több millió felhasználóhoz ingyen a legnagyobb nyilvános szerveren", "Create account": "Fiók létrehozása", "Recovery Method Removed": "Helyreállítási mód törölve", @@ -490,10 +460,6 @@ "Could not load user profile": "A felhasználói profil nem tölthető be", "The user must be unbanned before they can be invited.": "Előbb vissza kell vonni felhasználó kitiltását, mielőtt újra meghívható lesz.", "Accept all %(invitedRooms)s invites": "Mind a(z) %(invitedRooms)s meghívó elfogadása", - "Send %(eventType)s events": "%(eventType)s esemény küldése", - "Select the roles required to change various parts of the room": "A szoba bizonyos beállításainak megváltoztatásához szükséges szerep kiválasztása", - "Enable encryption?": "Titkosítás engedélyezése?", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Ha egyszer engedélyezve lett, a szoba titkosítását nem lehet kikapcsolni. A titkosított szobákban küldött üzenetek a kiszolgáló számára nem, csak a szoba tagjai számára láthatók. A titkosítás bekapcsolása megakadályoz sok botot és hidat a megfelelő működésben. Tudjon meg többet a titkosításról.", "Power level": "Hozzáférési szint", "Upgrade this room to the recommended room version": "A szoba fejlesztése a javasolt szobaverzióra", "This room is running room version , which this homeserver has marked as unstable.": "A szoba verziója: , amelyet a Matrix-kiszolgáló instabilnak tekint.", @@ -577,7 +543,6 @@ "Notification sound": "Értesítési hang", "Set a new custom sound": "Új egyénii hang beállítása", "Browse": "Böngészés", - "Use lowercase letters, numbers, dashes and underscores only": "Csak kisbetűt, számokat, kötőjeleket és aláhúzásokat használj", "Cannot reach identity server": "Az azonosítási kiszolgáló nem érhető el", "You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Regisztrálhat, de néhány funkció nem lesz elérhető, amíg az azonosítási kiszolgáló újra elérhető nem lesz. Ha ezt a figyelmeztetést folyamatosan látja, akkor ellenőrizze a beállításokat, vagy vegye fel a kapcsolatot a kiszolgáló rendszergazdájával.", "You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "A jelszavát visszaállíthatja, de néhány funkció nem lesz elérhető, amíg az azonosítási kiszolgáló újra elérhető nem lesz. Ha ezt a figyelmeztetést folyamatosan látja, akkor ellenőrizze a beállításokat, vagy vegye fel a kapcsolatot a kiszolgáló rendszergazdájával.", @@ -595,10 +560,6 @@ "Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Kérlek mond el nekünk mi az ami nem működött, vagy még jobb, ha egy GitHub jegyben leírod a problémát.", "Find others by phone or email": "Keressen meg másokat telefonszám vagy e-mail-cím alapján", "Be found by phone or email": "Találják meg telefonszám vagy e-mail-cím alapján", - "Use bots, bridges, widgets and sticker packs": "Használjon botokat, hidakat, kisalkalmazásokat és matricacsomagokat", - "Terms of Service": "Felhasználási feltételek", - "Service": "Szolgáltatás", - "Summary": "Összefoglaló", "Call failed due to misconfigured server": "A hívás a helytelenül beállított kiszolgáló miatt sikertelen", "Please ask the administrator of your homeserver (%(homeserverDomain)s) to configure a TURN server in order for calls to work reliably.": "Kérje meg a Matrix-kiszolgáló (%(homeserverDomain)s) rendszergazdáját, hogy a hívások megfelelő működéséhez állítson be egy TURN-kiszolgálót.", "Accept to continue:": " elfogadása a továbblépéshez:", @@ -669,18 +630,11 @@ "Show advanced": "Speciális beállítások megjelenítése", "Close dialog": "Ablak bezárása", "Show image": "Kép megjelenítése", - "To continue you need to accept the terms of this service.": "A folytatáshoz el kell fogadnia a felhasználási feltételeket.", - "Document": "Dokumentum", - "Emoji Autocomplete": "Emodzsi automatikus kiegészítése", - "Notification Autocomplete": "Értesítés automatikus kiegészítése", - "Room Autocomplete": "Szoba automatikus kiegészítése", - "User Autocomplete": "Felhasználó automatikus kiegészítése", "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "A Matrix-kiszolgáló konfigurációjából hiányzik a captcha nyilvános kulcsa. Értesítse erről a Matrix-kiszolgáló rendszergazdáját.", "Your email address hasn't been verified yet": "Az e-mail-címe még nincs ellenőrizve", "Click the link in the email you received to verify and then click continue again.": "Ellenőrzéshez kattints a linkre az e-mailben amit kaptál és itt kattints a folytatásra újra.", "Add Email Address": "E-mail-cím hozzáadása", "Add Phone Number": "Telefonszám hozzáadása", - "%(creator)s created and configured the room.": "%(creator)s elkészítette és beállította a szobát.", "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "A kapcsolat bontása előtt törölje a személyes adatait a(z) azonosítási kiszolgálóról. Sajnos a(z) azonosítási kiszolgáló jelenleg nem érhető el.", "You should:": "Ezt kellene tennie:", "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "ellenőrizze a böngészőkiegészítőket, hogy nem blokkolja-e valami az azonosítási kiszolgálót (például a Privacy Badger)", @@ -689,7 +643,6 @@ "Failed to deactivate user": "A felhasználó felfüggesztése nem sikerült", "This client does not support end-to-end encryption.": "A kliens nem támogatja a végponttól végpontig való titkosítást.", "Messages in this room are not end-to-end encrypted.": "Az üzenetek a szobában nincsenek végponttól végpontig titkosítva.", - "Command Autocomplete": "Parancs automatikus kiegészítés", "Cancel search": "Keresés megszakítása", "Jump to first unread room.": "Ugrás az első olvasatlan szobához.", "Jump to first invite.": "Újrás az első meghívóhoz.", @@ -848,7 +801,6 @@ "The encryption used by this room isn't supported.": "A szobában használt titkosítás nem támogatott.", "Clear all data in this session?": "Minden adat törlése ebben a munkamenetben?", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Az adatok törlése ebből a munkamenetből végleges. A titkosított üzenetek elvesznek hacsak nincsenek elmentve a kulcsai.", - "Verify session": "Munkamenet ellenőrzése", "Session name": "Munkamenet neve", "Session key": "Munkamenetkulcs", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "A felhasználó ellenőrzése által az ő munkamenete megbízhatónak lesz jelölve, és a te munkameneted is megbízhatónak lesz jelölve nála.", @@ -961,7 +913,6 @@ "New version available. Update now.": "Új verzió érhető el. Frissítés most.", "Please verify the room ID or address and try again.": "Ellenőrizze a szobaazonosítót vagy a címet, és próbálja újra.", "Room ID or address of ban list": "A tiltólista szobaazonosítója vagy címe", - "To link to this room, please add an address.": "Hogy linkelhess egy szobához, adj hozzá egy címet.", "Error creating address": "Cím beállítási hiba", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "A cím beállításánál hiba történt. Vagy nincs engedélyezve a szerveren vagy átmeneti hiba történt.", "You don't have permission to delete the address.": "A cím törléséhez nincs jogosultságod.", @@ -976,8 +927,6 @@ "No recently visited rooms": "Nincsenek nemrégiben meglátogatott szobák", "Message preview": "Üzenet előnézet", "Room options": "Szoba beállítások", - "Switch to light mode": "Világos módra váltás", - "Switch to dark mode": "Sötét módra váltás", "Switch theme": "Kinézet váltása", "All settings": "Minden beállítás", "Looks good!": "Jónak tűnik!", @@ -1018,8 +967,6 @@ "The server is not configured to indicate what the problem is (CORS).": "A kiszolgáló nem úgy van beállítva, hogy megjelenítse a probléma forrását (CORS).", "Recent changes that have not yet been received": "A legutóbbi változások, amelyek még nem érkeztek meg", "Master private key:": "Elsődleges titkos kulcs:", - "No files visible in this room": "Ebben a szobában nincsenek fájlok", - "Attach files from chat or just drag and drop them anywhere in a room.": "Csatolj fájlt a csevegésből vagy húzd és ejtsd bárhova a szobában.", "Explore public rooms": "Nyilvános szobák felfedezése", "Unexpected server error trying to leave the room": "Váratlan kiszolgálóhiba lépett fel a szobából való kilépés során", "Error leaving room": "Hiba a szoba elhagyásakor", @@ -1164,9 +1111,6 @@ "Bosnia": "Bosznia", "Bolivia": "Bolívia", "Bhutan": "Bhután", - "Topic: %(topic)s (edit)": "Téma: %(topic)s (szerkesztés)", - "This is the beginning of your direct message history with .": "Ez a közvetlen beszélgetés kezdete felhasználóval.", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Csak önök ketten vannak ebben a beszélgetésben, hacsak valamelyikőjük nem hív meg valakit, hogy csatlakozzon.", "Zimbabwe": "Zimbabwe", "Zambia": "Zambia", "Yemen": "Jemen", @@ -1329,13 +1273,6 @@ "Greenland": "Grönland", "Greece": "Görögország", "Gibraltar": "Gibraltár", - "%(creator)s created this DM.": "%(creator)s hozta létre ezt az üzenetet.", - "This is the start of .": "Ez a(z) kezdete.", - "Add a photo, so people can easily spot your room.": "Állítson be egy fényképet, hogy az emberek könnyebben felismerjék a szobáját.", - "%(displayName)s created this room.": "%(displayName)s készítette ezt a szobát.", - "You created this room.": "Te készítetted ezt a szobát.", - "Add a topic to help people know what it is about.": "Állítsd be a szoba témáját, hogy az emberek tudják, hogy miről van itt szó.", - "Topic: %(topic)s ": "Téma: %(topic)s ", "There was a problem communicating with the homeserver, please try again later.": "A kiszolgálóval való kommunikáció során probléma történt, próbálja újra.", "That phone number doesn't look quite right, please check and try again": "Ez a telefonszám nem tűnik teljesen helyesnek, kérlek ellenőrizd újra", "Enter phone number": "Telefonszám megadása", @@ -1349,16 +1286,12 @@ "Reason (optional)": "Ok (opcionális)", "You've reached the maximum number of simultaneous calls.": "Elérte az egyidejű hívások maximális számát.", "Too Many Calls": "Túl sok hívás", - "Use email to optionally be discoverable by existing contacts.": "Az e-mail (nem kötelező) megadása segíthet abban, hogy az ismerőseid megtaláljanak Matrix-on.", - "Use email or phone to optionally be discoverable by existing contacts.": "Az e-mail, vagy telefonszám használatával a jelenlegi ismerőseid is megtalálhatnak.", - "Add an email to be able to reset your password.": "Adj meg egy e-mail címet, hogy vissza tudd állítani a jelszavad.", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Csak egy figyelmeztetés, ha nem ad meg e-mail-címet, és elfelejti a jelszavát, akkor véglegesen elveszíti a hozzáférést a fiókjához.", "Server Options": "Szerver lehetőségek", "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { "one": "A titkosított üzenetek biztonságos helyi gyorsítótárazása, hogy megjelenhessenek a keresési találatok között, ehhez %(size)s helyet használ %(rooms)s szoba üzeneteihez.", "other": "A titkosított üzenetek biztonságos helyi gyorsítótárazása, hogy megjelenhessenek a keresési találatok között, ehhez %(size)s helyet használ %(rooms)s szoba üzeneteihez." }, - "You have no visible notifications.": "Nincsenek látható értesítések.", "Transfer": "Átadás", "Failed to transfer call": "A hívás átadása nem sikerült", "A call can only be transferred to a single user.": "Csak egy felhasználónak lehet átadni a hívást.", @@ -1399,12 +1332,10 @@ "Allow this widget to verify your identity": "A kisalkalmazás ellenőrizheti a személyazonosságát", "Recently visited rooms": "Nemrég meglátogatott szobák", "Original event source": "Eredeti esemény forráskód", - "Decrypted event source": "Visszafejtett esemény forráskód", "%(count)s members": { "one": "%(count)s tag", "other": "%(count)s tag" }, - "Your server does not support showing space hierarchies.": "A kiszolgálója nem támogatja a terek hierarchiájának megjelenítését.", "Are you sure you want to leave the space '%(spaceName)s'?": "Biztos, hogy elhagyja ezt a teret: %(spaceName)s?", "This space is not public. You will not be able to rejoin without an invite.": "Ez a tér nem nyilvános. Kilépés után csak újabb meghívóval lehet újra belépni.", "Start audio stream": "Hang folyam indítása", @@ -1439,11 +1370,6 @@ " invites you": " meghívta", "You may want to try a different search or check for typos.": "Esetleg próbáljon ki egy másik keresést vagy nézze át elgépelések után.", "No results found": "Nincs találat", - "Mark as suggested": "Javasoltnak jelölés", - "Mark as not suggested": "Nem javasoltnak jelölés", - "Failed to remove some rooms. Try again later": "Néhány szoba törlése sikertelen. Próbálja később", - "Suggested": "Javaslat", - "This room is suggested as a good one to join": "Ez egy javasolt szoba csatlakozáshoz", "%(count)s rooms": { "one": "%(count)s szoba", "other": "%(count)s szoba" @@ -1468,8 +1394,6 @@ "one": "%(count)s ismerős már csatlakozott", "other": "%(count)s ismerős már csatlakozott" }, - "Invite to just this room": "Meghívás csak ebbe a szobába", - "Manage & explore rooms": "Szobák kezelése és felderítése", "unknown person": "ismeretlen személy", "%(deviceId)s from %(ip)s": "%(deviceId)s innen: %(ip)s", "Review to ensure your account is safe": "Tekintse át, hogy meggyőződjön arról, hogy a fiókja biztonságban van", @@ -1493,7 +1417,6 @@ "Failed to send": "Küldés sikertelen", "Enter your Security Phrase a second time to confirm it.": "A megerősítéshez adja meg a biztonsági jelmondatot még egyszer.", "You have no ignored users.": "Nincsenek mellőzött felhasználók.", - "Select a room below first": "Először válasszon ki szobát alulról", "Want to add a new room instead?": "Inkább új szobát adna hozzá?", "Adding rooms... (%(progress)s out of %(count)s)": { "one": "Szobák hozzáadása…", @@ -1510,7 +1433,6 @@ "To leave the beta, visit your settings.": "A beállításokban tudja elhagyni a bétát.", "Add reaction": "Reakció hozzáadása", "Message search initialisation failed": "Az üzenetkeresés előkészítése sikertelen", - "Space Autocomplete": "Tér automatikus kiegészítése", "Search names and descriptions": "Nevek és leírások keresése", "You may contact me if you have any follow up questions": "Ha további kérdés merülne fel, kapcsolatba léphetnek velem", "Currently joining %(count)s rooms": { @@ -1529,7 +1451,6 @@ "Error loading Widget": "Hiba a kisalkalmazás betöltése során", "Pinned messages": "Kitűzött üzenetek", "Nothing pinned, yet": "Még semmi sincs kitűzve", - "End-to-end encryption isn't enabled": "Végpontok közötti titkosítás nincs engedélyezve", "Some invites couldn't be sent": "Néhány meghívót nem sikerült elküldeni", "Message search initialisation failed, check your settings for more information": "Üzenek keresés kezdő beállítása sikertelen, ellenőrizze a beállításait további információkért", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Cím beállítása ehhez a térhez, hogy a felhasználók a matrix szerveren megtalálhassák (%(localDomain)s)", @@ -1543,7 +1464,6 @@ "Collapse reply thread": "Üzenetszál összecsukása", "Show preview": "Előnézet megjelenítése", "View source": "Forrás megtekintése", - "Settings - %(spaceName)s": "Beállítások – %(spaceName)s", "Please provide an address": "Kérem adja meg a címet", "This space has no local addresses": "Ennek a térnek nincs helyi címe", "Space information": "Tér információi", @@ -1595,8 +1515,6 @@ "Could not connect media": "Média kapcsolat nem hozható létre", "Call back": "Visszahívás", "Access": "Hozzáférés", - "People with supported clients will be able to join the room without having a registered account.": "Emberek támogatott kliensekkel, még regisztrált fiók nélkül is, beléphetnek a szobába.", - "Decide who can join %(roomName)s.": "Döntse el ki léphet be ide: %(roomName)s.", "Space members": "Tértagság", "Anyone in a space can find and join. You can select multiple spaces.": "A téren bárki megtalálhatja és beléphet. Több teret is kiválaszthat.", "Spaces with access": "Terek hozzáféréssel", @@ -1650,21 +1568,13 @@ "Unknown failure: %(reason)s": "Ismeretlen hiba: %(reason)s", "No answer": "Nincs válasz", "Delete avatar": "Profilkép törlése", - "Are you sure you want to add encryption to this public room?": "Biztos, hogy titkosítást állít be ehhez a nyilvános szobához?", "Cross-signing is ready but keys are not backed up.": "Az eszközök közti hitelesítés készen áll, de a kulcsokról nincs biztonsági mentés.", "Rooms and spaces": "Szobák és terek", "Results": "Eredmények", - "Enable encryption in settings.": "Titkosítás bekapcsolása a beállításokban.", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "A privát üzenetek általában titkosítottak de ez a szoba nem az. Általában ez a titkosítást nem támogató eszköz vagy metódus használata miatt lehet, mint az e-mail meghívók.", - "To avoid these issues, create a new public room for the conversation you plan to have.": "Az ehhez hasonló problémák elkerüléséhez készítsen új nyilvános szobát a tervezett beszélgetésekhez.", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "Titkosított szobát nem célszerű nyilvánossá tenni. Bárki megtalálhatja és csatlakozhat nyilvános szobákhoz, így bárki elolvashatja az üzeneteket bennük. A titkosítás előnyeit így nem jelentkeznek és később ezt nem lehet kikapcsolni. Nyilvános szobákban a titkosított üzenetek az üzenetküldést és fogadást csak lassítják.", - "Are you sure you want to make this encrypted room public?": "Biztos, hogy nyilvánossá teszi ezt a titkosított szobát?", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "Az ehhez hasonló problémák elkerüléséhez készítsen új titkosított szobát a tervezett beszélgetésekhez.", "Some encryption parameters have been changed.": "Néhány titkosítási paraméter megváltozott.", "Role in ": "Szerep itt: ", "Unknown failure": "Ismeretlen hiba", "Failed to update the join rules": "A csatlakozási szabályokat nem sikerült frissíteni", - "Select the roles required to change various parts of the space": "A tér bizonyos beállításainak megváltoztatásához szükséges szerep kiválasztása", "Anyone in can find and join. You can select other spaces too.": "A(z) téren bárki megtalálhatja és beléphet. Kiválaszthat más tereket is.", "Message didn't send. Click for info.": "Az üzenet nincs elküldve. Kattintson az információkért.", "To join a space you'll need an invite.": "A térre való belépéshez meghívóra van szükség.", @@ -1711,34 +1621,18 @@ }, "View in room": "Megjelenítés szobában", "Enter your Security Phrase or to continue.": "Adja meg a biztonsági jelmondatot vagy a folytatáshoz.", - "See room timeline (devtools)": "Szoba idővonal megjelenítése (fejlesztői eszközök)", "Joined": "Csatlakozott", "Insert link": "Link beillesztése", "Joining": "Belépés", - "Click the button below to confirm signing out these devices.": { - "other": "Ezeknek a eszközöknek törlésének a megerősítéséhez kattintson a gombra lent.", - "one": "Az eszközből való kilépés megerősítéséhez kattintson a lenti gombra." - }, "You do not have permission to start polls in this room.": "Nincs joga szavazást kezdeményezni ebben a szobában.", "This room isn't bridging messages to any platforms. Learn more.": "Ez a szoba egy platformra sem hidalja át az üzeneteket. Tudjon meg többet.", "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Ez a szoba olyan terekben is benne van, amelynek nem Ön az adminisztrátora. Ezekben a terekben továbbra is a régi szoba jelenik meg, de az emberek jelzést kapnak, hogy lépjenek be az újba.", - "Select all": "Mindet kijelöli", - "Deselect all": "Semmit nem jelöl ki", - "Sign out devices": { - "one": "Eszközből való kijelentkezés", - "other": "Eszközökből való kijelentkezés" - }, - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "Az eszközből való kijelentkezéshez erősítse meg a személyazonosságát az egyszeri bejelentkezés használatával.", - "other": "Az eszközökből való kijelentkezéshez erősítse meg a személyazonosságát az egyszeri bejelentkezés használatával." - }, "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "A biztonsági kulcsot tárolja biztonságos helyen, például egy jelszókezelőben vagy egy széfben, mivel ez tartja biztonságban a titkosított adatait.", "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "A biztonsági kulcsodat elkészül, ezt tárolja valamilyen biztonságos helyen, például egy jelszókezelőben vagy egy széfben.", "Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "Szerezze vissza a hozzáférést a fiókjához és állítsa vissza az elmentett titkosítási kulcsokat ebben a munkamenetben. Ezek nélkül egyetlen munkamenetben sem tudja elolvasni a titkosított üzeneteit.", "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Az ellenőrzés nélkül nem fér hozzá az összes üzenetéhez és mások számára megbízhatatlannak fog látszani.", "Copy link to thread": "Hivatkozás másolása az üzenetszálba", "Thread options": "Üzenetszál beállításai", - "You're all caught up": "Minden elolvasva", "If you can't see who you're looking for, send them your invite link below.": "Ha nem található a keresett személy, küldje el az alábbi hivatkozást neki.", "Add option": "Lehetőség hozzáadása", "Write an option": "Adjon meg egy lehetőséget", @@ -1751,7 +1645,6 @@ "Yours, or the other users' session": "Az ön vagy a másik felhasználó munkamenete", "Yours, or the other users' internet connection": "Az ön vagy a másik felhasználó Internet kapcsolata", "The homeserver the user you're verifying is connected to": "Az ellenőrizendő felhasználó ehhez a Matrix-kiszolgálóhoz kapcsolódik:", - "Someone already has that username. Try another or if it is you, sign in below.": "Valaki már használja ezt a felhasználói nevet. Próbáljon ki másikat, illetve ha ön az, jelentkezzen be alább.", "Reply in thread": "Válasz üzenetszálban", "Spaces to show": "Megjelenítendő terek", "Sidebar": "Oldalsáv", @@ -1819,7 +1712,6 @@ "Failed to end poll": "Nem sikerült a szavazás lezárása", "The poll has ended. Top answer: %(topAnswer)s": "A szavazás le lett zárva. Nyertes válasz: %(topAnswer)s", "The poll has ended. No votes were cast.": "A szavazás le lett zárva. Nem lettek leadva szavazatok.", - "Failed to load list of rooms.": "A szobák listájának betöltése nem sikerült.", "Open in OpenStreetMap": "Megnyitás az OpenStreetMapen", "Recent searches": "Keresési előzmények", "To search messages, look for this icon at the top of a room ": "Az üzenetek kereséséhez keresse ezt az ikont a szoba tetején: ", @@ -1857,7 +1749,6 @@ "Back to chat": "Vissza a csevegéshez", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Ismeretlen (felhasználó, munkamenet) páros: (%(userId)s, %(deviceId)s)", "Unrecognised room address: %(roomAlias)s": "Ismeretlen szoba cím: %(roomAlias)s", - "Space home": "Kezdő tér", "Could not fetch location": "Nem lehet elérni a földrajzi helyzetét", "Message pending moderation": "Üzenet moderálásra vár", "Message pending moderation: %(reason)s": "Az üzenet moderálásra vár, ok: %(reason)s", @@ -1871,14 +1762,11 @@ "Internal room ID": "Belső szobaazonosító", "Group all your people in one place.": "Csoportosítsa az összes ismerősét egy helyre.", "Group all your favourite rooms and people in one place.": "Csoportosítsa az összes kedvenc szobáját és ismerősét egy helyre.", - "Unable to check if username has been taken. Try again later.": "A felhasználói név foglaltságának ellenőrzése nem sikerült. Kérjük próbálja meg később.", "Pick a date to jump to": "Idő kiválasztása az ugráshoz", "Jump to date": "Ugrás időpontra", "The beginning of the room": "A szoba indulása", "Group all your rooms that aren't part of a space in one place.": "Csoportosítsa egy helyre az összes olyan szobát, amely nem egy tér része.", "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "A terek a szobák és emberek csoportosítási módjainak egyike. Azokon kívül, amelyekben benne van, használhat néhány előre meghatározottat is.", - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Ha tudja mit csinál, Element egy nyílt forráskódú szoftver, nézze meg a GitHubon (https://github.com/vector-im/element-web/) és segítsen!", - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Ha valaki azt kéri hogy másoljon/illesszen be itt valamit, nagy esély van rá hogy valaki becsapja!", "Wait!": "Várjon!", "This address does not point at this room": "Ez a cím nem erre a szobára mutat", "Location": "Földrajzi helyzet", @@ -1983,10 +1871,6 @@ "New room": "Új szoba", "View older version of %(spaceName)s.": "A(z) %(spaceName)s tér régebbi verziójának megtekintése.", "Upgrade this space to the recommended room version": "A tér frissítése a javasolt szobaverzióra", - "Confirm signing out these devices": { - "one": "Megerősítés ebből az eszközből való kijelentkezéshez", - "other": "Megerősítés ezekből az eszközökből való kijelentkezéshez" - }, "Failed to join": "Csatlakozás sikertelen", "The person who invited you has already left, or their server is offline.": "Aki meghívta a szobába már távozott, vagy a kiszolgálója nem érhető el.", "The person who invited you has already left.": "A személy, aki meghívta, már távozott.", @@ -2065,7 +1949,6 @@ "Show: %(instance)s rooms (%(server)s)": "Megjelenít: %(instance)s szoba (%(server)s)", "Add new server…": "Új szerver hozzáadása…", "Remove server “%(roomServer)s”": "Távoli szerver „%(roomServer)s”", - "Video rooms are a beta feature": "A videó szobák béta állapotúak", "Explore public spaces in the new search dialog": "Nyilvános terek felderítése az új keresőben", "Stop and close": "Befejezés és kilépés", "Online community members": "Online közösségek tagjai", @@ -2083,43 +1966,15 @@ }, "In %(spaceName)s.": "Ebben a térben: %(spaceName)s.", "In spaces %(space1Name)s and %(space2Name)s.": "Ezekben a terekben: %(space1Name)s és %(space2Name)s.", - "Send your first message to invite to chat": "Küldj egy üzenetet ahhoz, hogy meghívd felhasználót", "Messages in this chat will be end-to-end encrypted.": "Az üzenetek ebben a beszélgetésben végponti titkosítással vannak védve.", "We're creating a room with %(names)s": "Szobát készítünk: %(names)s", "Choose a locale": "Válasszon nyelvet", "Saved Items": "Mentett elemek", - "Last activity": "Utolsó tevékenység", - "Current session": "Jelenlegi munkamenet", "Sessions": "Munkamenetek", "Spell check": "Helyesírás-ellenőrzés", - "Inactive for %(inactiveAgeDays)s+ days": "Utolsó használat %(inactiveAgeDays)s+ napja", - "Session details": "Munkamenet információk", - "IP address": "IP cím", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "A legjobb biztonság érdekében ellenőrizze a munkameneteit, és jelentkezzen ki azokból, amelyeket nem ismer fel, vagy már nem használ.", - "Other sessions": "Más munkamenetek", - "Verify or sign out from this session for best security and reliability.": "A jobb biztonság vagy megbízhatóság érdekében ellenőrizze vagy jelentkezzen ki ebből a munkamenetből.", - "Unverified session": "Ellenőrizetlen munkamenet", - "This session is ready for secure messaging.": "Ez a munkamenet beállítva a biztonságos üzenetküldéshez.", - "Verified session": "Munkamenet hitelesítve", - "Inactive sessions": "Nem aktív munkamenetek", - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Erősítse meg a munkameneteit a még biztonságosabb csevegéshez vagy jelentkezzen ki ezekből, ha nem ismeri fel vagy már nem használja őket.", - "Unverified sessions": "Meg nem erősített munkamenetek", - "Security recommendations": "Biztonsági javaslatok", "Interactively verify by emoji": "Interaktív ellenőrzés emodzsikkal", "Manually verify by text": "Kézi szöveges ellenőrzés", - "Filter devices": "Szűrőeszközök", - "Inactive for %(inactiveAgeDays)s days or longer": "Inaktív %(inactiveAgeDays)s óta vagy annál hosszabb ideje", - "Inactive": "Inaktív", - "Not ready for secure messaging": "Nem áll készen a biztonságos üzenetküldésre", - "Ready for secure messaging": "Felkészülve a biztonságos üzenetküldésre", - "All": "Mind", - "No sessions found.": "Nincs munkamenet.", - "No inactive sessions found.": "Nincs inaktív munkamenet.", - "No unverified sessions found.": "Nincs ellenőrizetlen munkamenet.", - "No verified sessions found.": "Nincs ellenőrzött munkamenet.", - "For best security, sign out from any session that you don't recognize or use anymore.": "A legbiztonságosabb, ha minden olyan munkamenetből kijelentkezel, melyet már nem ismersz fel vagy nem használsz.", - "Verified sessions": "Ellenőrzött munkamenetek", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "Nyilvános szobához nem javasolt a titkosítás beállítása.Bárki megtalálhatja és csatlakozhat nyilvános szobákhoz, így bárki elolvashatja az üzeneteket bennük. A titkosítás előnyeit így nem jelentkeznek és később ezt nem lehet kikapcsolni. Nyilvános szobákban a titkosított üzenetek az üzenetküldést és fogadást csak lassítják.", "Empty room (was %(oldName)s)": "Üres szoba (%(oldName)s volt)", "Inviting %(user)s and %(count)s others": { "one": "%(user)s és 1 további meghívása", @@ -2133,16 +1988,7 @@ "%(user1)s and %(user2)s": "%(user1)s és %(user2)s", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s vagy %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s vagy %(recoveryFile)s", - "Proxy URL": "Proxy webcíme", - "Proxy URL (optional)": "Proxy webcíme (nem kötelező)", - "To disable you will need to log out and back in, use with caution!": "A kikapcsoláshoz ki, majd újra be kell jelentkezni, használja óvatosan.", - "Sliding Sync configuration": "Csúszó szinkronizáció beállítása", - "Your server lacks native support, you must specify a proxy": "A kiszolgálója nem támogatja natívan, proxy kiszolgálót kell beállítani", - "Your server lacks native support": "A kiszolgálója nem támogatja natívan", - "Your server has native support": "A kiszolgálója natívan támogatja", "Voice broadcast": "Hangközvetítés", - "Sign out of this session": "Kijelentkezés ebből a munkamenetből", - "Rename session": "Munkamenet átnevezése", "You need to be able to kick users to do that.": "Hogy ezt tegye, ahhoz ki kell tudnia rúgni felhasználókat.", "Video call ended": "Videó hívás befejeződött", "%(name)s started a video call": "%(name)s videóhívást indított", @@ -2152,9 +1998,6 @@ "Ongoing call": "Hívás folyamatban", "Video call (Jitsi)": "Videóhívás (Jitsi)", "Failed to set pusher state": "A leküldő állapotának beállítása sikertelen", - "Receive push notifications on this session.": "Leküldéses értesítések fogadása ebben a munkamenetben.", - "Push notifications": "Leküldéses értesítések", - "Toggle push notifications on this session.": "Leküldéses értesítések be- és kikapcsolása ebben a munkamenetben.", "Live": "Élő közvetítés", "Sorry — this call is currently full": "Bocsánat — ez a hívás betelt", "Unknown room": "Ismeretlen szoba", @@ -2164,12 +2007,6 @@ "Spotlight": "Reflektor", "Freedom": "Szabadság", "Video call (%(brand)s)": "Videó hívás (%(brand)s)", - "Unknown session type": "Ismeretlen munkamenet típus", - "Web session": "Webes munkamenet", - "Mobile session": "Mobil munkamenet", - "Desktop session": "Asztali munkamenet", - "Operating system": "Operációs rendszer", - "URL": "URL", "Call type": "Hívás típusa", "You do not have sufficient permissions to change this.": "Nincs megfelelő jogosultság a megváltoztatáshoz.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s végpontok között titkosított de jelenleg csak kevés számú résztvevővel működik.", @@ -2191,25 +2028,12 @@ "The scanned code is invalid.": "A beolvasott kód érvénytelen.", "The linking wasn't completed in the required time.": "Az összekötés az elvárt időn belül nem fejeződött be.", "Sign in new device": "Új eszköz bejelentkeztetése", - "Show QR code": "QR kód beolvasása", - "Sign in with QR code": "Belépés QR kóddal", - "Browser": "Böngésző", "Review and approve the sign in": "Belépés áttekintése és engedélyezés", - "You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.": "Ennek az eszköznek a felhasználásával és a QR kóddal beléptethet egy másik eszközt. Be kell olvasni a QR kódot azon az eszközön ami még nincs belépve.", "Are you sure you want to sign out of %(count)s sessions?": { "one": "Biztos, hogy ki szeretne lépni %(count)s munkamenetből?", "other": "Biztos, hogy ki szeretne lépni %(count)s munkamenetből?" }, "Show formatting": "Formázás megjelenítése", - "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Fontolja meg a kijelentkezést a régi munkamenetekből (%(inactiveAgeDays)s napnál régebbi) ha már nem használja azokat.", - "Removing inactive sessions improves security and performance, and makes it easier for you to identify if a new session is suspicious.": "Az inaktív munkamenetek törlése növeli a biztonságot és a sebességet, valamint egyszerűbbé teszi a gyanús munkamenetek felismerését.", - "Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.": "Az inaktív munkamenet olyan munkamenet amit már régóta nem használ de még mindig megkapják a titkosítási kulcsokat.", - "You should make especially certain that you recognise these sessions as they could represent an unauthorised use of your account.": "Egészen bizonyosodjon meg arról, hogy ismeri ezeket a munkameneteket mivel elképzelhető, hogy jogosulatlan fiókhasználatot jeleznek.", - "Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.": "Az ellenőrizetlen munkamenetek olyanok amivel a jelszavával bejelentkeztek de nem lett ellenőrizve.", - "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "Ez bizonyosságot adhat nekik abban, hogy valóban Önnel beszélnek, de azt is jelenti, hogy az itt beírt munkamenet nevét el tudják olvasni.", - "Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "Mások a közvetlen beszélgetésekben és szobákban, amiben jelen van, láthatják a munkameneteinek a listáját.", - "Renaming sessions": "Munkamenet átnevezése", - "Please be aware that session names are also visible to people you communicate with.": "Fontos, hogy a munkamenet neve a kommunikációban résztvevők számára látható.", "Error downloading image": "Kép letöltési hiba", "Unable to show image due to error": "Kép megjelenítése egy hiba miatt nem lehetséges", "Hide formatting": "Formázás elrejtése", @@ -2218,24 +2042,17 @@ "Video settings": "Videóbeállítások", "Automatically adjust the microphone volume": "Mikrofon hangerejének automatikus beállítása", "Voice settings": "Hangbeállítások", - "This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Ez azt jelenti, hogy a titkosított üzenetek visszafejtéséhez minden kulccsal rendelkezik valamint a többi felhasználó megbízhat ebben a munkamenetben.", - "Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Mindenhol ellenőrzött munkamenetek vannak ahol ezt a fiókot használja a jelmondattal vagy azonosította magát egy másik ellenőrzött munkamenetből.", "Send email": "E-mail küldés", "Sign out of all devices": "Kijelentkezés minden eszközből", "Confirm new password": "Új jelszó megerősítése", "Too many attempts in a short time. Retry after %(timeout)s.": "Rövid idő alatt túl sok próbálkozás. Próbálkozzon ennyi idő múlva: %(timeout)s.", "Too many attempts in a short time. Wait some time before trying again.": "Rövid idő alatt túl sok próbálkozás. Várjon egy kicsit mielőtt újra próbálkozik.", - "Show details": "Részletek megmutatása", - "Hide details": "Részletek elrejtése", - "For best security and privacy, it is recommended to use Matrix clients that support encryption.": "A biztonság és adatbiztonság érdekében javasolt olyan Matrix klienst használni ami támogatja a titkosítást.", - "You won't be able to participate in rooms where encryption is enabled when using this session.": "Ezzel a munkamenettel olyan szobákban ahol a titkosítás be van kapcsolva nem tud részt venni.", "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.": "Kísérletező kedvében van? Próbálja ki a legújabb fejlesztési ötleteinket. Ezek nincsenek befejezve; lehet, hogy instabilak, megváltozhatnak vagy el is tűnhetnek. Tudjon meg többet.", "Thread root ID: %(threadRootId)s": "Üzenetszál gyökerének azonosítója: %(threadRootId)s", "WARNING: ": "FIGYELEM: ", "We were unable to start a chat with the other user.": "A beszélgetést a másik felhasználóval nem lehetett elindítani.", "Error starting verification": "Ellenőrzés indításakor hiba lépett fel", "Change layout": "Képernyőbeosztás megváltoztatása", - "This session doesn't support encryption and thus can't be verified.": "Ez a munkamenet nem támogatja a titkosítást, így nem lehet ellenőrizni sem.", "Early previews": "Lehetőségek korai megjelenítése", "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "Mi várható a(z) %(brand)s fejlesztésében? A labor a legjobb hely az új dolgok kipróbálásához, visszajelzés adásához és a funkciók éles indulás előtti kialakításában történő segítséghez.", "Upcoming features": "Készülő funkciók", @@ -2245,30 +2062,17 @@ "You have unverified sessions": "Ellenőrizetlen bejelentkezései vannak", "Unable to decrypt message": "Üzenet visszafejtése sikertelen", "This message could not be decrypted": "Ezt az üzenetet nem lehet visszafejteni", - "Improve your account security by following these recommendations.": "Javítsa a fiókja biztonságát azzal, hogy követi a következő javaslatokat.", - "%(count)s sessions selected": { - "one": "%(count)s munkamenet kiválasztva", - "other": "%(count)s munkamenet kiválasztva" - }, "You can’t start a call as you are currently recording a live broadcast. Please end your live broadcast in order to start a call.": "Nem lehet hívást kezdeményezni élő közvetítés felvétele közben. Az élő közvetítés bejezése szükséges a hívás indításához.", "Can’t start a call": "Nem sikerült hívást indítani", " in %(room)s": " itt: %(room)s", "Failed to read events": "Az esemény olvasása sikertelen", "Failed to send event": "Az esemény küldése sikertelen", - "Verify your current session for enhanced secure messaging.": "Ellenőrizze az aktuális munkamenetet a biztonságos üzenetküldéshez.", - "Your current session is ready for secure messaging.": "Az aktuális munkamenet készen áll a biztonságos üzenetküldésre.", "Mark as read": "Megjelölés olvasottként", "Text": "Szöveg", "Create a link": "Hivatkozás készítése", - "Sign out of %(count)s sessions": { - "one": "Kijelentkezés %(count)s munkamenetből", - "other": "Kijelentkezés %(count)s munkamenetből" - }, - "Sign out of all other sessions (%(otherSessionsCount)s)": "Kijelentkezés minden munkamenetből (%(otherSessionsCount)s)", "You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Nem lehet hang üzenetet indítani élő közvetítés felvétele közben. Az élő közvetítés bejezése szükséges a hang üzenet indításához.", "Can't start voice message": "Hang üzenetet nem lehet elindítani", "Edit link": "Hivatkozás szerkesztése", - "Decrypted source unavailable": "A visszafejtett forrás nem érhető el", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", "%(senderName)s started a voice broadcast": "%(senderName)s hangos közvetítést indított", "Registration token": "Regisztrációs token", @@ -2335,7 +2139,6 @@ "Past polls": "Régi szavazások", "Active polls": "Aktív szavazások", "View poll in timeline": "Szavazás megjelenítése az idővonalon", - "Once everyone has joined, you’ll be able to chat": "Amint mindenki belépett lekezdheti a beszélgetést", "Verify Session": "Munkamenet ellenőrzése", "Ignore (%(counter)s)": "Mellőzés (%(counter)s)", "If you know a room address, try joining through that instead.": "Ha ismeri a szoba címét próbáljon inkább azzal belépni.", @@ -2477,7 +2280,9 @@ "orphan_rooms": "További szobák", "on": "Be", "off": "Ki", - "all_rooms": "Összes szoba" + "all_rooms": "Összes szoba", + "deselect_all": "Semmit nem jelöl ki", + "select_all": "Mindet kijelöli" }, "action": { "continue": "Folytatás", @@ -2652,7 +2457,15 @@ "rust_crypto_disabled_notice": "Jelenleg csak a config.json fájlban lehet engedélyezni", "automatic_debug_logs_key_backup": "Hibakeresési naplók automatikus küldése, ha a kulcsmentés nem működik", "automatic_debug_logs_decryption": "Hibakeresési naplók automatikus küldése titkosítás-visszafejtési hiba esetén", - "automatic_debug_logs": "Hibakeresési naplók automatikus küldése bármilyen hiba esetén" + "automatic_debug_logs": "Hibakeresési naplók automatikus küldése bármilyen hiba esetén", + "sliding_sync_server_support": "A kiszolgálója natívan támogatja", + "sliding_sync_server_no_support": "A kiszolgálója nem támogatja natívan", + "sliding_sync_server_specify_proxy": "A kiszolgálója nem támogatja natívan, proxy kiszolgálót kell beállítani", + "sliding_sync_configuration": "Csúszó szinkronizáció beállítása", + "sliding_sync_disable_warning": "A kikapcsoláshoz ki, majd újra be kell jelentkezni, használja óvatosan.", + "sliding_sync_proxy_url_optional_label": "Proxy webcíme (nem kötelező)", + "sliding_sync_proxy_url_label": "Proxy webcíme", + "video_rooms_beta": "A videó szobák béta állapotúak" }, "keyboard": { "home": "Kezdőlap", @@ -2747,7 +2560,19 @@ "placeholder_reply_encrypted": "Titkosított válasz küldése…", "placeholder_reply": "Válasz küldése…", "placeholder_encrypted": "Titkosított üzenet küldése…", - "placeholder": "Üzenet küldése…" + "placeholder": "Üzenet küldése…", + "autocomplete": { + "command_description": "Parancsok", + "command_a11y": "Parancs automatikus kiegészítés", + "emoji_a11y": "Emodzsi automatikus kiegészítése", + "@room_description": "Az egész szoba értesítése", + "notification_description": "Szoba értesítések", + "notification_a11y": "Értesítés automatikus kiegészítése", + "room_a11y": "Szoba automatikus kiegészítése", + "space_a11y": "Tér automatikus kiegészítése", + "user_description": "Felhasználók", + "user_a11y": "Felhasználó automatikus kiegészítése" + } }, "Bold": "Félkövér", "Link": "Hivatkozás", @@ -2999,6 +2824,95 @@ }, "keyboard": { "title": "Billentyűzet" + }, + "sessions": { + "rename_form_heading": "Munkamenet átnevezése", + "rename_form_caption": "Fontos, hogy a munkamenet neve a kommunikációban résztvevők számára látható.", + "rename_form_learn_more": "Munkamenet átnevezése", + "rename_form_learn_more_description_1": "Mások a közvetlen beszélgetésekben és szobákban, amiben jelen van, láthatják a munkameneteinek a listáját.", + "rename_form_learn_more_description_2": "Ez bizonyosságot adhat nekik abban, hogy valóban Önnel beszélnek, de azt is jelenti, hogy az itt beírt munkamenet nevét el tudják olvasni.", + "session_id": "Kapcsolat azonosító", + "last_activity": "Utolsó tevékenység", + "url": "URL", + "os": "Operációs rendszer", + "browser": "Böngésző", + "ip": "IP cím", + "details_heading": "Munkamenet információk", + "push_toggle": "Leküldéses értesítések be- és kikapcsolása ebben a munkamenetben.", + "push_heading": "Leküldéses értesítések", + "push_subheading": "Leküldéses értesítések fogadása ebben a munkamenetben.", + "sign_out": "Kijelentkezés ebből a munkamenetből", + "hide_details": "Részletek elrejtése", + "show_details": "Részletek megmutatása", + "inactive_days": "Utolsó használat %(inactiveAgeDays)s+ napja", + "verified_sessions": "Ellenőrzött munkamenetek", + "verified_sessions_explainer_1": "Mindenhol ellenőrzött munkamenetek vannak ahol ezt a fiókot használja a jelmondattal vagy azonosította magát egy másik ellenőrzött munkamenetből.", + "verified_sessions_explainer_2": "Ez azt jelenti, hogy a titkosított üzenetek visszafejtéséhez minden kulccsal rendelkezik valamint a többi felhasználó megbízhat ebben a munkamenetben.", + "unverified_sessions": "Meg nem erősített munkamenetek", + "unverified_sessions_explainer_1": "Az ellenőrizetlen munkamenetek olyanok amivel a jelszavával bejelentkeztek de nem lett ellenőrizve.", + "unverified_sessions_explainer_2": "Egészen bizonyosodjon meg arról, hogy ismeri ezeket a munkameneteket mivel elképzelhető, hogy jogosulatlan fiókhasználatot jeleznek.", + "unverified_session": "Ellenőrizetlen munkamenet", + "unverified_session_explainer_1": "Ez a munkamenet nem támogatja a titkosítást, így nem lehet ellenőrizni sem.", + "unverified_session_explainer_2": "Ezzel a munkamenettel olyan szobákban ahol a titkosítás be van kapcsolva nem tud részt venni.", + "unverified_session_explainer_3": "A biztonság és adatbiztonság érdekében javasolt olyan Matrix klienst használni ami támogatja a titkosítást.", + "inactive_sessions": "Nem aktív munkamenetek", + "inactive_sessions_explainer_1": "Az inaktív munkamenet olyan munkamenet amit már régóta nem használ de még mindig megkapják a titkosítási kulcsokat.", + "inactive_sessions_explainer_2": "Az inaktív munkamenetek törlése növeli a biztonságot és a sebességet, valamint egyszerűbbé teszi a gyanús munkamenetek felismerését.", + "desktop_session": "Asztali munkamenet", + "mobile_session": "Mobil munkamenet", + "web_session": "Webes munkamenet", + "unknown_session": "Ismeretlen munkamenet típus", + "device_verified_description_current": "Az aktuális munkamenet készen áll a biztonságos üzenetküldésre.", + "device_verified_description": "Ez a munkamenet beállítva a biztonságos üzenetküldéshez.", + "verified_session": "Munkamenet hitelesítve", + "device_unverified_description_current": "Ellenőrizze az aktuális munkamenetet a biztonságos üzenetküldéshez.", + "device_unverified_description": "A jobb biztonság vagy megbízhatóság érdekében ellenőrizze vagy jelentkezzen ki ebből a munkamenetből.", + "verify_session": "Munkamenet ellenőrzése", + "verified_sessions_list_description": "A legbiztonságosabb, ha minden olyan munkamenetből kijelentkezel, melyet már nem ismersz fel vagy nem használsz.", + "unverified_sessions_list_description": "Erősítse meg a munkameneteit a még biztonságosabb csevegéshez vagy jelentkezzen ki ezekből, ha nem ismeri fel vagy már nem használja őket.", + "inactive_sessions_list_description": "Fontolja meg a kijelentkezést a régi munkamenetekből (%(inactiveAgeDays)s napnál régebbi) ha már nem használja azokat.", + "no_verified_sessions": "Nincs ellenőrzött munkamenet.", + "no_unverified_sessions": "Nincs ellenőrizetlen munkamenet.", + "no_inactive_sessions": "Nincs inaktív munkamenet.", + "no_sessions": "Nincs munkamenet.", + "filter_all": "Mind", + "filter_verified_description": "Felkészülve a biztonságos üzenetküldésre", + "filter_unverified_description": "Nem áll készen a biztonságos üzenetküldésre", + "filter_inactive": "Inaktív", + "filter_inactive_description": "Inaktív %(inactiveAgeDays)s óta vagy annál hosszabb ideje", + "filter_label": "Szűrőeszközök", + "n_sessions_selected": { + "one": "%(count)s munkamenet kiválasztva", + "other": "%(count)s munkamenet kiválasztva" + }, + "sign_in_with_qr": "Belépés QR kóddal", + "sign_in_with_qr_description": "Ennek az eszköznek a felhasználásával és a QR kóddal beléptethet egy másik eszközt. Be kell olvasni a QR kódot azon az eszközön ami még nincs belépve.", + "sign_in_with_qr_button": "QR kód beolvasása", + "sign_out_n_sessions": { + "one": "Kijelentkezés %(count)s munkamenetből", + "other": "Kijelentkezés %(count)s munkamenetből" + }, + "other_sessions_heading": "Más munkamenetek", + "sign_out_all_other_sessions": "Kijelentkezés minden munkamenetből (%(otherSessionsCount)s)", + "current_session": "Jelenlegi munkamenet", + "confirm_sign_out_sso": { + "one": "Az eszközből való kijelentkezéshez erősítse meg a személyazonosságát az egyszeri bejelentkezés használatával.", + "other": "Az eszközökből való kijelentkezéshez erősítse meg a személyazonosságát az egyszeri bejelentkezés használatával." + }, + "confirm_sign_out": { + "one": "Megerősítés ebből az eszközből való kijelentkezéshez", + "other": "Megerősítés ezekből az eszközökből való kijelentkezéshez" + }, + "confirm_sign_out_body": { + "other": "Ezeknek a eszközöknek törlésének a megerősítéséhez kattintson a gombra lent.", + "one": "Az eszközből való kilépés megerősítéséhez kattintson a lenti gombra." + }, + "confirm_sign_out_continue": { + "one": "Eszközből való kijelentkezés", + "other": "Eszközökből való kijelentkezés" + }, + "security_recommendations": "Biztonsági javaslatok", + "security_recommendations_description": "Javítsa a fiókja biztonságát azzal, hogy követi a következő javaslatokat." } }, "devtools": { @@ -3093,7 +3007,9 @@ "show_hidden_events": "Rejtett események megjelenítése az idővonalon", "low_bandwidth_mode_description": "Kompatibilis Matrix-kiszolgálóra van szükség.", "low_bandwidth_mode": "Alacsony sávszélességű mód", - "developer_mode": "Fejlesztői mód" + "developer_mode": "Fejlesztői mód", + "view_source_decrypted_event_source": "Visszafejtett esemény forráskód", + "view_source_decrypted_event_source_unavailable": "A visszafejtett forrás nem érhető el" }, "export_chat": { "html": "HTML", @@ -3476,7 +3392,9 @@ "io.element.voice_broadcast_info": { "you": "Befejezte a hangközvetítést", "user": "%(senderName)s befejezte a hangközvetítést" - } + }, + "creation_summary_dm": "%(creator)s hozta létre ezt az üzenetet.", + "creation_summary_room": "%(creator)s elkészítette és beállította a szobát." }, "slash_command": { "spoiler": "A megadott üzenet elküldése kitakarva", @@ -3668,13 +3586,52 @@ "kick": "Felhasználók eltávolítása", "ban": "Felhasználók kitiltása", "redact": "Mások által küldött üzenetek törlése", - "notifications.room": "Mindenki értesítése" + "notifications.room": "Mindenki értesítése", + "no_privileged_users": "Egy felhasználónak sincsenek specifikus jogosultságai ebben a szobában", + "privileged_users_section": "Privilegizált felhasználók", + "muted_users_section": "Elnémított felhasználók", + "banned_users_section": "Kitiltott felhasználók", + "send_event_type": "%(eventType)s esemény küldése", + "title": "Szerepek és jogosultságok", + "permissions_section": "Jogosultságok", + "permissions_section_description_space": "A tér bizonyos beállításainak megváltoztatásához szükséges szerep kiválasztása", + "permissions_section_description_room": "A szoba bizonyos beállításainak megváltoztatásához szükséges szerep kiválasztása" }, "security": { "strict_encryption": "Ebben a szobában sose küldjön titkosított üzenetet ellenőrizetlen munkamenetekbe ebből a munkamenetből", "join_rule_invite": "Privát (csak meghívóval)", "join_rule_invite_description": "Csak a meghívott emberek léphetnek be.", - "join_rule_public_description": "Bárki megtalálhatja és beléphet." + "join_rule_public_description": "Bárki megtalálhatja és beléphet.", + "enable_encryption_public_room_confirm_title": "Biztos, hogy titkosítást állít be ehhez a nyilvános szobához?", + "enable_encryption_public_room_confirm_description_1": "Nyilvános szobához nem javasolt a titkosítás beállítása.Bárki megtalálhatja és csatlakozhat nyilvános szobákhoz, így bárki elolvashatja az üzeneteket bennük. A titkosítás előnyeit így nem jelentkeznek és később ezt nem lehet kikapcsolni. Nyilvános szobákban a titkosított üzenetek az üzenetküldést és fogadást csak lassítják.", + "enable_encryption_public_room_confirm_description_2": "Az ehhez hasonló problémák elkerüléséhez készítsen új titkosított szobát a tervezett beszélgetésekhez.", + "enable_encryption_confirm_title": "Titkosítás engedélyezése?", + "enable_encryption_confirm_description": "Ha egyszer engedélyezve lett, a szoba titkosítását nem lehet kikapcsolni. A titkosított szobákban küldött üzenetek a kiszolgáló számára nem, csak a szoba tagjai számára láthatók. A titkosítás bekapcsolása megakadályoz sok botot és hidat a megfelelő működésben. Tudjon meg többet a titkosításról.", + "public_without_alias_warning": "Hogy linkelhess egy szobához, adj hozzá egy címet.", + "join_rule_description": "Döntse el ki léphet be ide: %(roomName)s.", + "encrypted_room_public_confirm_title": "Biztos, hogy nyilvánossá teszi ezt a titkosított szobát?", + "encrypted_room_public_confirm_description_1": "Titkosított szobát nem célszerű nyilvánossá tenni. Bárki megtalálhatja és csatlakozhat nyilvános szobákhoz, így bárki elolvashatja az üzeneteket bennük. A titkosítás előnyeit így nem jelentkeznek és később ezt nem lehet kikapcsolni. Nyilvános szobákban a titkosított üzenetek az üzenetküldést és fogadást csak lassítják.", + "encrypted_room_public_confirm_description_2": "Az ehhez hasonló problémák elkerüléséhez készítsen új nyilvános szobát a tervezett beszélgetésekhez.", + "history_visibility": {}, + "history_visibility_warning": "A üzenetek olvashatóságának változtatása csak az új üzenetekre lesz érvényes. A régi üzenetek láthatósága nem fog változni.", + "history_visibility_legend": "Ki olvashatja a régi üzeneteket?", + "guest_access_warning": "Emberek támogatott kliensekkel, még regisztrált fiók nélkül is, beléphetnek a szobába.", + "title": "Biztonság és adatvédelem", + "encryption_permanent": "Ha egyszer bekapcsolod, már nem lehet kikapcsolni.", + "history_visibility_shared": "Csak tagok számára (a beállítás kiválasztásától)", + "history_visibility_invited": "Csak tagoknak (a meghívásuk idejétől)", + "history_visibility_joined": "Csak tagoknak (amióta csatlakoztak)", + "history_visibility_world_readable": "Bárki" + }, + "general": { + "publish_toggle": "Publikálod a szobát a(z) %(domain)s szoba listájába?", + "user_url_previews_default_on": "Az URL előnézet alapból engedélyezve van.", + "user_url_previews_default_off": "Az URL előnézet alapból tiltva van.", + "default_url_previews_on": "Az URL előnézetek alapértelmezetten engedélyezve vannak a szobában jelenlévőknek.", + "default_url_previews_off": "Az URL előnézet alapértelmezetten tiltva van a szobában jelenlévőknek.", + "url_preview_encryption_warning": "A titkosított szobákban, mint például ez is, az URL előnézet alapértelmezetten ki van kapcsolva, hogy biztosított legyen, hogy a Matrix szerver (ahol az előnézet készül) ne tudjon információt gyűjteni arról, hogy milyen linkeket látsz ebben a szobában.", + "url_preview_explainer": "Ha valaki URL linket helyez az üzenetébe, lehetőség van egy előnézet megjelenítésére amivel további információt kaphatunk a linkről, mint cím, leírás és a weboldal képe.", + "url_previews_section": "URL előnézet" } }, "encryption": { @@ -3797,7 +3754,15 @@ "server_picker_explainer": "Használja a választott Matrix-kiszolgálóját, ha van ilyenje, vagy üzemeltessen egy sajátot.", "server_picker_learn_more": "A Matrix-kiszolgálókról", "incorrect_credentials": "Helytelen felhasználónév vagy jelszó.", - "account_deactivated": "Ez a fiók zárolva van." + "account_deactivated": "Ez a fiók zárolva van.", + "registration_username_validation": "Csak kisbetűt, számokat, kötőjeleket és aláhúzásokat használj", + "registration_username_unable_check": "A felhasználói név foglaltságának ellenőrzése nem sikerült. Kérjük próbálja meg később.", + "registration_username_in_use": "Valaki már használja ezt a felhasználói nevet. Próbáljon ki másikat, illetve ha ön az, jelentkezzen be alább.", + "phone_label": "Telefon", + "phone_optional_label": "Telefonszám (nem kötelező)", + "email_help_text": "Adj meg egy e-mail címet, hogy vissza tudd állítani a jelszavad.", + "email_phone_discovery_text": "Az e-mail, vagy telefonszám használatával a jelenlegi ismerőseid is megtalálhatnak.", + "email_discovery_text": "Az e-mail (nem kötelező) megadása segíthet abban, hogy az ismerőseid megtaláljanak Matrix-on." }, "room_list": { "sort_unread_first": "Olvasatlan üzeneteket tartalmazó szobák megjelenítése elől", @@ -4009,7 +3974,21 @@ "light_high_contrast": "Világos, nagy kontrasztú" }, "space": { - "landing_welcome": "Üdvözöl a(z) " + "landing_welcome": "Üdvözöl a(z) ", + "suggested_tooltip": "Ez egy javasolt szoba csatlakozáshoz", + "suggested": "Javaslat", + "select_room_below": "Először válasszon ki szobát alulról", + "unmark_suggested": "Nem javasoltnak jelölés", + "mark_suggested": "Javasoltnak jelölés", + "failed_remove_rooms": "Néhány szoba törlése sikertelen. Próbálja később", + "failed_load_rooms": "A szobák listájának betöltése nem sikerült.", + "incompatible_server_hierarchy": "A kiszolgálója nem támogatja a terek hierarchiájának megjelenítését.", + "context_menu": { + "devtools_open_timeline": "Szoba idővonal megjelenítése (fejlesztői eszközök)", + "home": "Kezdő tér", + "explore": "Szobák felderítése", + "manage_and_explore": "Szobák kezelése és felderítése" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "Ezen a Matrix-kiszolgálón nincs beállítva a térképek megjelenítése.", @@ -4066,5 +4045,52 @@ "setup_rooms_description": "Később is hozzáadhat többet, beleértve meglévőket is.", "setup_rooms_private_heading": "Milyen projekteken dolgozik a csoportja?", "setup_rooms_private_description": "Mindenhez készítünk egy szobát." + }, + "user_menu": { + "switch_theme_light": "Világos módra váltás", + "switch_theme_dark": "Sötét módra váltás" + }, + "notif_panel": { + "empty_heading": "Minden elolvasva", + "empty_description": "Nincsenek látható értesítések." + }, + "console_scam_warning": "Ha valaki azt kéri hogy másoljon/illesszen be itt valamit, nagy esély van rá hogy valaki becsapja!", + "console_dev_note": "Ha tudja mit csinál, Element egy nyílt forráskódú szoftver, nézze meg a GitHubon (https://github.com/vector-im/element-web/) és segítsen!", + "room": { + "drop_file_prompt": "Feltöltéshez húzz ide egy fájlt", + "intro": { + "send_message_start_dm": "Küldj egy üzenetet ahhoz, hogy meghívd felhasználót", + "encrypted_3pid_dm_pending_join": "Amint mindenki belépett lekezdheti a beszélgetést", + "start_of_dm_history": "Ez a közvetlen beszélgetés kezdete felhasználóval.", + "dm_caption": "Csak önök ketten vannak ebben a beszélgetésben, hacsak valamelyikőjük nem hív meg valakit, hogy csatlakozzon.", + "topic_edit": "Téma: %(topic)s (szerkesztés)", + "topic": "Téma: %(topic)s ", + "no_topic": "Állítsd be a szoba témáját, hogy az emberek tudják, hogy miről van itt szó.", + "you_created": "Te készítetted ezt a szobát.", + "user_created": "%(displayName)s készítette ezt a szobát.", + "room_invite": "Meghívás csak ebbe a szobába", + "no_avatar_label": "Állítson be egy fényképet, hogy az emberek könnyebben felismerjék a szobáját.", + "start_of_room": "Ez a(z) kezdete.", + "private_unencrypted_warning": "A privát üzenetek általában titkosítottak de ez a szoba nem az. Általában ez a titkosítást nem támogató eszköz vagy metódus használata miatt lehet, mint az e-mail meghívók.", + "enable_encryption_prompt": "Titkosítás bekapcsolása a beállításokban.", + "unencrypted_warning": "Végpontok közötti titkosítás nincs engedélyezve" + } + }, + "file_panel": { + "guest_note": "Regisztrálnod kell hogy ezt használhasd", + "peek_note": "Ahhoz hogy lásd a fájlokat be kell lépned a szobába", + "empty_heading": "Ebben a szobában nincsenek fájlok", + "empty_description": "Csatolj fájlt a csevegésből vagy húzd és ejtsd bárhova a szobában." + }, + "terms": { + "integration_manager": "Használjon botokat, hidakat, kisalkalmazásokat és matricacsomagokat", + "tos": "Felhasználási feltételek", + "intro": "A folytatáshoz el kell fogadnia a felhasználási feltételeket.", + "column_service": "Szolgáltatás", + "column_summary": "Összefoglaló", + "column_document": "Dokumentum" + }, + "space_settings": { + "title": "Beállítások – %(spaceName)s" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/id.json b/src/i18n/strings/id.json index d4033c08fc..5dac2f8565 100644 --- a/src/i18n/strings/id.json +++ b/src/i18n/strings/id.json @@ -6,7 +6,6 @@ "An error has occurred.": "Telah terjadi kesalahan.", "Are you sure you want to reject the invitation?": "Anda yakin menolak undangannya?", "Change Password": "Ubah Kata Sandi", - "Commands": "Perintah", "Confirm password": "Konfirmasi kata sandi", "Current password": "Kata sandi sekarang", "Deactivate Account": "Nonaktifkan Akun", @@ -25,7 +24,6 @@ "": "", "Operation failed": "Operasi gagal", "Passwords can't be empty": "Kata sandi tidak boleh kosong", - "Permissions": "Izin", "Profile": "Profil", "Reason": "Alasan", "Return to login screen": "Kembali ke halaman masuk", @@ -66,7 +64,6 @@ "Are you sure you want to leave the room '%(roomName)s'?": "Anda yakin ingin meninggalkan ruangan '%(roomName)s'?", "A new password must be entered.": "Kata sandi baru harus dimasukkan.", "%(items)s and %(lastItem)s": "%(items)s dan %(lastItem)s", - "Banned users": "Pengguna yang dicekal", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Tidak dapat terhubung ke homeserver — harap cek koneksi anda, pastikan sertifikat SSL homeserver Anda terpercaya, dan ekstensi browser tidak memblokir permintaan.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Tidak dapat terhubung ke homeserver melalui HTTP ketika URL di browser berupa HTTPS. Gunakan HTTPS atau aktifkan skrip yang tidak aman.", "Cryptography": "Kriptografi", @@ -439,14 +436,11 @@ "%(duration)ss": "%(duration)sd", "Unignore": "Hilangkan Abaian", "Copied!": "Disalin!", - "Users": "Pengguna", "Phone": "Ponsel", "Historical": "Riwayat", - "Anyone": "Siapa Saja", "Unban": "Hilangkan Cekalan", "Home": "Beranda", "Removing…": "Menghilangkan…", - "Suggested": "Disarankan", "Resume": "Lanjutkan", "Information": "Informasi", "Widgets": "Widget", @@ -458,7 +452,6 @@ "exists": "sudah ada", "Lock": "Gembok", "Later": "Nanti", - "Document": "Dokumen", "Accepting…": "Menerima…", "Italics": "Miring", "None": "Tidak Ada", @@ -469,8 +462,6 @@ "Cancelling…": "Membatalkan…", "Ok": "Ok", "Success!": "Berhasil!", - "Summary": "Kesimpulan", - "Service": "Layanan", "Notes": "Nota", "edited": "diedit", "Re-join": "Bergabung Ulang", @@ -538,9 +529,7 @@ "Replying": "Membalas", "Encryption": "Enkripsi", "General": "Umum", - "Emoji Autocomplete": "Penyelesaian Otomatis Emoji", "Deactivate user?": "Nonaktifkan pengguna?", - "Phone (optional)": "Nomor telepon (opsional)", "Remove %(phone)s?": "Hapus %(phone)s?", "Remove %(email)s?": "Hapus %(email)s?", "Deactivate account": "Nonaktifkan akun", @@ -566,7 +555,6 @@ "Uploaded sound": "Suara terunggah", "Create account": "Buat akun", "Email (optional)": "Email (opsional)", - "Enable encryption?": "Aktifkan enkripsi?", "Light bulb": "Bohlam lampu", "Thumbs up": "Jempol", "Room avatar": "Avatar ruangan", @@ -600,12 +588,10 @@ "Delete Backup": "Hapus Cadangan", "Got It": "Mengerti", "Unrecognised address": "Alamat tidak dikenal", - "Room Notification": "Notifikasi Ruangan", "Send Logs": "Kirim Catatan", "Filter results": "Saring hasil", "Logs sent": "Catatan terkirim", "Popout widget": "Widget popout", - "Muted Users": "Pengguna yang Dibisukan", "Uploading %(filename)s": "Mengunggah %(filename)s", "Delete Widget": "Hapus Widget", "(~%(count)s results)": { @@ -621,8 +607,6 @@ "Invalid file%(extra)s": "File tidak absah%(extra)s", "not specified": "tidak ditentukan", "Join Room": "Bergabung dengan Ruangan", - "Privileged Users": "Pengguna Istimewa", - "URL Previews": "Tampilan URL", "Upload avatar": "Unggah avatar", "Report": "Laporkan", "Confirm passphrase": "Konfirmasi frasa sandi", @@ -754,20 +738,6 @@ }, "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Verifikasi setiap sesi yang digunakan oleh pengguna satu per satu untuk menandainya sebagai tepercaya, dan tidak memercayai perangkat yang ditandatangani silang.", "Failed to set display name": "Gagal untuk menetapkan nama tampilan", - "Deselect all": "Batalkan semua pilihan", - "Select all": "Pilih semua", - "Sign out devices": { - "one": "Keluarkan perangkat", - "other": "Keluarkan perangkat" - }, - "Click the button below to confirm signing out these devices.": { - "one": "Klik tombol di bawah untuk mengkonfirmasi mengeluarkan perangkat ini.", - "other": "Klik tombol di bawah untuk mengkonfirmasi mengeluarkan perangkat-perangkat ini." - }, - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "Konfirmasi mengeluarkan perangkat ini dengan menggunakan Single Sign On untuk membuktikan identitas Anda.", - "other": "Konfirmasi mengeluarkan perangkat-perangkat ini dengan menggunakan Single Sign On untuk membuktikan identitas Anda." - }, "Session key:": "Kunci sesi:", "Session ID:": "ID Sesi:", "Import E2E room keys": "Impor kunci enkripsi ujung ke ujung", @@ -947,13 +917,6 @@ "Messages in this room are end-to-end encrypted.": "Pesan di ruangan ini terenkripsi secara ujung ke ujung.", "Start Verification": "Mulai Verifikasi", "Waiting for %(displayName)s to accept…": "Menunggu untuk %(displayName)s untuk menerima…", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Ketika seseorang menambahkan URL di pesannya, sebuah tampilan URL dapat ditampilkan untuk memberikan informasi lainnya tentang tautan itu seperti judul, deskripsi, dan sebuah gambar dari website.", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Di ruangan terenkripsi, seperti ruangan ini, tampilan URL dinonaktifkan secara bawaan untuk memastikan homeserver Anda (di mana tampilannya dibuat) tidak mendapatkan informasi tentang tautan yang Anda lihat di ruangan ini.", - "URL previews are disabled by default for participants in this room.": "Tampilan URL dinonaktifkan secara bawaan untuk anggota di ruangan ini.", - "URL previews are enabled by default for participants in this room.": "Tampilan URL diaktifkan secara bawaan untuk anggota di ruangan ini.", - "You have disabled URL previews by default.": "Anda telah menonaktifkan tampilan URL secara bawaan.", - "You have enabled URL previews by default.": "Anda telah mengaktifkan tampilan URL secara bawaan.", - "Publish this room to the public in %(domain)s's room directory?": "Publikasi ruangan ini ke publik di direktori ruangan %(domain)s?", "Show more": "Tampilkan lebih banyak", "Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "Tetapkan alamat untuk ruangan ini supaya pengguna dapat menemukan space ini melalui homeserver Anda (%(localDomain)s)", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Tetapkan alamat untuk space ini supaya pengguna dapat menemukan space ini melalui homeserver Anda (%(localDomain)s)", @@ -1029,19 +992,6 @@ "Room %(name)s": "Ruangan %(name)s", "View message": "Tampilkan pesan", "Message didn't send. Click for info.": "Pesan tidak terkirim. Klik untuk informasi.", - "End-to-end encryption isn't enabled": "Enkripsi ujung ke ujung tidak diaktifkan", - "Enable encryption in settings.": "Aktifkan enkripsi di pengaturan.", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Pesan privat Anda biasanya dienkripsi, tetapi di ruangan ini tidak terenkripsi. Biasanya ini disebabkan oleh perangkat yang tidak mendukung atau metode yang sedang digunakan, seperti undangan email.", - "This is the start of .": "Ini adalah awal dari .", - "Add a photo, so people can easily spot your room.": "Tambahkan sebuah foto supaya orang-orang dapat menemukan ruangan Anda.", - "Invite to just this room": "Undang ke ruangan ini saja", - "%(displayName)s created this room.": "%(displayName)s membuat ruangan ini.", - "You created this room.": "Anda membuat ruangan ini.", - "Add a topic to help people know what it is about.": "Tambahkan sebuah topik supaya orang-orang tahu tentang ruangan ini.", - "Topic: %(topic)s ": "Topik: %(topic)s ", - "Topic: %(topic)s (edit)": "Topik %(topic)s (edit)", - "This is the beginning of your direct message history with .": "Ini adalah awal dari pesan langsung Anda dengan .", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Hanya Anda berdua yang ada dalam percakapan ini, kecuali jika salah satu dari Anda mengundang siapa saja untuk bergabung.", "Insert link": "Tambahkan tautan", "You do not have permission to post to this room": "Anda tidak memiliki izin untuk mengirim ke ruangan ini", "This room has been replaced and is no longer active.": "Ruangan ini telah diganti dan tidak aktif lagi.", @@ -1096,29 +1046,8 @@ "Click the link in the email you received to verify and then click continue again.": "Klik tautan di email yang Anda terima untuk memverifikasi dan klik lanjutkan lagi.", "Your email address hasn't been verified yet": "Alamat email Anda belum diverifikasi", "Unable to share email address": "Tidak dapat membagikan alamat email", - "Once enabled, encryption cannot be disabled.": "Setelah diaktifkan, enkripsi tidak dapat dinonaktifkan.", - "Security & Privacy": "Keamanan & Privasi", - "Who can read history?": "Siapa yang dapat membaca riwayat?", - "People with supported clients will be able to join the room without having a registered account.": "Orang-orang dengan klien yang didukung akan dapat bergabung ruangan ini tanpa harus memiliki sebuah akun yang terdaftar.", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Perubahan siapa yang dapat membaca riwayat hanya akan berlaku untuk pesan berikutnya di ruangan ini. Visibilitas riwayat yang ada tidak akan berubah.", - "Members only (since they joined)": "Anggota saja (sejak mereka bergabung)", - "Members only (since they were invited)": "Anggota saja (sejak mereka diundang)", - "Members only (since the point in time of selecting this option)": "Anggota saja (sejak memilih opsi ini)", - "To avoid these issues, create a new public room for the conversation you plan to have.": "Untuk menghindari masalah-masalah ini, buat sebuah ruangan terenkripsi yang baru untuk obrolan yang Anda rencanakan.", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "Ini tidak direkomendasikan untuk membuat ruangan terenkripsi publik. Ini berarti siapa saja dapat menemukan dan bergabung dengan ruangannya, jadi siapa saja dapat membaca pesan di ruangan itu. Anda tidak akan mendapatkan manfaat apa pun dari enkripsi. Mengenkripsi pesan di ruangan yang publik akan membuat menerima dan mengirim pesan lebih lambat.", - "Are you sure you want to make this encrypted room public?": "Apakah Anda yakin untuk membuat ruangan terenkripsi ini publik?", "Unknown failure": "Kesalahan yang tidak diketahui", "Failed to update the join rules": "Gagal untuk memperbarui aturan bergabung", - "Decide who can join %(roomName)s.": "Putuskan siapa yang dapat bergabung %(roomName)s.", - "To link to this room, please add an address.": "Untuk menautkan ruangan ini, mohon tambahkan sebuah alamat.", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Ketika diaktifkan, enkripsi untuk sebuah ruangan tidak dapat dinonaktifkan. Pesan-pesan yang terkirim di sebuah ruangan terenkripsi tidak dapat dilihat oleh server, hanya anggota di ruangan. Pelajari lebih lanjut tentang enkripsi.", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "Untuk menghindari masalah-masalah ini, buat sebuah ruangan terenkripsi yang baru untuk obrolan yang Anda rencanakan.", - "Are you sure you want to add encryption to this public room?": "Apakah Anda yakin untuk menambahkan enkripsi ke ruangan publik ini?", - "Select the roles required to change various parts of the room": "Pilih peran yang dibutuhkan untuk mengubah bagian-bagian ruangan ini", - "Select the roles required to change various parts of the space": "Pilih peran yang dibutuhkan untuk mengubah bagian-bagian space ini", - "Roles & Permissions": "Peran & Izin", - "Send %(eventType)s events": "Kirim peristiwa %(eventType)s", - "No users have specific privileges in this room": "Tidak ada pengguna yang memiliki hak khusus di ruangan ini", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Sebuah kesalahan terjadi mengubah persyaratan tingkat daya pengguna. Pastikan Anda mempunyai izin yang dibutuhkan dan coba lagi.", "Error changing power level": "Terjadi kesalahan saat mengubah tingkat daya", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Sebuah kesalahan terjadi mengubah persyaratan tingkat daya ruangan. Pastikan Anda mempunyai izin yang dibutuhkan dan coba lagi.", @@ -1387,7 +1316,6 @@ "Failed to upgrade room": "Gagal untuk meningkatkan ruangan", "Room Settings - %(roomName)s": "Pengaturan Ruangan — %(roomName)s", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Sekadar mengingatkan saja, jika Anda belum menambahkan sebuah email dan Anda lupa kata sandi, Anda mungkin dapat kehilangan akses ke akun Anda.", - "Terms of Service": "Persyaratan Layanan", "You may contact me if you have any follow up questions": "Anda mungkin menghubungi saya jika Anda mempunyai pertanyaan lanjutan", "Search for rooms or people": "Cari ruangan atau orang", "Message preview": "Tampilan pesan", @@ -1408,15 +1336,12 @@ "Skip verification for now": "Lewatkan verifikasi untuk sementara", "Really reset verification keys?": "Benar-benar ingin mengatur ulang kunci-kunci verifikasi?", "Original event source": "Sumber peristiwa asli", - "Decrypted event source": "Sumber peristiwa terdekripsi", "Could not load user profile": "Tidak dapat memuat profil pengguna", "Currently joining %(count)s rooms": { "one": "Saat ini bergabung dengan %(count)s ruangan", "other": "Saat ini bergabung dengan %(count)s ruangan" }, "Switch theme": "Ubah tema", - "Switch to dark mode": "Ubah ke mode gelap", - "Switch to light mode": "Ubah ke mode terang", "All settings": "Semua pengaturan", "Uploading %(filename)s and %(count)s others": { "one": "Mengunggah %(filename)s dan %(count)s lainnya", @@ -1431,18 +1356,11 @@ "Rooms and spaces": "Ruangan dan space", "You may want to try a different search or check for typos.": "Anda mungkin ingin mencoba pencarian yang berbeda atau periksa untuk typo.", "No results found": "Tidak ada hasil yang ditemukan", - "Your server does not support showing space hierarchies.": "Server Anda tidak mendukung penampilan hierarki space.", - "Mark as suggested": "Tandai sebagai disarankan", - "Mark as not suggested": "Tandai sebagai tidak disarankan", - "Failed to remove some rooms. Try again later": "Gagal untuk menghapus beberapa ruangan. Coba lagi nanti", - "Select a room below first": "Pilih sebuah ruangan di bawah dahulu", - "This room is suggested as a good one to join": "Ruangan ini disarankan sebagai ruangan yang baik untuk bergabung", "You don't have permission": "Anda tidak memiliki izin", "You have %(count)s unread notifications in a prior version of this room.": { "one": "Anda punya %(count)s notifikasi yang belum dibaca dalam versi sebelumnya dari ruangan ini.", "other": "Anda punya %(count)s notifikasi yang belum dibaca dalam versi sebelumnya dari ruangan ini." }, - "Drop file here to upload": "Lepaskan file di sini untuk mengunggah", "Failed to reject invite": "Gagal untuk menolak undangan", "No more results": "Tidak ada hasil lagi", "Server may be unavailable, overloaded, or search timed out :(": "Server mungkin tidak tersedia, terlalu penuh, atau waktu pencarian habis :(", @@ -1457,10 +1375,6 @@ "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Pesan Anda tidak terkirim karena homeserver ini melebihi sebuah batas sumber daya. Mohon hubungi administrator layanan Anda untuk melanjutkan menggunakan layanannya.", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Pesan Anda tidak terkirim karena homesever ini telah mencapat batas Pengguna Aktif Bulanan. Mohon hubungi administrator layanan Anda untuk melanjutkan menggunakan layanannya.", "You can't send any messages until you review and agree to our terms and conditions.": "Anda tidak dapat mengirimkan pesan apa saja sampai Anda lihat dan terima syarat dan ketentuan kami.", - "You have no visible notifications.": "Anda tidak memiliki notifikasi.", - "You're all caught up": "Anda selesai", - "%(creator)s created and configured the room.": "%(creator)s membuat dan mengatur ruangan ini.", - "%(creator)s created this DM.": "%(creator)s membuat pesan langsung ini.", "Verification requested": "Verifikasi diminta", "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Data dari %(brand)s versi lama telah terdeteksi. Ini akan menyebabkan kriptografi ujung ke ujung tidak berfungsi di versi yang lebih lama. Pesan terenkripsi secara ujung ke ujung yang dipertukarkan baru-baru ini saat menggunakan versi yang lebih lama mungkin tidak dapat didekripsi dalam versi ini. Ini juga dapat menyebabkan pesan yang dipertukarkan dengan versi ini gagal. Jika Anda mengalami masalah, keluar dan masuk kembali. Untuk menyimpan riwayat pesan, ekspor dan impor ulang kunci Anda.", "Old cryptography data detected": "Data kriptografi lama terdeteksi", @@ -1475,19 +1389,10 @@ "This space is not public. You will not be able to rejoin without an invite.": "Space ini tidak publik. Anda tidak dapat bergabung lagi tanpa sebuah undangan.", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Anda adalah satu-satunya di sini. Jika Anda keluar, tidak ada siapa saja dapat bergabung di masa mendatang, termasuk Anda.", "Open dial pad": "Buka tombol penyetel", - "Use email or phone to optionally be discoverable by existing contacts.": "Gunakan email atau nomor telepon untuk dapat ditemukan oleh kontak yang sudah ada secara opsional.", - "Attach files from chat or just drag and drop them anywhere in a room.": "Lampirkan file dari komposer atau tarik dan lepaskan di mana saja di sebuah ruangan.", - "No files visible in this room": "Tidak ada file di ruangan ini", - "You must join the room to see its files": "Anda harus bergabung ruangannya untuk melihat file-filenya", - "You must register to use this functionality": "Anda harus mendaftar untuk menggunakan kegunaan ini", "Couldn't load page": "Tidak dapat memuat halaman", "Error downloading audio": "Terjadi kesalahan mengunduh audio", "Unnamed audio": "Audio tidak dinamai", "Sign in with SSO": "Masuk dengan SSO", - "Use email to optionally be discoverable by existing contacts.": "Gunakan email untuk dapat ditemukan oleh kontak yang sudah ada secara opsional.", - "Add an email to be able to reset your password.": "Tambahkan sebuah email untuk dapat mengatur ulang kata sandi Anda.", - "Someone already has that username. Try another or if it is you, sign in below.": "Seseorang sudah memiliki nama pengguna itu. Coba yang lain atau jika itu Anda, masuk di bawah.", - "Use lowercase letters, numbers, dashes and underscores only": "Gunakan huruf kecil, angka, tanda hubung, dan garis bawah saja", "Enter phone number (required on this homeserver)": "Masukkan nomor telepon (diperlukan di homeserver ini)", "Other users can invite you to rooms using your contact details": "Pengguna lain dapat mengundang Anda ke ruangan menggunakan detail kontak Anda", "Enter email address (required on this homeserver)": "Masukkan alamat email (diperlukan di homeserver ini)", @@ -1519,9 +1424,7 @@ "Failed to start livestream": "Gagal untuk memulai siaran langsung", "Copy link to thread": "Salin tautan ke utasan", "Thread options": "Opsi utasan", - "Manage & explore rooms": "Kelola & jelajahi ruangan", "Add space": "Tambahkan space", - "See room timeline (devtools)": "Lihat lini masa ruangan (alat pengembang)", "Mentions only": "Sebutan saja", "Forget": "Lupakan", "View in room": "Tampilkan di ruangan", @@ -1596,12 +1499,6 @@ "Use a different passphrase?": "Gunakan frasa sandi yang berbeda?", "Great! This Security Phrase looks strong enough.": "Hebat! Frasa Keamanan ini kelihatannya kuat.", "Enter a Security Phrase": "Masukkan sebuah Frasa Keamanan", - "User Autocomplete": "Penyelesaian Pengguna Otomatis", - "Space Autocomplete": "Penyelesaian Space Otomatis", - "Room Autocomplete": "Penyelesaian Ruangan Otomatis", - "Notification Autocomplete": "Penyelesaian Notifikasi Otomatis", - "Notify the whole room": "Beri tahu seluruh ruangan", - "Command Autocomplete": "Penyelesaian Perintah Otomatis", "Clear personal data": "Hapus data personal", "Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "Dapatkan kembali akses ke akun Anda dan pulihkan kunci enkripsi yang disimpan dalam sesi ini. Tanpa mereka, Anda tidak akan dapat membaca semua pesan aman Anda di sesi mana saja.", "Failed to re-authenticate due to a homeserver problem": "Gagal untuk mengautentikasi ulang karena masalah homeserver", @@ -1626,15 +1523,12 @@ "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) masuk ke sesi yang baru tanpa memverifikasinya:", "Verify your other session using one of the options below.": "Verifikasi sesi Anda lainnya dengan menggunakan salah satu pilihan di bawah.", "You signed in to a new session without verifying it:": "Anda masuk ke sesi baru tanpa memverifikasinya:", - "To continue you need to accept the terms of this service.": "Untuk melanjutkan Anda harus menerima persyaratan layanan ini.", - "Use bots, bridges, widgets and sticker packs": "Gunakan bot, jembatan, widget, dan paket stiker", "Be found by phone or email": "Temukan oleh lainnya melalui ponsel atau email", "Find others by phone or email": "Temukan lainnya melalui ponsel atau email", "Your browser likely removed this data when running low on disk space.": "Kemungkinan browser Anda menghapus datanya ketika ruang disk rendah.", "Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "Beberapa data sesi, termasuk kunci pesan terenkripsi, hilang. Keluar dan masuk lagi untuk memperbaikinya, memulihkan kunci-kunci dari cadangan.", "Missing session data": "Data sesi hilang", "To help us prevent this in future, please send us logs.": "Untuk membantu kami mencegahnya di masa mendatang, silakan kirimkan kami catatan.", - "Settings - %(spaceName)s": "Pengaturan — %(spaceName)s", "Command Help": "Bantuan Perintah", "Link to selected message": "Tautan ke pesan yang dipilih", "Share Room Message": "Bagikan Pesan Ruangan", @@ -1656,7 +1550,6 @@ "Modal Widget": "Widget Modal", "Message edits": "Editan pesan", "Your homeserver doesn't seem to support this feature.": "Homeserver Anda sepertinya tidak mendukung fitur ini.", - "Verify session": "Verifikasi sesi", "If they don't match, the security of your communication may be compromised.": "Jika mereka tidak cocok, keamanan komunikasi Anda mungkin dikompromikan.", "Session key": "Kunci sesi", "Session name": "Nama sesi", @@ -1832,7 +1725,6 @@ "Copy room link": "Salin tautan ruangan", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Ini mengelompokkan obrolan Anda dengan anggota space ini. Menonaktifkan ini akan menyembunyikan obrolan dari tampilan %(spaceName)s Anda.", "Sections to show": "Bagian untuk ditampilkan", - "Failed to load list of rooms.": "Gagal untuk memuat daftar ruangan.", "Open in OpenStreetMap": "Buka di OpenStreetMap", "toggle event": "alih peristiwa", "Missing room name or separator e.g. (my-room:domain.org)": "Kurang nama ruangan atau pemisah mis. (ruangan-saya:domain.org)", @@ -1867,18 +1759,14 @@ "Remove them from everything I'm able to": "Keluarkan dari semuanya yang saya bisa", "Message pending moderation: %(reason)s": "Pesan akan dimoderasikan: %(reason)s", "Message pending moderation": "Pesan akan dimoderasikan", - "Space home": "Beranda space", "Internal room ID": "ID ruangan internal", "Group all your people in one place.": "Kelompokkan semua orang di satu tempat.", "Group all your rooms that aren't part of a space in one place.": "Kelompokkan semua ruangan yang tidak ada di sebuah space di satu tempat.", - "Unable to check if username has been taken. Try again later.": "Tidak dapat memeriksa jika nama pengguna telah dipakai. Coba lagi nanti.", "Group all your favourite rooms and people in one place.": "Kelompokkan semua ruangan dan orang favorit Anda di satu tempat.", "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Space adalah cara untuk mengelompokkan ruangan dan orang. Di sampingnya space yang Anda berada, Anda dapat menggunakan space yang sudah dibuat.", "Pick a date to jump to": "Pilih sebuah tanggal untuk pergi ke tanggalnya", "Jump to date": "Pergi ke tanggal", "The beginning of the room": "Awalan ruangan", - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Jika Anda tahu apa yang Anda lakukan, Element itu sumber-terbuka, pastikan untuk mengunjungi GitHub kami (https://github.com/vector-im/element-web/) dan berkontribusi!", - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Jika seseorang membilangi Anda untuk salin/tempel sesuatu di sini, mungkin saja Anda sedang ditipu!", "Wait!": "Tunggu!", "This address does not point at this room": "Alamat ini tidak mengarah ke ruangan ini", "Location": "Lokasi", @@ -1969,10 +1857,6 @@ "New video room": "Ruangan video baru", "New room": "Ruangan baru", "%(featureName)s Beta feedback": "Masukan %(featureName)s Beta", - "Confirm signing out these devices": { - "one": "Konfirmasi mengeluarkan perangkat ini", - "other": "Konfirmasi mengeluarkan perangkat ini" - }, "Live location ended": "Lokasi langsung berakhir", "View live location": "Tampilkan lokasi langsung", "Live location enabled": "Lokasi langsung diaktifkan", @@ -2045,7 +1929,6 @@ "Deactivating your account is a permanent action — be careful!": "Menonaktifkan akun Anda adalah aksi yang permanen — hati-hati!", "Un-maximise": "Minimalkan", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Ketika Anda keluar, kunci-kunci ini akan dihapus dari perangkat ini, yang berarti Anda tidak dapat membaca pesan-pesan terenkripsi kecuali jika Anda mempunyai kuncinya di perangkat Anda yang lain, atau telah mencadangkannya ke server.", - "Video rooms are a beta feature": "Ruangan video adalah fitur beta", "Remove search filter for %(filter)s": "Hapus saringan pencarian untuk %(filter)s", "Start a group chat": "Mulai sebuah grup obrolan", "Other options": "Opsi lain", @@ -2084,43 +1967,15 @@ "You need to have the right permissions in order to share locations in this room.": "Anda harus mempunyai izin yang diperlukan untuk membagikan lokasi di ruangan ini.", "You don't have permission to share locations": "Anda tidak memiliki izin untuk membagikan lokasi", "Messages in this chat will be end-to-end encrypted.": "Pesan di obrolan ini akan dienkripsi secara ujung ke ujung.", - "Send your first message to invite to chat": "Kirim pesan pertama Anda untuk mengundang ke obrolan", "Saved Items": "Item yang Tersimpan", "Choose a locale": "Pilih locale", "Spell check": "Pemeriksa ejaan", "We're creating a room with %(names)s": "Kami sedang membuat sebuah ruangan dengan %(names)s", - "Last activity": "Aktivitas terakhir", "Sessions": "Sesi", - "Current session": "Sesi saat ini", - "Inactive for %(inactiveAgeDays)s+ days": "Tidak aktif selama %(inactiveAgeDays)s+ hari", - "Session details": "Detail sesi", - "IP address": "Alamat IP", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Untuk keamanan yang terbaik, verifikasi sesi Anda dan keluarkan dari sesi yang Anda tidak kenal atau tidak digunakan lagi.", - "Other sessions": "Sesi lainnya", - "Verify or sign out from this session for best security and reliability.": "Verifikasi atau keluarkan dari sesi ini untuk keamanan dan keandalan yang terbaik.", - "Unverified session": "Sesi belum diverifikasi", - "This session is ready for secure messaging.": "Sesi ini siap untuk perpesanan yang aman.", - "Verified session": "Sesi terverifikasi", - "Security recommendations": "Saran keamanan", - "Filter devices": "Saring perangkat", - "Inactive for %(inactiveAgeDays)s days or longer": "Tidak aktif selama %(inactiveAgeDays)s hari atau lebih", - "Inactive": "Tidak aktif", - "Not ready for secure messaging": "Belum siap untuk perpesanan aman", - "Ready for secure messaging": "Siap untuk perpesanan aman", - "All": "Semua", - "No sessions found.": "Tidak ditemukan sesi apa pun.", - "No inactive sessions found.": "Tidak ditemukan sesi yang tidak aktif.", - "No unverified sessions found.": "Tidak ditemukan sesi yang belum diverifikasi.", - "No verified sessions found.": "Tidak ditemukan sesi yang terverifikasi.", - "Inactive sessions": "Sesi tidak aktif", - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Verifikasi sesi Anda untuk perpesanan aman yang baik atau keluarkan sesi yang Anda tidak kenal atau tidak digunakan lagi.", - "Unverified sessions": "Sesi belum diverifikasi", - "For best security, sign out from any session that you don't recognize or use anymore.": "Untuk keamanan yang terbaik, keluarkan sesi yang Anda tidak kenal atau tidak digunakan lagi.", - "Verified sessions": "Sesi terverifikasi", "Interactively verify by emoji": "Verifikasi secara interaktif sengan emoji", "Manually verify by text": "Verifikasi secara manual dengan teks", "Inviting %(user1)s and %(user2)s": "Mengundang %(user1)s dan %(user2)s", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "Menambahkan enkripsi pada ruangan publik tidak disarankan. Siapa pun dapat menemukan dan bergabung dengan ruangan publik, supaya siapa pun dapat membaca pesan di ruangan. Anda tidak akan mendapatkan manfaat dari enkripsi, dan Anda tidak akan dapat menonaktifkan nanti. Mengenkripsi pesan di ruangan publik akan membuat penerimaan dan pengiriman pesan lebih lambat.", "Empty room (was %(oldName)s)": "Ruangan kosong (sebelumnya %(oldName)s)", "Inviting %(user)s and %(count)s others": { "one": "Mengundang %(user)s dan 1 lainnya", @@ -2133,16 +1988,7 @@ "%(user1)s and %(user2)s": "%(user1)s dan %(user2)s", "%(downloadButton)s or %(copyButton)s": "-%(downloadButton)s atau %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s atau %(recoveryFile)s", - "Proxy URL": "URL Proksi", - "Proxy URL (optional)": "URL Proksi (opsional)", - "To disable you will need to log out and back in, use with caution!": "Untuk menonaktifkan Anda harus keluar dan masuk kembali, gunakan dengan hati-hati!", - "Sliding Sync configuration": "Konfigurasi Penyinkronan Bergeser", - "Your server lacks native support, you must specify a proxy": "Server Anda belum mendukungnya, Anda harus menetapkan sebuah proksi", - "Your server lacks native support": "Server Anda belum mendukungnya", - "Your server has native support": "Server Anda mendukungnya", "You need to be able to kick users to do that.": "Anda harus dapat mengeluarkan pengguna untuk melakukan itu.", - "Sign out of this session": "Keluarkan sesi ini", - "Rename session": "Ubah nama sesi", "Voice broadcast": "Siaran suara", "You do not have permission to start voice calls": "Anda tidak memiliki izin untuk memulai panggilan suara", "There's no one here to call": "Tidak ada siapa pun di sini untuk dipanggil", @@ -2151,12 +1997,8 @@ "Video call (Jitsi)": "Panggilan video (Jitsi)", "Live": "Langsung", "Failed to set pusher state": "Gagal menetapkan keadaan pendorong", - "Receive push notifications on this session.": "Terima notifikasi dorongan di sesi ini.", - "Push notifications": "Notifikasi dorongan", - "Toggle push notifications on this session.": "Aktifkan atau nonaktifkan notifikasi dorongan di sesi ini.", "Video call ended": "Panggilan video berakhir", "%(name)s started a video call": "%(name)s memulai sebuah panggilan video", - "URL": "URL", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s terenkripsi secara ujung ke ujung, tetapi saat ini terbatas jumlah penggunanya.", "Room info": "Informasi ruangan", "View chat timeline": "Tampilkan lini masa obrolan", @@ -2164,11 +2006,6 @@ "Spotlight": "Sorotan", "Freedom": "Bebas", "Video call (%(brand)s)": "Panggilan video (%(brand)s)", - "Unknown session type": "Jenis sesi tidak diketahui", - "Web session": "Sesi web", - "Mobile session": "Sesi ponsel", - "Desktop session": "Sesi desktop", - "Operating system": "Sistem operasi", "Call type": "Jenis panggilan", "You do not have sufficient permissions to change this.": "Anda tidak memiliki izin untuk mengubah ini.", "Enable %(brand)s as an additional calling option in this room": "Aktifkan %(brand)s sebagai opsi panggilan tambahan di ruangan ini", @@ -2192,24 +2029,11 @@ "The scanned code is invalid.": "Kode yang dipindai tidak absah.", "The linking wasn't completed in the required time.": "Penautan tidak selesai dalam waktu yang dibutuhkan.", "Sign in new device": "Masuk perangkat baru", - "Show QR code": "Tampilkan kode QR", - "You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.": "Anda dapat menggunakan perangkat ini untuk masuk ke perangkat yang baru dengan sebuah kode QR. Anda harus memindai kode QR yang ditampilkan di perangkat ini dengan perangkat Anda yang telah keluar dari akun.", - "Sign in with QR code": "Masuk dengan kode QR", - "Browser": "Peramban", "Are you sure you want to sign out of %(count)s sessions?": { "one": "Apakah Anda yakin untuk mengeluarkan %(count)s sesi?", "other": "Apakah Anda yakin untuk mengeluarkan %(count)s sesi?" }, - "Removing inactive sessions improves security and performance, and makes it easier for you to identify if a new session is suspicious.": "Mengeluarkan sesi yang tidak aktif meningkatkan keamanan dan performa, dan membuatnya lebih mudah untuk Anda untuk mengenal jika sebuah sesi baru itu mencurigakan.", - "Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.": "Sesi tidak aktif adalah sesi yang Anda belum gunakan dalam beberapa waktu, tetapi mereka masih mendapatkan kunci enkripsi.", - "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Pertimbangkan untuk mengeluarkan sesi lama (%(inactiveAgeDays)s hari atau lebih) yang Anda tidak gunakan lagi.", - "You should make especially certain that you recognise these sessions as they could represent an unauthorised use of your account.": "Anda seharusnya yakin bahwa Anda mengenal sesi ini karena mereka dapat berarti bahwa seseorang telah menggunakan akun Anda tanpa diketahui.", - "Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.": "Sesi yang belum diverifikasi adalah sesi yang telah masuk dengan kredensial Anda tetapi belum diverifikasi secara silang.", "Show formatting": "Tampilkan formatting", - "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "Ini memberikan kepercayaan bahwa mereka benar-benar berbicara kepada Anda, tetapi ini juga berarti mereka dapat melihat nama sesi yang Anda masukkan di sini.", - "Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "Pengguna lain dalam pesan langsung dan ruangan yang Anda bergabung dapat melihat daftar sesi Anda yang lengkap.", - "Renaming sessions": "Mengubah nama sesi", - "Please be aware that session names are also visible to people you communicate with.": "Harap diketahui bahwa nama sesi juga terlihat ke orang-orang yang Anda berkomunikasi.", "Hide formatting": "Sembunyikan format", "Error downloading image": "Kesalahan mengunduh gambar", "Unable to show image due to error": "Tidak dapat menampilkan gambar karena kesalahan", @@ -2218,10 +2042,6 @@ "Video settings": "Pengaturan video", "Automatically adjust the microphone volume": "Atur volume mikrofon secara otomatis", "Voice settings": "Pengaturan suara", - "This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Ini berarti bahwa Anda memiliki semua kunci yang dibutuhkan untuk membuka pesan terenkripsi Anda dan mengonfirmasi ke pengguna lain bahwa Anda mempercayai sesi ini.", - "Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Sesi terverifikasi bisa dari menggunakan akun ini setelah memasukkan frasa sandi atau mengonfirmasi identitas Anda dengan sesi terverifikasi lain.", - "Show details": "Tampilkan detail", - "Hide details": "Sembunyikan detail", "Send email": "Kirim email", "Sign out of all devices": "Keluarkan semua perangkat", "Confirm new password": "Konfirmasi kata sandi baru", @@ -2237,9 +2057,6 @@ "Upcoming features": "Fitur yang akan datang", "You have unverified sessions": "Anda memiliki sesi yang belum diverifikasi", "Change layout": "Ubah tata letak", - "This session doesn't support encryption and thus can't be verified.": "Sesi ini tidak mendukung enkripsi dan tidak dapat diverifikasi.", - "For best security and privacy, it is recommended to use Matrix clients that support encryption.": "Untuk keamanan dan privasi yang terbaik, kami merekomendasikan menggunakan klien Matrix yang mendukung enkripsi.", - "You won't be able to participate in rooms where encryption is enabled when using this session.": "Anda tidak akan dapat berpartisipasi dalam ruangan di mana enkripsi diaktifkan ketika menggunakan sesi ini.", "Search users in this room…": "Cari pengguna di ruangan ini…", "Give one or multiple users in this room more privileges": "Berikan satu atau beberapa pengguna dalam ruangan ini lebih banyak izin", "Add privileged users": "Tambahkan pengguna yang diizinkan", @@ -2247,28 +2064,15 @@ "This message could not be decrypted": "Pesan ini tidak dapat didekripsi", "You can’t start a call as you are currently recording a live broadcast. Please end your live broadcast in order to start a call.": "Anda tidak dapat memulai sebuah panggilan karena Anda saat ini merekam sebuah siaran langsung. Mohon akhiri siaran langsung Anda untuk memulai sebuah panggilan.", "Can’t start a call": "Tidak dapat memulai panggilan", - "Improve your account security by following these recommendations.": "Tingkatkan keamanan akun Anda dengan mengikuti saran berikut.", - "%(count)s sessions selected": { - "one": "%(count)s sesi dipilih", - "other": "%(count)s sesi dipilih" - }, "Failed to read events": "Gagal membaca peristiwa", "Failed to send event": "Gagal mengirimkan peristiwa", " in %(room)s": " di %(room)s", "Mark as read": "Tandai sebagai dibaca", - "Verify your current session for enhanced secure messaging.": "Verifikasi sesi Anda saat ini untuk perpesanan aman yang ditingkatkan.", - "Your current session is ready for secure messaging.": "Sesi Anda saat ini siap untuk perpesanan aman.", "Text": "Teks", "Create a link": "Buat sebuah tautan", - "Sign out of %(count)s sessions": { - "one": "Keluar dari %(count)s sesi", - "other": "Keluar dari %(count)s sesi" - }, - "Sign out of all other sessions (%(otherSessionsCount)s)": "Keluar dari semua sesi lain (%(otherSessionsCount)s)", "You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Anda tidak dapat memulai sebuah pesan suara karena Anda saat ini merekam sebuah siaran langsung. Silakan mengakhiri siaran langsung Anda untuk memulai merekam sebuah pesan suara.", "Can't start voice message": "Tidak dapat memulai pesan suara", "Edit link": "Sunting tautan", - "Decrypted source unavailable": "Sumber terdekripsi tidak tersedia", "%(senderName)s started a voice broadcast": "%(senderName)s memulai sebuah siaran suara", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", "Registration token": "Token pendaftaran", @@ -2344,7 +2148,6 @@ "View poll in timeline": "Tampilkan pemungutan suara di lini masa", "Verify Session": "Verifikasi Sesi", "Ignore (%(counter)s)": "Abaikan (%(counter)s)", - "Once everyone has joined, you’ll be able to chat": "Setelah semuanya bergabung, Anda akan dapat mengobrol", "Invites by email can only be sent one at a time": "Undangan lewat surel hanya dapat dikirim satu-satu", "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Sebuah kesalahan terjadi saat memperbarui preferensi notifikasi Anda. Silakan coba mengubah opsi Anda lagi.", "Desktop app logo": "Logo aplikasi desktop", @@ -2417,7 +2220,6 @@ "Mark all messages as read": "Tandai semua pesan sebagai dibaca", "Reset to default settings": "Atur ulang ke pengaturan bawaan", "Messages here are end-to-end encrypted. Verify %(displayName)s in their profile - tap on their profile picture.": "Pesan-pesan di sini dienkripsi secara ujung ke ujung. Verifikasi %(displayName)s di profilnya — ketuk pada profilnya.", - "Your server requires encryption to be disabled.": "Server Anda memerlukan enkripsi untuk dinonaktifkan.", "Your profile picture URL": "URL foto profil Anda", "Select which emails you want to send summaries to. Manage your emails in .": "Pilih surel mana yang ingin dikirimkan ikhtisar. Kelola surel Anda di .", "Mentions and Keywords only": "Hanya Sebutan dan Kata Kunci", @@ -2544,7 +2346,9 @@ "orphan_rooms": "Ruangan lainnya", "on": "Nyala", "off": "Mati", - "all_rooms": "Semua ruangan" + "all_rooms": "Semua ruangan", + "deselect_all": "Batalkan semua pilihan", + "select_all": "Pilih semua" }, "action": { "continue": "Lanjut", @@ -2728,7 +2532,15 @@ "rust_crypto_disabled_notice": "Saat ini hanya dapat diaktifkan melalui config.json", "automatic_debug_logs_key_backup": "Kirim catatan pengawakutu secara otomatis ketika pencadangan kunci tidak berfungsi", "automatic_debug_logs_decryption": "Kirim catatan pengawakutu secara otomatis ketika terjadi kesalahan pendekripsian", - "automatic_debug_logs": "Kirim catatan pengawakutu secara otomatis saat ada kesalahan" + "automatic_debug_logs": "Kirim catatan pengawakutu secara otomatis saat ada kesalahan", + "sliding_sync_server_support": "Server Anda mendukungnya", + "sliding_sync_server_no_support": "Server Anda belum mendukungnya", + "sliding_sync_server_specify_proxy": "Server Anda belum mendukungnya, Anda harus menetapkan sebuah proksi", + "sliding_sync_configuration": "Konfigurasi Penyinkronan Bergeser", + "sliding_sync_disable_warning": "Untuk menonaktifkan Anda harus keluar dan masuk kembali, gunakan dengan hati-hati!", + "sliding_sync_proxy_url_optional_label": "URL Proksi (opsional)", + "sliding_sync_proxy_url_label": "URL Proksi", + "video_rooms_beta": "Ruangan video adalah fitur beta" }, "keyboard": { "home": "Beranda", @@ -2823,7 +2635,19 @@ "placeholder_reply_encrypted": "Kirim sebuah balasan terenkripsi…", "placeholder_reply": "Kirim sebuah balasan…", "placeholder_encrypted": "Kirim sebuah pesan terenkripsi…", - "placeholder": "Kirim sebuah pesan…" + "placeholder": "Kirim sebuah pesan…", + "autocomplete": { + "command_description": "Perintah", + "command_a11y": "Penyelesaian Perintah Otomatis", + "emoji_a11y": "Penyelesaian Otomatis Emoji", + "@room_description": "Beri tahu seluruh ruangan", + "notification_description": "Notifikasi Ruangan", + "notification_a11y": "Penyelesaian Notifikasi Otomatis", + "room_a11y": "Penyelesaian Ruangan Otomatis", + "space_a11y": "Penyelesaian Space Otomatis", + "user_description": "Pengguna", + "user_a11y": "Penyelesaian Pengguna Otomatis" + } }, "Bold": "Tebal", "Link": "Tautan", @@ -3078,6 +2902,95 @@ }, "keyboard": { "title": "Keyboard" + }, + "sessions": { + "rename_form_heading": "Ubah nama sesi", + "rename_form_caption": "Harap diketahui bahwa nama sesi juga terlihat ke orang-orang yang Anda berkomunikasi.", + "rename_form_learn_more": "Mengubah nama sesi", + "rename_form_learn_more_description_1": "Pengguna lain dalam pesan langsung dan ruangan yang Anda bergabung dapat melihat daftar sesi Anda yang lengkap.", + "rename_form_learn_more_description_2": "Ini memberikan kepercayaan bahwa mereka benar-benar berbicara kepada Anda, tetapi ini juga berarti mereka dapat melihat nama sesi yang Anda masukkan di sini.", + "session_id": "ID Sesi", + "last_activity": "Aktivitas terakhir", + "url": "URL", + "os": "Sistem operasi", + "browser": "Peramban", + "ip": "Alamat IP", + "details_heading": "Detail sesi", + "push_toggle": "Aktifkan atau nonaktifkan notifikasi dorongan di sesi ini.", + "push_heading": "Notifikasi dorongan", + "push_subheading": "Terima notifikasi dorongan di sesi ini.", + "sign_out": "Keluarkan sesi ini", + "hide_details": "Sembunyikan detail", + "show_details": "Tampilkan detail", + "inactive_days": "Tidak aktif selama %(inactiveAgeDays)s+ hari", + "verified_sessions": "Sesi terverifikasi", + "verified_sessions_explainer_1": "Sesi terverifikasi bisa dari menggunakan akun ini setelah memasukkan frasa sandi atau mengonfirmasi identitas Anda dengan sesi terverifikasi lain.", + "verified_sessions_explainer_2": "Ini berarti bahwa Anda memiliki semua kunci yang dibutuhkan untuk membuka pesan terenkripsi Anda dan mengonfirmasi ke pengguna lain bahwa Anda mempercayai sesi ini.", + "unverified_sessions": "Sesi belum diverifikasi", + "unverified_sessions_explainer_1": "Sesi yang belum diverifikasi adalah sesi yang telah masuk dengan kredensial Anda tetapi belum diverifikasi secara silang.", + "unverified_sessions_explainer_2": "Anda seharusnya yakin bahwa Anda mengenal sesi ini karena mereka dapat berarti bahwa seseorang telah menggunakan akun Anda tanpa diketahui.", + "unverified_session": "Sesi belum diverifikasi", + "unverified_session_explainer_1": "Sesi ini tidak mendukung enkripsi dan tidak dapat diverifikasi.", + "unverified_session_explainer_2": "Anda tidak akan dapat berpartisipasi dalam ruangan di mana enkripsi diaktifkan ketika menggunakan sesi ini.", + "unverified_session_explainer_3": "Untuk keamanan dan privasi yang terbaik, kami merekomendasikan menggunakan klien Matrix yang mendukung enkripsi.", + "inactive_sessions": "Sesi tidak aktif", + "inactive_sessions_explainer_1": "Sesi tidak aktif adalah sesi yang Anda belum gunakan dalam beberapa waktu, tetapi mereka masih mendapatkan kunci enkripsi.", + "inactive_sessions_explainer_2": "Mengeluarkan sesi yang tidak aktif meningkatkan keamanan dan performa, dan membuatnya lebih mudah untuk Anda untuk mengenal jika sebuah sesi baru itu mencurigakan.", + "desktop_session": "Sesi desktop", + "mobile_session": "Sesi ponsel", + "web_session": "Sesi web", + "unknown_session": "Jenis sesi tidak diketahui", + "device_verified_description_current": "Sesi Anda saat ini siap untuk perpesanan aman.", + "device_verified_description": "Sesi ini siap untuk perpesanan yang aman.", + "verified_session": "Sesi terverifikasi", + "device_unverified_description_current": "Verifikasi sesi Anda saat ini untuk perpesanan aman yang ditingkatkan.", + "device_unverified_description": "Verifikasi atau keluarkan dari sesi ini untuk keamanan dan keandalan yang terbaik.", + "verify_session": "Verifikasi sesi", + "verified_sessions_list_description": "Untuk keamanan yang terbaik, keluarkan sesi yang Anda tidak kenal atau tidak digunakan lagi.", + "unverified_sessions_list_description": "Verifikasi sesi Anda untuk perpesanan aman yang baik atau keluarkan sesi yang Anda tidak kenal atau tidak digunakan lagi.", + "inactive_sessions_list_description": "Pertimbangkan untuk mengeluarkan sesi lama (%(inactiveAgeDays)s hari atau lebih) yang Anda tidak gunakan lagi.", + "no_verified_sessions": "Tidak ditemukan sesi yang terverifikasi.", + "no_unverified_sessions": "Tidak ditemukan sesi yang belum diverifikasi.", + "no_inactive_sessions": "Tidak ditemukan sesi yang tidak aktif.", + "no_sessions": "Tidak ditemukan sesi apa pun.", + "filter_all": "Semua", + "filter_verified_description": "Siap untuk perpesanan aman", + "filter_unverified_description": "Belum siap untuk perpesanan aman", + "filter_inactive": "Tidak aktif", + "filter_inactive_description": "Tidak aktif selama %(inactiveAgeDays)s hari atau lebih", + "filter_label": "Saring perangkat", + "n_sessions_selected": { + "one": "%(count)s sesi dipilih", + "other": "%(count)s sesi dipilih" + }, + "sign_in_with_qr": "Masuk dengan kode QR", + "sign_in_with_qr_description": "Anda dapat menggunakan perangkat ini untuk masuk ke perangkat yang baru dengan sebuah kode QR. Anda harus memindai kode QR yang ditampilkan di perangkat ini dengan perangkat Anda yang telah keluar dari akun.", + "sign_in_with_qr_button": "Tampilkan kode QR", + "sign_out_n_sessions": { + "one": "Keluar dari %(count)s sesi", + "other": "Keluar dari %(count)s sesi" + }, + "other_sessions_heading": "Sesi lainnya", + "sign_out_all_other_sessions": "Keluar dari semua sesi lain (%(otherSessionsCount)s)", + "current_session": "Sesi saat ini", + "confirm_sign_out_sso": { + "one": "Konfirmasi mengeluarkan perangkat ini dengan menggunakan Single Sign On untuk membuktikan identitas Anda.", + "other": "Konfirmasi mengeluarkan perangkat-perangkat ini dengan menggunakan Single Sign On untuk membuktikan identitas Anda." + }, + "confirm_sign_out": { + "one": "Konfirmasi mengeluarkan perangkat ini", + "other": "Konfirmasi mengeluarkan perangkat ini" + }, + "confirm_sign_out_body": { + "one": "Klik tombol di bawah untuk mengkonfirmasi mengeluarkan perangkat ini.", + "other": "Klik tombol di bawah untuk mengkonfirmasi mengeluarkan perangkat-perangkat ini." + }, + "confirm_sign_out_continue": { + "one": "Keluarkan perangkat", + "other": "Keluarkan perangkat" + }, + "security_recommendations": "Saran keamanan", + "security_recommendations_description": "Tingkatkan keamanan akun Anda dengan mengikuti saran berikut." } }, "devtools": { @@ -3177,7 +3090,9 @@ "show_hidden_events": "Tampilkan peristiwa tersembunyi di lini masa", "low_bandwidth_mode_description": "Membutuhkan homeserver yang kompatibel.", "low_bandwidth_mode": "Mode bandwidth rendah", - "developer_mode": "Mode pengembang" + "developer_mode": "Mode pengembang", + "view_source_decrypted_event_source": "Sumber peristiwa terdekripsi", + "view_source_decrypted_event_source_unavailable": "Sumber terdekripsi tidak tersedia" }, "export_chat": { "html": "HTML", @@ -3573,7 +3488,9 @@ "io.element.voice_broadcast_info": { "you": "Anda mengakhiri sebuah siaran suara", "user": "%(senderName)s mengakhiri sebuah siaran suara" - } + }, + "creation_summary_dm": "%(creator)s membuat pesan langsung ini.", + "creation_summary_room": "%(creator)s membuat dan mengatur ruangan ini." }, "slash_command": { "spoiler": "Mengirim pesan sebagai spoiler", @@ -3768,13 +3685,53 @@ "kick": "Keluarkan pengguna", "ban": "Cekal pengguna", "redact": "Hapus pesan yang dikirim oleh orang lain", - "notifications.room": "Beri tahu semua" + "notifications.room": "Beri tahu semua", + "no_privileged_users": "Tidak ada pengguna yang memiliki hak khusus di ruangan ini", + "privileged_users_section": "Pengguna Istimewa", + "muted_users_section": "Pengguna yang Dibisukan", + "banned_users_section": "Pengguna yang dicekal", + "send_event_type": "Kirim peristiwa %(eventType)s", + "title": "Peran & Izin", + "permissions_section": "Izin", + "permissions_section_description_space": "Pilih peran yang dibutuhkan untuk mengubah bagian-bagian space ini", + "permissions_section_description_room": "Pilih peran yang dibutuhkan untuk mengubah bagian-bagian ruangan ini" }, "security": { "strict_encryption": "Jangan kirim pesan terenkripsi ke sesi yang belum diverifikasi di ruangan ini dari sesi ini", "join_rule_invite": "Privat (undangan saja)", "join_rule_invite_description": "Hanya orang yang diundang dapat bergabung.", - "join_rule_public_description": "Siapa saja dapat menemukan dan bergabung." + "join_rule_public_description": "Siapa saja dapat menemukan dan bergabung.", + "enable_encryption_public_room_confirm_title": "Apakah Anda yakin untuk menambahkan enkripsi ke ruangan publik ini?", + "enable_encryption_public_room_confirm_description_1": "Menambahkan enkripsi pada ruangan publik tidak disarankan. Siapa pun dapat menemukan dan bergabung dengan ruangan publik, supaya siapa pun dapat membaca pesan di ruangan. Anda tidak akan mendapatkan manfaat dari enkripsi, dan Anda tidak akan dapat menonaktifkan nanti. Mengenkripsi pesan di ruangan publik akan membuat penerimaan dan pengiriman pesan lebih lambat.", + "enable_encryption_public_room_confirm_description_2": "Untuk menghindari masalah-masalah ini, buat sebuah ruangan terenkripsi yang baru untuk obrolan yang Anda rencanakan.", + "enable_encryption_confirm_title": "Aktifkan enkripsi?", + "enable_encryption_confirm_description": "Ketika diaktifkan, enkripsi untuk sebuah ruangan tidak dapat dinonaktifkan. Pesan-pesan yang terkirim di sebuah ruangan terenkripsi tidak dapat dilihat oleh server, hanya anggota di ruangan. Pelajari lebih lanjut tentang enkripsi.", + "public_without_alias_warning": "Untuk menautkan ruangan ini, mohon tambahkan sebuah alamat.", + "join_rule_description": "Putuskan siapa yang dapat bergabung %(roomName)s.", + "encrypted_room_public_confirm_title": "Apakah Anda yakin untuk membuat ruangan terenkripsi ini publik?", + "encrypted_room_public_confirm_description_1": "Ini tidak direkomendasikan untuk membuat ruangan terenkripsi publik. Ini berarti siapa saja dapat menemukan dan bergabung dengan ruangannya, jadi siapa saja dapat membaca pesan di ruangan itu. Anda tidak akan mendapatkan manfaat apa pun dari enkripsi. Mengenkripsi pesan di ruangan yang publik akan membuat menerima dan mengirim pesan lebih lambat.", + "encrypted_room_public_confirm_description_2": "Untuk menghindari masalah-masalah ini, buat sebuah ruangan terenkripsi yang baru untuk obrolan yang Anda rencanakan.", + "history_visibility": {}, + "history_visibility_warning": "Perubahan siapa yang dapat membaca riwayat hanya akan berlaku untuk pesan berikutnya di ruangan ini. Visibilitas riwayat yang ada tidak akan berubah.", + "history_visibility_legend": "Siapa yang dapat membaca riwayat?", + "guest_access_warning": "Orang-orang dengan klien yang didukung akan dapat bergabung ruangan ini tanpa harus memiliki sebuah akun yang terdaftar.", + "title": "Keamanan & Privasi", + "encryption_permanent": "Setelah diaktifkan, enkripsi tidak dapat dinonaktifkan.", + "encryption_forced": "Server Anda memerlukan enkripsi untuk dinonaktifkan.", + "history_visibility_shared": "Anggota saja (sejak memilih opsi ini)", + "history_visibility_invited": "Anggota saja (sejak mereka diundang)", + "history_visibility_joined": "Anggota saja (sejak mereka bergabung)", + "history_visibility_world_readable": "Siapa Saja" + }, + "general": { + "publish_toggle": "Publikasi ruangan ini ke publik di direktori ruangan %(domain)s?", + "user_url_previews_default_on": "Anda telah mengaktifkan tampilan URL secara bawaan.", + "user_url_previews_default_off": "Anda telah menonaktifkan tampilan URL secara bawaan.", + "default_url_previews_on": "Tampilan URL diaktifkan secara bawaan untuk anggota di ruangan ini.", + "default_url_previews_off": "Tampilan URL dinonaktifkan secara bawaan untuk anggota di ruangan ini.", + "url_preview_encryption_warning": "Di ruangan terenkripsi, seperti ruangan ini, tampilan URL dinonaktifkan secara bawaan untuk memastikan homeserver Anda (di mana tampilannya dibuat) tidak mendapatkan informasi tentang tautan yang Anda lihat di ruangan ini.", + "url_preview_explainer": "Ketika seseorang menambahkan URL di pesannya, sebuah tampilan URL dapat ditampilkan untuk memberikan informasi lainnya tentang tautan itu seperti judul, deskripsi, dan sebuah gambar dari website.", + "url_previews_section": "Tampilan URL" } }, "encryption": { @@ -3898,7 +3855,15 @@ "server_picker_explainer": "Gunakan homeserver Matrix yang Anda inginkan jika Anda punya satu, atau host sendiri.", "server_picker_learn_more": "Tentang homeserver", "incorrect_credentials": "Username dan/atau kata sandi salah.", - "account_deactivated": "Akun ini telah dinonaktifkan." + "account_deactivated": "Akun ini telah dinonaktifkan.", + "registration_username_validation": "Gunakan huruf kecil, angka, tanda hubung, dan garis bawah saja", + "registration_username_unable_check": "Tidak dapat memeriksa jika nama pengguna telah dipakai. Coba lagi nanti.", + "registration_username_in_use": "Seseorang sudah memiliki nama pengguna itu. Coba yang lain atau jika itu Anda, masuk di bawah.", + "phone_label": "Ponsel", + "phone_optional_label": "Nomor telepon (opsional)", + "email_help_text": "Tambahkan sebuah email untuk dapat mengatur ulang kata sandi Anda.", + "email_phone_discovery_text": "Gunakan email atau nomor telepon untuk dapat ditemukan oleh kontak yang sudah ada secara opsional.", + "email_discovery_text": "Gunakan email untuk dapat ditemukan oleh kontak yang sudah ada secara opsional." }, "room_list": { "sort_unread_first": "Tampilkan ruangan dengan pesan yang belum dibaca dahulu", @@ -4110,7 +4075,21 @@ "light_high_contrast": "Kontras tinggi terang" }, "space": { - "landing_welcome": "Selamat datang di " + "landing_welcome": "Selamat datang di ", + "suggested_tooltip": "Ruangan ini disarankan sebagai ruangan yang baik untuk bergabung", + "suggested": "Disarankan", + "select_room_below": "Pilih sebuah ruangan di bawah dahulu", + "unmark_suggested": "Tandai sebagai tidak disarankan", + "mark_suggested": "Tandai sebagai disarankan", + "failed_remove_rooms": "Gagal untuk menghapus beberapa ruangan. Coba lagi nanti", + "failed_load_rooms": "Gagal untuk memuat daftar ruangan.", + "incompatible_server_hierarchy": "Server Anda tidak mendukung penampilan hierarki space.", + "context_menu": { + "devtools_open_timeline": "Lihat lini masa ruangan (alat pengembang)", + "home": "Beranda space", + "explore": "Jelajahi ruangan", + "manage_and_explore": "Kelola & jelajahi ruangan" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "Homeserver ini tidak diatur untuk menampilkan peta.", @@ -4167,5 +4146,52 @@ "setup_rooms_description": "Anda juga dapat menambahkan lebih banyak nanti, termasuk yang sudah ada.", "setup_rooms_private_heading": "Proyek apa yang sedang dikerjakan tim Anda?", "setup_rooms_private_description": "Kami akan membuat ruangan untuk masing-masing." + }, + "user_menu": { + "switch_theme_light": "Ubah ke mode terang", + "switch_theme_dark": "Ubah ke mode gelap" + }, + "notif_panel": { + "empty_heading": "Anda selesai", + "empty_description": "Anda tidak memiliki notifikasi." + }, + "console_scam_warning": "Jika seseorang membilangi Anda untuk salin/tempel sesuatu di sini, mungkin saja Anda sedang ditipu!", + "console_dev_note": "Jika Anda tahu apa yang Anda lakukan, Element itu sumber-terbuka, pastikan untuk mengunjungi GitHub kami (https://github.com/vector-im/element-web/) dan berkontribusi!", + "room": { + "drop_file_prompt": "Lepaskan file di sini untuk mengunggah", + "intro": { + "send_message_start_dm": "Kirim pesan pertama Anda untuk mengundang ke obrolan", + "encrypted_3pid_dm_pending_join": "Setelah semuanya bergabung, Anda akan dapat mengobrol", + "start_of_dm_history": "Ini adalah awal dari pesan langsung Anda dengan .", + "dm_caption": "Hanya Anda berdua yang ada dalam percakapan ini, kecuali jika salah satu dari Anda mengundang siapa saja untuk bergabung.", + "topic_edit": "Topik %(topic)s (edit)", + "topic": "Topik: %(topic)s ", + "no_topic": "Tambahkan sebuah topik supaya orang-orang tahu tentang ruangan ini.", + "you_created": "Anda membuat ruangan ini.", + "user_created": "%(displayName)s membuat ruangan ini.", + "room_invite": "Undang ke ruangan ini saja", + "no_avatar_label": "Tambahkan sebuah foto supaya orang-orang dapat menemukan ruangan Anda.", + "start_of_room": "Ini adalah awal dari .", + "private_unencrypted_warning": "Pesan privat Anda biasanya dienkripsi, tetapi di ruangan ini tidak terenkripsi. Biasanya ini disebabkan oleh perangkat yang tidak mendukung atau metode yang sedang digunakan, seperti undangan email.", + "enable_encryption_prompt": "Aktifkan enkripsi di pengaturan.", + "unencrypted_warning": "Enkripsi ujung ke ujung tidak diaktifkan" + } + }, + "file_panel": { + "guest_note": "Anda harus mendaftar untuk menggunakan kegunaan ini", + "peek_note": "Anda harus bergabung ruangannya untuk melihat file-filenya", + "empty_heading": "Tidak ada file di ruangan ini", + "empty_description": "Lampirkan file dari komposer atau tarik dan lepaskan di mana saja di sebuah ruangan." + }, + "terms": { + "integration_manager": "Gunakan bot, jembatan, widget, dan paket stiker", + "tos": "Persyaratan Layanan", + "intro": "Untuk melanjutkan Anda harus menerima persyaratan layanan ini.", + "column_service": "Layanan", + "column_summary": "Kesimpulan", + "column_document": "Dokumen" + }, + "space_settings": { + "title": "Pengaturan — %(spaceName)s" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/is.json b/src/i18n/strings/is.json index 9bd425bdcd..0fd6b8664c 100644 --- a/src/i18n/strings/is.json +++ b/src/i18n/strings/is.json @@ -52,7 +52,6 @@ "Change Password": "Breyta lykilorði", "Authentication": "Auðkenning", "Notification targets": "Markmið tilkynninga", - "Drop file here to upload": "Slepptu hér skrá til að senda inn", "Unban": "Afbanna", "Are you sure?": "Ertu viss?", "Unignore": "Hætta að hunsa", @@ -68,14 +67,7 @@ "Historical": "Ferilskráning", "unknown error code": "óþekktur villukóði", "Failed to forget room %(errCode)s": "Mistókst að gleyma spjallrásinni %(errCode)s", - "Banned users": "Bannaðir notendur", "Favourite": "Eftirlæti", - "Who can read history?": "Hver getur lesið ferilskráningu?", - "Anyone": "Hver sem er", - "Members only (since the point in time of selecting this option)": "Einungis meðlimir (síðan þessi kostur var valinn)", - "Members only (since they were invited)": "Einungis meðlimir (síðan þeim var boðið)", - "Members only (since they joined)": "Einungis meðlimir (síðan þeir skráðu sig)", - "Permissions": "Heimildir", "Search…": "Leita…", "This Room": "Þessi spjallrás", "All Rooms": "Allar spjallrásir", @@ -136,8 +128,6 @@ "A new password must be entered.": "Það verður að setja inn nýtt lykilorð.", "New passwords must match each other.": "Nýju lykilorðin verða að vera þau sömu.", "Return to login screen": "Fara aftur í innskráningargluggann", - "Commands": "Skipanir", - "Users": "Notendur", "Session ID": "Auðkenni setu", "Export room keys": "Flytja út dulritunarlykla spjallrásar", "Enter passphrase": "Settu inn lykilfrasann", @@ -176,8 +166,6 @@ "": "", "No Microphones detected": "Engir hljóðnemar fundust", "No Webcams detected": "Engar vefmyndavélar fundust", - "Notify the whole room": "Tilkynna öllum á spjallrásinni", - "Room Notification": "Tilkynning á spjallrás", "Passphrases must match": "Lykilfrasar verða að stemma", "Passphrase must not be empty": "Lykilfrasi má ekki vera auður", "Explore rooms": "Kanna spjallrásir", @@ -185,8 +173,6 @@ "The user must be unbanned before they can be invited.": "Notandinn þarf að vera afbannaður áður en að hægt er að bjóða þeim.", "You do not have permission to invite people to this room.": "Þú hefur ekki heimild til að bjóða fólk í þessa spjallrás.", "Add room": "Bæta við spjallrás", - "Switch to dark mode": "Skiptu yfir í dökkan ham", - "Switch to light mode": "Skiptu yfir í ljósan ham", "Room information": "Upplýsingar um spjallrás", "Room options": "Valkostir spjallrásar", "Invite people": "Bjóða fólki", @@ -197,9 +183,7 @@ "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Ef þú hættir við núna, geturðu tapað dulrituðum skilaboðum og gögnum ef þú missir aðgang að innskráningum þínum.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Kerfisstjóri netþjónsins þíns hefur lokað á sjálfvirka dulritun í einkaspjallrásum og beinum skilaboðum.", "Voice & Video": "Tal og myndmerki", - "Roles & Permissions": "Hlutverk og heimildir", "Reject & Ignore user": "Hafna og hunsa notanda", - "Security & Privacy": "Öryggi og gagnaleynd", "All settings": "Allar stillingar", "Change notification settings": "Breytta tilkynningastillingum", "You can't send any messages until you review and agree to our terms and conditions.": "Þú getur ekki sent nein skilaboð fyrr en þú hefur farið yfir og samþykkir skilmála okkar.", @@ -228,17 +212,8 @@ "Unencrypted": "Ódulritað", "Messages in this room are end-to-end encrypted.": "Skilaboð í þessari spjallrás eru enda-í-enda dulrituð.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Hreinsun geymslu vafrans gæti lagað vandamálið en mun skrá þig út og valda því að dulritaður spjallferil verði ólæsilegur.", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Þegar hún er gerð virk er ekki hægt að gera dulritun óvirka. Skilaboð á dulritaðri spjallrás getur netþjónninn ekki séð, aðeins þátttakendur á spjallrásinni. Virkjun dulritunar gæti komið í veg fyrir að vélmenni og brýr virki rétt. Lærðu meira um dulritun.", - "Once enabled, encryption cannot be disabled.": "Eftir að kveikt er á dulritun er ekki hægt að slökkva á henni.", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Í dulrituðum spjallrásum, eins og þessari, er sjálfgefið slökkt á forskoðun vefslóða til að tryggja að heimaþjónn þinn (þar sem forskoðunin myndast) geti ekki safnað upplýsingum um tengla sem þú sérð í þessari spjallrás.", - "URL Previews": "Forskoðun vefslóða", - "URL previews are disabled by default for participants in this room.": "Forskoðun vefslóða er sjálfgefið óvirk fyrir þátttakendur í þessari spjallrás.", - "URL previews are enabled by default for participants in this room.": "Forskoðun vefslóða er sjálfgefið virk fyrir þátttakendur í þessari spjallrás.", - "You have disabled URL previews by default.": "Þú hefur óvirkt forskoðun vefslóða sjálfgefið.", - "You have enabled URL previews by default.": "Þú hefur virkt forskoðun vefslóða sjálfgefið.", "Room settings": "Stillingar spjallrásar", "Room Settings - %(roomName)s": "Stillingar spjallrásar - %(roomName)s", - "This is the beginning of your direct message history with .": "Þetta er upphaf ferils beinna skilaboða með .", "Recently Direct Messaged": "Nýsend bein skilaboð", "Direct Messages": "Bein skilaboð", "Preparing to download logs": "Undirbý niðurhal atvikaskráa", @@ -263,11 +238,8 @@ "Confirm adding email": "Staðfestu að bæta við tölvupósti", "None": "Ekkert", "Ignored/Blocked": "Hunsað/Hindrað", - "Document": "Skjal", "Italics": "Skáletrað", "Discovery": "Uppgötvun", - "Summary": "Yfirlit", - "Service": "Þjónusta", "Removing…": "Er að fjarlægja…", "Browse": "Skoða", "Sounds": "Hljóð", @@ -609,7 +581,6 @@ "Your password has been reset.": "Lykilorðið þitt hefur verið endursett.", "Results": "Niðurstöður", "No results found": "Engar niðurstöður fundust", - "Suggested": "Tillögur", "Delete all": "Eyða öllu", "Wait!": "Bíddu!", "Sign in with": "Skrá inn með", @@ -621,8 +592,6 @@ "Avatar": "Auðkennismynd", "Move right": "Færa til hægri", "Move left": "Færa til vinstri", - "Manage & explore rooms": "Sýsla með og kanna spjallrásir", - "Space home": "Forsíða svæðis", "Forget": "Gleyma", "Report": "Tilkynna", "Show preview": "Birta forskoðun", @@ -653,7 +622,6 @@ "Upload completed": "Innsendingu er lokið", "User Directory": "Mappa notanda", "Transfer": "Flutningur", - "Terms of Service": "Þjónustuskilmálar", "Message preview": "Forskoðun skilaboða", "Sent": "Sent", "Sending": "Sendi", @@ -705,7 +673,6 @@ "Join public room": "Taka þátt í almenningsspjallrás", "Recently viewed": "Nýlega skoðað", "View message": "Sjá skilaboð", - "Topic: %(topic)s ": "Umfjöllunarefni: %(topic)s ", "Insert link": "Setja inn tengil", "Poll": "Könnun", "Voice Message": "Talskilaboð", @@ -716,8 +683,6 @@ "Email Address": "Tölvupóstfang", "Verification code": "Sannvottunarkóði", "Unknown failure": "Óþekkt bilun", - "Enable encryption?": "Virkja dulritun?", - "Muted Users": "Þaggaðir notendur", "Notification sound": "Hljóð með tilkynningu", "@mentions & keywords": "@minnst á og stikkorð", "Bridges": "Brýr", @@ -743,8 +708,6 @@ "Space members": "Meðlimir svæðis", "Upgrade required": "Uppfærsla er nauðsynleg", "Display Name": "Birtingarnafn", - "Select all": "Velja allt", - "Deselect all": "Afvelja allt", "Session ID:": "Auðkenni setu:", "exists": "er til staðar", "not found": "fannst ekki", @@ -794,7 +757,6 @@ "Unignored user": "Ekki-hunsaður notandi", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Reyndi að hlaða inn tilteknum punkti úr tímalínu þessarar spjallrásar, en tókst ekki að finna þetta.", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Reyndi að hlaða inn tilteknum punkti úr tímalínu þessarar spjallrásar, en þú ert ekki með heimild til að skoða tilteknu skilaboðin.", - "See room timeline (devtools)": "Skoða tímalínu spjallrásar (forritaratól)", "Video conference started by %(senderName)s": "Myndfjarfundur hafinn af %(senderName)s", "Video conference updated by %(senderName)s": "Myndfjarfundur uppfærður af %(senderName)s", "Video conference ended by %(senderName)s": "Myndfjarfundi lokið af %(senderName)s", @@ -835,8 +797,6 @@ "Encryption not enabled": "Dulritun ekki virk", "Ignored attempt to disable encryption": "Hunsaði tilraun til að gera dulritun óvirka", "This client does not support end-to-end encryption.": "Þetta forrit styður ekki enda-í-enda dulritun.", - "End-to-end encryption isn't enabled": "Enda-í-enda dulritun er ekki virkjuð", - "Enable encryption in settings.": "Virkjaðu dulritun í stillingum.", "Room Addresses": "Vistföng spjallrása", "Room version:": "Útgáfa spjallrásar:", "Room version": "Útgáfa spjallrásar", @@ -915,10 +875,6 @@ "No recently visited rooms": "Engar nýlega skoðaðar spjallrásir", "Recently visited rooms": "Nýlega skoðaðar spjallrásir", "Room %(name)s": "Spjallrás %(name)s", - "Invite to just this room": "Bjóða inn á aðeins þessa spjallrás", - "%(displayName)s created this room.": "%(displayName)s bjó til þessa spjallrás.", - "You created this room.": "Þú bjóst til þessa spjallrás.", - "Topic: %(topic)s (edit)": "Umfjöllunarefni: %(topic)s (edit)", "You do not have permission to start polls in this room.": "Þú hefur ekki aðgangsheimildir til að hefja kannanir á þessari spjallrás.", "Send voice message": "Senda talskilaboð", "Invite to this space": "Bjóða inn á þetta svæði", @@ -934,10 +890,6 @@ "New login. Was this you?": "Ný innskráning. Varst þetta þú?", "Other users may not trust it": "Aðrir notendur gætu ekki treyst því", "Failed to set display name": "Mistókst að stilla birtingarnafn", - "Sign out devices": { - "one": "Skrá út tæki", - "other": "Skrá út tæki" - }, "Show advanced": "Birta ítarlegt", "Hide advanced": "Fela ítarlegt", "Edit settings relating to your space.": "Breyta stillingum viðkomandi svæðinu þínu.", @@ -1053,12 +1005,6 @@ "Jump to first invite.": "Fara í fyrsta boð.", "Jump to first unread room.": "Fara í fyrstu ólesnu spjallrásIna.", "Generate a Security Key": "Útbúa öryggislykil", - "User Autocomplete": "Orðaklárun notanda", - "Space Autocomplete": "Orðaklárun svæða", - "Room Autocomplete": "Orðaklárun spjallrása", - "Notification Autocomplete": "Orðaklárun tilkynninga", - "Emoji Autocomplete": "Orðaklárun Emoji-tákna", - "Command Autocomplete": "Orðaklárun skipana", "Not a valid Security Key": "Ekki gildur öryggislykill", "This looks like a valid Security Key!": "Þetta lítur út eins og gildur öryggislykill!", "Enter Security Key": "Settu inn öryggislykil", @@ -1094,13 +1040,8 @@ "Unable to create key backup": "Tókst ekki að gera öryggisafrit af dulritunarlykli", "Create key backup": "Gera öryggisafrit af dulritunarlykli", "Rooms and spaces": "Spjallrásir og svæði", - "Failed to load list of rooms.": "Mistókst að hlaða inn lista yfir spjallrásir.", - "Select a room below first": "Veldu fyrst spjallrás hér fyrir neðan", - "%(creator)s created and configured the room.": "%(creator)s bjó til og stillti spjallrásina.", "Unable to copy a link to the room to the clipboard.": "Tókst ekki að afrita tengil á spjallrás á klippispjaldið.", "Unable to copy room link": "Tókst ekki að afrita tengil spjallrásar", - "No files visible in this room": "Engar skrár sýnilegar á þessari spjallrás", - "You must join the room to see its files": "Þú verður að taka þátt í spjallrás til að sjá skrárnar á henni", "Join %(roomAddress)s": "Taka þátt í %(roomAddress)s", "Decide which spaces can access this room. If a space is selected, its members can find and join .": "Veldu hvaða svæði hafa aðgang að þessari spjallrás. Ef svæði er valið geta meðlimir þess fundið og tekið þátt í spjallrásinni.", "Failed to find the following users": "Mistókst að finna eftirfarandi notendur", @@ -1128,7 +1069,6 @@ "Anyone in a space can find and join. Edit which spaces can access here.": "Hver sem er í svæði getur fundið og tekið þátt. Breyttu hér því hvaða svæði hafa aðgang.", "Enable guest access": "Leyfa aðgang gesta", "Integrations are disabled": "Samþættingar eru óvirkar", - "%(creator)s created this DM.": "%(creator)s bjó til oþessi beinu skilaboð.", "Your homeserver doesn't seem to support this feature.": "Heimaþjóninn þinn virðist ekki styðja þennan eiginleika.", "Including %(commaSeparatedMembers)s": "Þar með taldir %(commaSeparatedMembers)s", "Including you, %(commaSeparatedMembers)s": "Að þér meðtöldum, %(commaSeparatedMembers)s", @@ -1238,7 +1178,6 @@ "You're all caught up.": "Þú hefur klárað að lesa allt.", "Upgrade public room": "Uppfæra almenningsspjallrás", "Upgrade private room": "Uppfæra einkaspjallrás", - "Verify session": "Sannprófa setu", "Search spaces": "Leita að svæðum", "%(count)s members": { "one": "%(count)s þátttakandi", @@ -1304,9 +1243,6 @@ "Your email address hasn't been verified yet": "Tölvupóstfangið þitt hefur ekki ennþá verið staðfest", "Unable to share email address": "Get ekki deilt tölvupóstfangi", "Unable to revoke sharing for email address": "Ekki er hægt að afturkalla að deila tölvupóstfangi", - "Send %(eventType)s events": "Senda %(eventType)s atburði", - "Privileged Users": "Notendur með auknar heimildir", - "No users have specific privileges in this room": "Engir notendur eru með neinar sérheimildir á þessari spjallrás", "Error changing power level": "Villa við að breyta valdastigi", "Error changing power level requirement": "Villa við að breyta kröfum um valdastig", "Banned by %(displayName)s": "Bannaður af %(displayName)s", @@ -1321,7 +1257,6 @@ "Open in OpenStreetMap": "Opna í OpenStreetMap", "I don't want my encrypted messages": "Ég vil ekki dulrituðu skilaboðin mín", "Call declined": "Símtali hafnað", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Aðeins þið tveir/tvö eruð í þessu samtali, nema annar hvor bjóði einhverjum að taka þátt.", "The conversation continues here.": "Samtalið heldur áfram hér.", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (með völd sem %(powerLevelNumber)s)", "Message Actions": "Aðgerðir skilaboða", @@ -1342,9 +1277,6 @@ "Unexpected error resolving homeserver configuration": "Óvænt villa kom upp við að lesa uppsetningu heimaþjóns", "Your %(brand)s is misconfigured": "%(brand)s-uppsetningin þín er rangt stillt", "Message didn't send. Click for info.": "Mistókst að senda skilaboð. Smelltu til að fá nánari upplýsingar.", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Einkaskilaboðin þín eru venjulega dulrituð, en þessi spjallrás er það hinsvegar ekki. Venjulega kemur þetta til vegna tækis sem ekki sé stutt, eða aðferðarinnar sem sé notuð, eins og t.d. boðum í tölvupósti.", - "This is the start of .": "Þetta er upphafið á .", - "Add a photo, so people can easily spot your room.": "Bættu við mynd, svo fólk eigi auðveldara með að finna spjallið þitt.", "View older messages in %(roomName)s.": "Skoða eldri skilaboð í %(roomName)s.", "This room is not accessible by remote Matrix servers": "Þessi spjallrás er ekki aðgengileg fjartengdum Matrix-netþjónum", "No media permissions": "Engar heimildir fyrir myndefni", @@ -1402,20 +1334,13 @@ "Do you want to chat with %(user)s?": "Viltu spjalla við %(user)s?", "Add space": "Bæta við svæði", "Add existing room": "Bæta við fyrirliggjandi spjallrás", - "Decide who can join %(roomName)s.": "Veldu hverjir geta tekið þátt í %(roomName)s.", "Disconnect from the identity server and connect to instead?": "Aftengjast frá auðkennisþjóninum og tengjast í staðinn við ?", "Checking server": "Athuga með þjón", - "Click the button below to confirm signing out these devices.": { - "one": "Smelltu á hnappinn hér að neðan til að staðfesta útskráningu þessa tækis.", - "other": "Smelltu á hnappinn hér að neðan til að staðfesta útskráningu þessara tækja." - }, "Do you want to set an email address?": "Viltu skrá tölvupóstfang?", "Decide who can view and join %(spaceName)s.": "Veldu hverjir geta skoðað og tekið þátt í %(spaceName)s.", "Verification Request": "Beiðni um sannvottun", "Save your Security Key": "Vista öryggislykilinn þinn", "Set a Security Phrase": "Setja öryggisfrasa", - "Mark as suggested": "Merkja sem tillögu", - "Mark as not suggested": "Merkja sem ekki-tillögu", "Remove for everyone": "Fjarlægja fyrir alla", "Security Phrase": "Öryggisfrasi", "Manually export keys": "Flytja út dulritunarlykla handvirkt", @@ -1424,7 +1349,6 @@ "Change identity server": "Skipta um auðkennisþjón", "Enter your account password to confirm the upgrade:": "Sláðu inn lykilorðið þitt til að staðfesta uppfærsluna:", "Enter your Security Phrase a second time to confirm it.": "Settu aftur inn öryggisfrasann þinn til að staðfesta hann.", - "Failed to remove some rooms. Try again later": "Mistókst að fjarlægja sumar spjallrásir. Reyndu aftur síðar", "Error downloading audio": "Villa við að sækja hljóð", "Failed to start livestream": "Tókst ekki að ræsa beint streymi", "Failed to decrypt %(failedCount)s sessions!": "Mistókst að afkóða %(failedCount)s setur!", @@ -1442,8 +1366,6 @@ "Verify this device": "Sannreyna þetta tæki", "Search names and descriptions": "Leita í nöfnum og lýsingum", "toggle event": "víxla atburði af/á", - "You have no visible notifications.": "Þú átt engar sýnilegar tilkynningar.", - "You're all caught up": "Þú hefur klárað að lesa allt", "Verification requested": "Beðið um sannvottun", "Review terms and conditions": "Yfirfara skilmála og kvaðir", "Sign in with SSO": "Skrá inn með einfaldri innskráningu (SSO)", @@ -1459,13 +1381,10 @@ "Wrong file type": "Röng skráartegund", "This widget would like to:": "Þessi viðmótshluti vill:", "Verify other device": "Sannreyndu hitt tækið", - "To continue you need to accept the terms of this service.": "Þú verður að samþykkja þjónustuskilmálana til að geta haldið áfram.", - "Use bots, bridges, widgets and sticker packs": "Notaðu vélmenni, viðmótshluta og límmerkjapakka", "Be found by phone or email": "Láttu finna þig með símanúmeri eða tölvupóstfangi", "Search Dialog": "Leitargluggi", "Use to scroll": "Notaðu til að skruna", "Spaces you're in": "Svæði sem þú tilheyrir", - "Settings - %(spaceName)s": "Stillingar - %(spaceName)s", "Unable to upload": "Ekki tókst að senda inn", "This widget may use cookies.": "Þessi viðmótshluti gæti notað vefkökur.", "Widget added by": "Viðmótshluta bætt við af", @@ -1495,8 +1414,6 @@ "Invalid base_url for m.identity_server": "Ógilt base_url fyrir m.identity_server", "Joining": "Geng í hópinn", "Old cryptography data detected": "Gömul dulritunargögn fundust", - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Ef einhver sagði þér að afrita/líma eitthvað hér, eru miklar líkur á að það sé verið að gabba þig!", - "Phone (optional)": "Sími (valfrjálst)", "Password is allowed, but unsafe": "Lykilorð er leyfilegt, en óöruggt", "Nice, strong password!": "Fínt, sterkt lykilorð!", "Keys restored": "Dulritunarlyklar endurheimtir", @@ -1541,15 +1458,10 @@ "one": "Er núna að ganga til liðs við %(count)s spjallrás", "other": "Er núna að ganga til liðs við %(count)s spjallrásir" }, - "Add a topic to help people know what it is about.": "Bættu við umfjöllunarefni svo fólk viti að um hvað málin snúist.", "Unable to verify this device": "Tókst ekki að sannreyna þetta tæki", "Scroll to most recent messages": "Skruna að nýjustu skilaboðunum", "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Þetta boð í %(roomName)s var sent til %(email)s sem er ekki tengt notandaaðgangnum þínum", - "You must register to use this functionality": "Þú verður að skrá þig til að geta notað þennan eiginleika", "Unnamed audio": "Nafnlaust hljóð", - "Someone already has that username. Try another or if it is you, sign in below.": "Einhver annar er að nota þetta notandanafn. Prófaðu eitthvað annað, eða ef þetta ert þú, skaltu skrá þig inn hér fyrir neðan.", - "Unable to check if username has been taken. Try again later.": "Ekki er hægt að athuga hvort notandanafnið sé frátekið. Prófaðu aftur síðar.", - "Use lowercase letters, numbers, dashes and underscores only": "Notaðu einungis bókstafi, tölur, skástrik og undirstrik", "Use an email address to recover your account": "Notaðu tölvupóstfang til að endurheimta aðganginn þinn", "Start authentication": "Hefja auðkenningu", "Something went wrong in confirming your identity. Cancel and try again.": "Eitthvað fór úrskeiðis við að staðfesta auðkennin þín. Hættu við og prófaðu aftur.", @@ -1558,10 +1470,6 @@ "Please review and accept the policies of this homeserver:": "Yfirfarðu og samþykktu reglur þessa heimaþjóns:", "Please review and accept all of the homeserver's policies": "Yfirfarðu og samþykktu allar reglur þessa heimaþjóns", "To continue, use Single Sign On to prove your identity.": "Til að halda áfram skaltu nota einfalda innskráningu (single-sign-on) til að sanna auðkennið þitt.", - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "Staðfestu útskráningu af þessu tæki með því að nota einfalda innskráningu (single-sign-on) til að sanna auðkennið þitt.", - "other": "Staðfestu útskráningu af þessum tækjum með því að nota einfalda innskráningu (single-sign-on) til að sanna auðkennið þitt." - }, "Homeserver feature support:": "Heimaþjónninn styður eftirfarandi eiginleika:", "Waiting for you to verify on your other device…": "Bíð eftir að þú staðfestir á hinu tækinu…", "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Bíð eftir að þú staðfestir á hinu tækinu, %(deviceName)s (%(deviceId)s)…", @@ -1594,14 +1502,11 @@ "Please note you are logging into the %(hs)s server, not matrix.org.": "Athugaðu að þú ert að skrá þig inn á %(hs)s þjóninn, ekki inn á matrix.org.", "Homeserver URL does not appear to be a valid Matrix homeserver": "Slóð heimaþjóns virðist ekki beina á gildan heimaþjón", "Really reset verification keys?": "Viltu í alvörunni endurstilla sannvottunarlyklana?", - "Use email to optionally be discoverable by existing contacts.": "Notaðu tölvupóstfang til að geta verið finnanleg/ur fyrir tengiliðina þína.", - "Use email or phone to optionally be discoverable by existing contacts.": "Notaðu tölvupóstfang eða símanúmer til að geta verið finnanleg/ur fyrir tengiliðina þína.", "For security, this session has been signed out. Please sign in again.": "Í öryggisskyni hefur verið skráð út þessari setu. Skráðu þig aftur inn.", "Are you sure you want to leave the room '%(roomName)s'?": "Ertu viss um að þú viljir yfirgefa spjallrásina '%(roomName)s'?", "Are you sure you want to leave the space '%(spaceName)s'?": "Ertu viss um að þú viljir yfirgefa svæðið '%(spaceName)s'?", "This space is not public. You will not be able to rejoin without an invite.": "Þetta svæði er ekki opinbert. Þú munt ekki geta tekið aftur þátt nema að vera boðið.", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Þú ert eini eintaklingurinn hérna. Ef þú ferð út, mun enginn framar geta tekið þátt, að þér meðtöldum.", - "Add an email to be able to reset your password.": "Bættu við tölvupóstfangi til að geta endurstillt lykilorðið þitt.", "Thread options": "Valkostir spjallþráðar", "Unable to load backup status": "Tókst ekki að hlaða inn stöðu öryggisafritunar dulritunarlykla", "%(completed)s of %(total)s keys restored": "%(completed)s af %(total)s lyklum endurheimtir", @@ -1632,8 +1537,6 @@ "Some of your messages have not been sent": "Sum skilaboðin þín hafa ekki verið send", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Skilaboðin þín voru ekki send vegna þess að þessi heimaþjónn er kominn fram yfir takmörk á notuðum tilföngum. Hafðu samband við kerfisstjóra þjónustunnar þinnar til að halda áfram að nota þjónustuna.", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Skilaboðin þín voru ekki send vegna þess að þessi heimaþjónn er kominn fram yfir takmörk á mánaðarlega virkum notendum. Hafðu samband við kerfisstjóra þjónustunnar þinnar til að halda áfram að nota þjónustuna.", - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Ef þú veist hvað þú átt að gera, þá er Element með opinn grunnkóða; þú getur alltaf skoðað kóðann á GitHub (https://github.com/vector-im/element-web/) og lagt þitt af mörkum!", - "Attach files from chat or just drag and drop them anywhere in a room.": "Hengdu við skrár úr spjalli eða bara dragðu þær og slepptu einhversstaðar á spjallrásina.", "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Vantar captcha fyrir dreifilykil í uppsetningu heimaþjónsins. Tilkynntu þetta til kerfisstjóra heimaþjónsins þíns.", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Sé viðmótshluta eytt hverfur hann hjá öllum notendum í þessari spjallrás. Ertu viss um að þú viljir eyða þessum viðmótshluta?", "You can also set up Secure Backup & manage your keys in Settings.": "Þú getur líka sett upp varið öryggisafrit og sýslað með dulritunarlykla í stillingunum.", @@ -1735,7 +1638,6 @@ "Forget this space": "Gleyma þessu svæði", "You were removed by %(memberName)s": "Þú hefur verið fjarlægð/ur af %(memberName)s", "Loading preview": "Hleð inn forskoðun", - "To link to this room, please add an address.": "Til að tengja við þessa spjallrás skaltu bæta við vistfangi.", "Failed to invite users to %(roomName)s": "Mistókst að bjóða notendum í %(roomName)s", "Consult first": "Ráðfæra fyrst", "You are still sharing your personal data on the identity server .": "Þú ert áfram að deila persónulegum gögnum á auðkenningarþjóninum .", @@ -1755,10 +1657,6 @@ "Double check that your server supports the room version chosen and try again.": "Athugaðu vandlega hvort netþjónninn styðji ekki valda útgáfu spjallrása og reyndu aftur.", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Undirritunarlykillinn sem þú gafst upp samsvarar lyklinum sem þú fékkst frá %(userId)s og setunni %(deviceId)s. Setan er því merkt sem sannreynd.", "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "AÐVÖRUN: SANNVOTTUN LYKILS MISTÓKST! Undirritunarlykillinn fyrir %(userId)s og setuna %(deviceId)s er \"%(fprint)s\" sem samsvarar ekki uppgefna lyklinum \"%(fingerprint)s\". Þetta gæti þýtt að einhver hafi komist inn í samskiptin þín!", - "Confirm signing out these devices": { - "one": "Staðfestu útskráningu þessa tækis", - "other": "Staðfestu útskráningu þessara tækja" - }, "%(count)s people joined": { "one": "%(count)s aðili hefur tekið þátt", "other": "%(count)s aðilar hafa tekið þátt" @@ -1792,7 +1690,6 @@ "New room": "Ný spjallrás", "Private room": "Einkaspjallrás", "Video room": "Myndspjallrás", - "Video rooms are a beta feature": "Myndspjallrásir eru beta-prófunareiginleiki", "Read receipts": "Leskvittanir", "%(members)s and more": "%(members)s og fleiri", "Show Labs settings": "Sýna tilraunastillingar", @@ -1812,8 +1709,6 @@ "Check your email to continue": "Skoðaðu tölvupóstinn þinn til að halda áfram", "Stop and close": "Hætta og loka", "Show rooms": "Sýna spjallrásir", - "Proxy URL": "Slóð milliþjóns", - "Proxy URL (optional)": "Slóð milliþjóns (valfrjálst)", "Use an identity server to invite by email. Use the default (%(defaultIdentityServerName)s) or manage in Settings.": "Notaðu auðkennisþjón til að geta boðið með tölvupósti. Notaðu sjálfgefinn auðkennisþjón (%(defaultIdentityServerName)s( eða sýslaðu með þetta í stillingunum.", "Open room": "Opin spjallrás", "Show: Matrix rooms": "Birta: Matrix-spjallrásir", @@ -1826,22 +1721,6 @@ "Click to read topic": "Smelltu til að lesa umfjöllunarefni", "Edit topic": "Breyta umfjöllunarefni", "Video call ended": "Mynddsímtali lauk", - "Inactive": "Óvirkt", - "All": "Allt", - "No sessions found.": "Engar setur fundust.", - "No inactive sessions found.": "Engar óvirkar setur fundust.", - "No unverified sessions found.": "Engar óstaðfestar setur fundust.", - "No verified sessions found.": "Engar staðfestar setur fundust.", - "Unverified sessions": "Óstaðfestar setur", - "Unverified session": "Óstaðfest seta", - "Verified session": "Staðfest seta", - "Push notifications": "Ýti-tilkynningar", - "Session details": "Nánar um setuna", - "IP address": "IP-vistfang", - "Last activity": "Síðasta virkni", - "Rename session": "Endurnefna setu", - "Current session": "Núverandi seta", - "Other sessions": "Aðrar setur", "Sessions": "Setur", "Deactivating your account is a permanent action — be careful!": "Að gera aðganginn þinn óvirkan er endanleg aðgerð - farðu varlega!", "Your password was successfully changed.": "Það tókst að breyta lykilorðinu þínu.", @@ -1882,14 +1761,6 @@ "one": "Séð af %(count)s aðila", "other": "Séð af %(count)s aðilum" }, - "Send your first message to invite to chat": "Sendu fyrstu skilaboðin þín til að bjóða að spjalla", - "Security recommendations": "Ráðleggingar varðandi öryggi", - "Filter devices": "Sía tæki", - "Inactive sessions": "Óvirkar setur", - "Verified sessions": "Sannreyndar setur", - "Sign out of this session": "Skrá út úr þessari setu", - "Receive push notifications on this session.": "Taka á móti ýti-tilkynningum á þessu tæki.", - "Toggle push notifications on this session.": "Víxla af/á ýti-tilkynningum á þessu tæki.", "Start a conversation with someone using their name or username (like ).": "Byrjaðu samtal með einhverjum með því að nota nafn viðkomandi eða notandanafn (eins og ).", "Start a conversation with someone using their name, email address or username (like ).": "Byrjaðu samtal með einhverjum með því að nota nafn viðkomandi, tölvupóstfang eða notandanafn (eins og ).", "Use an identity server to invite by email. Manage in Settings.": "Notaðu auðkennisþjón til að geta boðið með tölvupósti. Sýslaðu með þetta í stillingunum.", @@ -1920,7 +1791,6 @@ "You're the only admin of this space. Leaving it will mean no one has control over it.": "Þú ert eini stjórnandi þessa svæðis. Ef þú yfirgefur það verður enginn annar sem er með stjórn yfir því.", "You won't be able to rejoin unless you are re-invited.": "Þú munt ekki geta tekið þátt aftur nema þér verði boðið aftur.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Þú getur ekki afturkallað þessa aðgerð, þar sem þú ert að lækka sjálfa/n þig í tign, og ef þú ert síðasti notandinn með nógu mikil völd á þessari spjallrás, verður ómögulegt að ná aftur stjórn á henni.", - "Select the roles required to change various parts of the room": "Veldu þau hlutverk sem krafist er til að breyta ýmsum þáttum spjallrásarinnar", "Unknown room": "Óþekkt spjallrás", "Voice broadcast": "Útvörpun tals", "Send email": "Senda tölvupóst", @@ -1944,13 +1814,6 @@ "Change layout": "Breyta framsetningu", "Spotlight": "Í kastljósi", "Freedom": "Frelsi", - "Show QR code": "Birta QR-kóða", - "Sign in with QR code": "Skrá inn með QR-kóða", - "Show details": "Sýna nánari upplýsingar", - "Hide details": "Fela nánari upplýsingar", - "Browser": "Vafri", - "Operating system": "Stýrikerfi", - "URL": "Slóð (URL)", "Connection": "Tenging", "Video settings": "Myndstillingar", "Voice settings": "Raddstillingar", @@ -1964,7 +1827,6 @@ "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the space it will be impossible to regain privileges.": "Þú getur ekki afturkallað þessa aðgerð, þar sem þú ert að lækka sjálfa/n þig í tign, og ef þú ert síðasti notandinn með nógu mikil völd á þessu svæði, verður ómögulegt að ná aftur stjórn á því.", "In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "Á dulrituðum spjallrásum er öryggi skilaboðanna þinna tryggt og einungis þú og viðtakendurnir hafa dulritunarlyklana til að opna skilaboðin.", - "Publish this room to the public in %(domain)s's room directory?": "Birta þessa spjallrás opinberlega á skrá %(domain)s yfir spjallrásir?", "We didn't find a microphone on your device. Please check your settings and try again.": "Fundum ekki neinn hljóðnema á tækinu þínu. Skoðaðu stillingarnar þínar og reyndu aftur.", "We were unable to access your microphone. Please check your browser settings and try again.": "Gat ekki tengst hljóðnemanum þínum. Skoðaðu stillingar vafrans þíns og reyndu aftur.", "Unable to decrypt message": "Tókst ekki að afkóða skilaboð", @@ -1980,28 +1842,8 @@ "Hide formatting": "Fela sniðmótun", "This message could not be decrypted": "Þessi skilaboð er ekki hægt að afkóða", " in %(room)s": " í %(room)s", - "Sign out of %(count)s sessions": { - "one": "Skrá út úr %(count)s setu", - "other": "Skrá út úr %(count)s setum" - }, - "%(count)s sessions selected": { - "one": "%(count)s seta valin", - "other": "%(count)s setur valdar" - }, - "Inactive for %(inactiveAgeDays)s days or longer": "Óvirk í %(inactiveAgeDays)s+ daga eða lengur", - "Not ready for secure messaging": "Ekki tilbúið fyrir örugg skilaboð", - "Ready for secure messaging": "Tilbúið fyrir örugg skilaboð", - "Unknown session type": "Óþekkt gerð setu", - "Web session": "Vefseta", - "Mobile session": "Farsímaseta", - "Desktop session": "Borðtölvuseta", - "Inactive for %(inactiveAgeDays)s+ days": "Óvirk í %(inactiveAgeDays)s+ daga", - "Renaming sessions": "Endurnefna setur", - "Please be aware that session names are also visible to people you communicate with.": "Athugaðu að heiti á setum eru sýnileg þeim sem þú átt samskipti við.", - "Sign out of all other sessions (%(otherSessionsCount)s)": "Skrá út úr öllum öðrum setum (%(otherSessionsCount)s)", "Call type": "Tegund samtals", "Failed to update the join rules": "Mistókst að uppfæra reglur fyrir þátttöku", - "Select the roles required to change various parts of the space": "Veldu þau hlutverk sem krafist er til að breyta ýmsum þáttum svæðisins", "Voice processing": "Meðhöndlun tals", "Automatically adjust the microphone volume": "Aðlaga hljóðstyrk hljóðnema sjálfvirkt", "Are you sure you want to sign out of %(count)s sessions?": { @@ -2106,7 +1948,9 @@ "orphan_rooms": "Aðrar spjallrásir", "on": "Kveikt", "off": "Slökkt", - "all_rooms": "Allar spjallrásir" + "all_rooms": "Allar spjallrásir", + "deselect_all": "Afvelja allt", + "select_all": "Velja allt" }, "action": { "continue": "Halda áfram", @@ -2265,7 +2109,10 @@ "join_beta": "Taka þátt í Beta-prófunum", "automatic_debug_logs_key_backup": "Senda atvikaskrár sjálfkrafa þegar öryggisafrit dulritunarlykla virkar ekki", "automatic_debug_logs_decryption": "Senda atvikaskrár sjálfkrafa við afkóðunarvillur", - "automatic_debug_logs": "Senda atvikaskrár sjálfkrafa við allar villur" + "automatic_debug_logs": "Senda atvikaskrár sjálfkrafa við allar villur", + "sliding_sync_proxy_url_optional_label": "Slóð milliþjóns (valfrjálst)", + "sliding_sync_proxy_url_label": "Slóð milliþjóns", + "video_rooms_beta": "Myndspjallrásir eru beta-prófunareiginleiki" }, "keyboard": { "home": "Forsíða", @@ -2353,7 +2200,19 @@ "placeholder_reply_encrypted": "Senda dulritað svar…", "placeholder_reply": "Senda svar…", "placeholder_encrypted": "Senda dulrituð skilaboð…", - "placeholder": "Senda skilaboð…" + "placeholder": "Senda skilaboð…", + "autocomplete": { + "command_description": "Skipanir", + "command_a11y": "Orðaklárun skipana", + "emoji_a11y": "Orðaklárun Emoji-tákna", + "@room_description": "Tilkynna öllum á spjallrásinni", + "notification_description": "Tilkynning á spjallrás", + "notification_a11y": "Orðaklárun tilkynninga", + "room_a11y": "Orðaklárun spjallrása", + "space_a11y": "Orðaklárun svæða", + "user_description": "Notendur", + "user_a11y": "Orðaklárun notanda" + } }, "Bold": "Feitletrað", "Link": "Tengill", @@ -2592,6 +2451,75 @@ }, "keyboard": { "title": "Lyklaborð" + }, + "sessions": { + "rename_form_heading": "Endurnefna setu", + "rename_form_caption": "Athugaðu að heiti á setum eru sýnileg þeim sem þú átt samskipti við.", + "rename_form_learn_more": "Endurnefna setur", + "session_id": "Auðkenni setu", + "last_activity": "Síðasta virkni", + "url": "Slóð (URL)", + "os": "Stýrikerfi", + "browser": "Vafri", + "ip": "IP-vistfang", + "details_heading": "Nánar um setuna", + "push_toggle": "Víxla af/á ýti-tilkynningum á þessu tæki.", + "push_heading": "Ýti-tilkynningar", + "push_subheading": "Taka á móti ýti-tilkynningum á þessu tæki.", + "sign_out": "Skrá út úr þessari setu", + "hide_details": "Fela nánari upplýsingar", + "show_details": "Sýna nánari upplýsingar", + "inactive_days": "Óvirk í %(inactiveAgeDays)s+ daga", + "verified_sessions": "Sannreyndar setur", + "unverified_sessions": "Óstaðfestar setur", + "unverified_session": "Óstaðfest seta", + "inactive_sessions": "Óvirkar setur", + "desktop_session": "Borðtölvuseta", + "mobile_session": "Farsímaseta", + "web_session": "Vefseta", + "unknown_session": "Óþekkt gerð setu", + "verified_session": "Staðfest seta", + "verify_session": "Sannprófa setu", + "no_verified_sessions": "Engar staðfestar setur fundust.", + "no_unverified_sessions": "Engar óstaðfestar setur fundust.", + "no_inactive_sessions": "Engar óvirkar setur fundust.", + "no_sessions": "Engar setur fundust.", + "filter_all": "Allt", + "filter_verified_description": "Tilbúið fyrir örugg skilaboð", + "filter_unverified_description": "Ekki tilbúið fyrir örugg skilaboð", + "filter_inactive": "Óvirkt", + "filter_inactive_description": "Óvirk í %(inactiveAgeDays)s+ daga eða lengur", + "filter_label": "Sía tæki", + "n_sessions_selected": { + "one": "%(count)s seta valin", + "other": "%(count)s setur valdar" + }, + "sign_in_with_qr": "Skrá inn með QR-kóða", + "sign_in_with_qr_button": "Birta QR-kóða", + "sign_out_n_sessions": { + "one": "Skrá út úr %(count)s setu", + "other": "Skrá út úr %(count)s setum" + }, + "other_sessions_heading": "Aðrar setur", + "sign_out_all_other_sessions": "Skrá út úr öllum öðrum setum (%(otherSessionsCount)s)", + "current_session": "Núverandi seta", + "confirm_sign_out_sso": { + "one": "Staðfestu útskráningu af þessu tæki með því að nota einfalda innskráningu (single-sign-on) til að sanna auðkennið þitt.", + "other": "Staðfestu útskráningu af þessum tækjum með því að nota einfalda innskráningu (single-sign-on) til að sanna auðkennið þitt." + }, + "confirm_sign_out": { + "one": "Staðfestu útskráningu þessa tækis", + "other": "Staðfestu útskráningu þessara tækja" + }, + "confirm_sign_out_body": { + "one": "Smelltu á hnappinn hér að neðan til að staðfesta útskráningu þessa tækis.", + "other": "Smelltu á hnappinn hér að neðan til að staðfesta útskráningu þessara tækja." + }, + "confirm_sign_out_continue": { + "one": "Skrá út tæki", + "other": "Skrá út tæki" + }, + "security_recommendations": "Ráðleggingar varðandi öryggi" } }, "devtools": { @@ -3008,7 +2936,9 @@ "io.element.voice_broadcast_info": { "you": "Þú endaðir talútsendingu", "user": "%(senderName)s endaði talútsendingu" - } + }, + "creation_summary_dm": "%(creator)s bjó til oþessi beinu skilaboð.", + "creation_summary_room": "%(creator)s bjó til og stillti spjallrásina." }, "slash_command": { "spoiler": "Sendir skilaboðin sem stríðni", @@ -3192,13 +3122,43 @@ "kick": "Fjarlægja notendur", "ban": "Banna notendur", "redact": "Fjarlægja skilaboð send af öðrum", - "notifications.room": "Tilkynna öllum" + "notifications.room": "Tilkynna öllum", + "no_privileged_users": "Engir notendur eru með neinar sérheimildir á þessari spjallrás", + "privileged_users_section": "Notendur með auknar heimildir", + "muted_users_section": "Þaggaðir notendur", + "banned_users_section": "Bannaðir notendur", + "send_event_type": "Senda %(eventType)s atburði", + "title": "Hlutverk og heimildir", + "permissions_section": "Heimildir", + "permissions_section_description_space": "Veldu þau hlutverk sem krafist er til að breyta ýmsum þáttum svæðisins", + "permissions_section_description_room": "Veldu þau hlutverk sem krafist er til að breyta ýmsum þáttum spjallrásarinnar" }, "security": { "strict_encryption": "Aldrei senda dulrituð skilaboð af þessu tæki til ósannvottaðra tækja á þessari spjallrás úr þessari setu", "join_rule_invite": "Einka (einungis gegn boði)", "join_rule_invite_description": "Aðeins fólk sem er boðið getur tekið þátt.", - "join_rule_public_description": "Hver sem er getur fundið og tekið þátt." + "join_rule_public_description": "Hver sem er getur fundið og tekið þátt.", + "enable_encryption_confirm_title": "Virkja dulritun?", + "enable_encryption_confirm_description": "Þegar hún er gerð virk er ekki hægt að gera dulritun óvirka. Skilaboð á dulritaðri spjallrás getur netþjónninn ekki séð, aðeins þátttakendur á spjallrásinni. Virkjun dulritunar gæti komið í veg fyrir að vélmenni og brýr virki rétt. Lærðu meira um dulritun.", + "public_without_alias_warning": "Til að tengja við þessa spjallrás skaltu bæta við vistfangi.", + "join_rule_description": "Veldu hverjir geta tekið þátt í %(roomName)s.", + "history_visibility": {}, + "history_visibility_legend": "Hver getur lesið ferilskráningu?", + "title": "Öryggi og gagnaleynd", + "encryption_permanent": "Eftir að kveikt er á dulritun er ekki hægt að slökkva á henni.", + "history_visibility_shared": "Einungis meðlimir (síðan þessi kostur var valinn)", + "history_visibility_invited": "Einungis meðlimir (síðan þeim var boðið)", + "history_visibility_joined": "Einungis meðlimir (síðan þeir skráðu sig)", + "history_visibility_world_readable": "Hver sem er" + }, + "general": { + "publish_toggle": "Birta þessa spjallrás opinberlega á skrá %(domain)s yfir spjallrásir?", + "user_url_previews_default_on": "Þú hefur virkt forskoðun vefslóða sjálfgefið.", + "user_url_previews_default_off": "Þú hefur óvirkt forskoðun vefslóða sjálfgefið.", + "default_url_previews_on": "Forskoðun vefslóða er sjálfgefið virk fyrir þátttakendur í þessari spjallrás.", + "default_url_previews_off": "Forskoðun vefslóða er sjálfgefið óvirk fyrir þátttakendur í þessari spjallrás.", + "url_preview_encryption_warning": "Í dulrituðum spjallrásum, eins og þessari, er sjálfgefið slökkt á forskoðun vefslóða til að tryggja að heimaþjónn þinn (þar sem forskoðunin myndast) geti ekki safnað upplýsingum um tengla sem þú sérð í þessari spjallrás.", + "url_previews_section": "Forskoðun vefslóða" } }, "encryption": { @@ -3309,7 +3269,15 @@ "server_picker_custom": "Annar heimaþjónn", "server_picker_learn_more": "Um heimaþjóna", "incorrect_credentials": "Rangt notandanafn og/eða lykilorð.", - "account_deactivated": "Þessi notandaaðgangur hefur verið gerður óvirkur." + "account_deactivated": "Þessi notandaaðgangur hefur verið gerður óvirkur.", + "registration_username_validation": "Notaðu einungis bókstafi, tölur, skástrik og undirstrik", + "registration_username_unable_check": "Ekki er hægt að athuga hvort notandanafnið sé frátekið. Prófaðu aftur síðar.", + "registration_username_in_use": "Einhver annar er að nota þetta notandanafn. Prófaðu eitthvað annað, eða ef þetta ert þú, skaltu skrá þig inn hér fyrir neðan.", + "phone_label": "Sími", + "phone_optional_label": "Sími (valfrjálst)", + "email_help_text": "Bættu við tölvupóstfangi til að geta endurstillt lykilorðið þitt.", + "email_phone_discovery_text": "Notaðu tölvupóstfang eða símanúmer til að geta verið finnanleg/ur fyrir tengiliðina þína.", + "email_discovery_text": "Notaðu tölvupóstfang til að geta verið finnanleg/ur fyrir tengiliðina þína." }, "room_list": { "sort_unread_first": "Birta spjallrásir með ólesnum skilaboðum fyrst", @@ -3502,7 +3470,19 @@ "light_high_contrast": "Ljóst með mikil birtuskil" }, "space": { - "landing_welcome": "Velkomin í " + "landing_welcome": "Velkomin í ", + "suggested": "Tillögur", + "select_room_below": "Veldu fyrst spjallrás hér fyrir neðan", + "unmark_suggested": "Merkja sem ekki-tillögu", + "mark_suggested": "Merkja sem tillögu", + "failed_remove_rooms": "Mistókst að fjarlægja sumar spjallrásir. Reyndu aftur síðar", + "failed_load_rooms": "Mistókst að hlaða inn lista yfir spjallrásir.", + "context_menu": { + "devtools_open_timeline": "Skoða tímalínu spjallrásar (forritaratól)", + "home": "Forsíða svæðis", + "explore": "Kanna spjallrásir", + "manage_and_explore": "Sýsla með og kanna spjallrásir" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "Heimaþjónninn er ekki stilltur til að birta landakort.", @@ -3549,5 +3529,51 @@ "invite_teammates_description": "Gakktu úr skugga um að rétta fólkið hafi aðgang. Þú getur boðið fleira fólki síðar.", "invite_teammates_by_username": "Bjóða með notandanafni", "setup_rooms_community_description": "Búum til spjallrás fyrir hvern og einn þeirra." + }, + "user_menu": { + "switch_theme_light": "Skiptu yfir í ljósan ham", + "switch_theme_dark": "Skiptu yfir í dökkan ham" + }, + "notif_panel": { + "empty_heading": "Þú hefur klárað að lesa allt", + "empty_description": "Þú átt engar sýnilegar tilkynningar." + }, + "console_scam_warning": "Ef einhver sagði þér að afrita/líma eitthvað hér, eru miklar líkur á að það sé verið að gabba þig!", + "console_dev_note": "Ef þú veist hvað þú átt að gera, þá er Element með opinn grunnkóða; þú getur alltaf skoðað kóðann á GitHub (https://github.com/vector-im/element-web/) og lagt þitt af mörkum!", + "room": { + "drop_file_prompt": "Slepptu hér skrá til að senda inn", + "intro": { + "send_message_start_dm": "Sendu fyrstu skilaboðin þín til að bjóða að spjalla", + "start_of_dm_history": "Þetta er upphaf ferils beinna skilaboða með .", + "dm_caption": "Aðeins þið tveir/tvö eruð í þessu samtali, nema annar hvor bjóði einhverjum að taka þátt.", + "topic_edit": "Umfjöllunarefni: %(topic)s (edit)", + "topic": "Umfjöllunarefni: %(topic)s ", + "no_topic": "Bættu við umfjöllunarefni svo fólk viti að um hvað málin snúist.", + "you_created": "Þú bjóst til þessa spjallrás.", + "user_created": "%(displayName)s bjó til þessa spjallrás.", + "room_invite": "Bjóða inn á aðeins þessa spjallrás", + "no_avatar_label": "Bættu við mynd, svo fólk eigi auðveldara með að finna spjallið þitt.", + "start_of_room": "Þetta er upphafið á .", + "private_unencrypted_warning": "Einkaskilaboðin þín eru venjulega dulrituð, en þessi spjallrás er það hinsvegar ekki. Venjulega kemur þetta til vegna tækis sem ekki sé stutt, eða aðferðarinnar sem sé notuð, eins og t.d. boðum í tölvupósti.", + "enable_encryption_prompt": "Virkjaðu dulritun í stillingum.", + "unencrypted_warning": "Enda-í-enda dulritun er ekki virkjuð" + } + }, + "file_panel": { + "guest_note": "Þú verður að skrá þig til að geta notað þennan eiginleika", + "peek_note": "Þú verður að taka þátt í spjallrás til að sjá skrárnar á henni", + "empty_heading": "Engar skrár sýnilegar á þessari spjallrás", + "empty_description": "Hengdu við skrár úr spjalli eða bara dragðu þær og slepptu einhversstaðar á spjallrásina." + }, + "terms": { + "integration_manager": "Notaðu vélmenni, viðmótshluta og límmerkjapakka", + "tos": "Þjónustuskilmálar", + "intro": "Þú verður að samþykkja þjónustuskilmálana til að geta haldið áfram.", + "column_service": "Þjónusta", + "column_summary": "Yfirlit", + "column_document": "Skjal" + }, + "space_settings": { + "title": "Stillingar - %(spaceName)s" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/it.json b/src/i18n/strings/it.json index 7dd607fcae..0c2ec9d701 100644 --- a/src/i18n/strings/it.json +++ b/src/i18n/strings/it.json @@ -88,7 +88,6 @@ "Confirm password": "Conferma password", "Change Password": "Modifica password", "Failed to set display name": "Impostazione nome visibile fallita", - "Drop file here to upload": "Trascina un file qui per l'invio", "Unban": "Togli ban", "Failed to ban user": "Ban utente fallito", "Failed to mute user": "Impossibile silenziare l'utente", @@ -124,25 +123,10 @@ "%(roomName)s is not accessible at this time.": "%(roomName)s non è al momento accessibile.", "Failed to unban": "Rimozione ban fallita", "Banned by %(displayName)s": "Bandito da %(displayName)s", - "Privileged Users": "Utenti privilegiati", - "No users have specific privileges in this room": "Nessun utente ha privilegi specifici in questa stanza", - "Banned users": "Utenti banditi", "This room is not accessible by remote Matrix servers": "Questa stanza non è accessibile da server di Matrix remoti", - "Publish this room to the public in %(domain)s's room directory?": "Pubblicare questa stanza nell'elenco pubblico delle stanze in %(domain)s ?", - "Who can read history?": "Chi può leggere la cronologia?", - "Anyone": "Chiunque", - "Members only (since the point in time of selecting this option)": "Solo i membri (dal momento in cui selezioni questa opzione)", - "Members only (since they were invited)": "Solo i membri (da quando sono stati invitati)", - "Members only (since they joined)": "Solo i membri (da quando sono entrati)", - "Permissions": "Autorizzazioni", "Jump to first unread message.": "Salta al primo messaggio non letto.", "not specified": "non specificato", "This room has no local addresses": "Questa stanza non ha indirizzi locali", - "You have enabled URL previews by default.": "Hai attivato le anteprime degli URL in modo predefinito.", - "You have disabled URL previews by default.": "Hai disattivato le anteprime degli URL in modo predefinito.", - "URL previews are enabled by default for participants in this room.": "Le anteprime degli URL sono attive in modo predefinito per i partecipanti di questa stanza.", - "URL previews are disabled by default for participants in this room.": "Le anteprime degli URL sono inattive in modo predefinito per i partecipanti di questa stanza.", - "URL Previews": "Anteprime URL", "Error decrypting attachment": "Errore decifratura allegato", "Decrypt %(text)s": "Decifra %(text)s", "Download %(text)s": "Scarica %(text)s", @@ -189,8 +173,6 @@ "Unable to add email address": "Impossibile aggiungere l'indirizzo email", "Unable to verify email address.": "Impossibile verificare l'indirizzo email.", "This will allow you to reset your password and receive notifications.": "Ciò ti permetterà di reimpostare la tua password e ricevere notifiche.", - "You must register to use this functionality": "Devi registrarti per usare questa funzionalità", - "You must join the room to see its files": "Devi entrare nella stanza per vederne i file", "Reject invitation": "Rifiuta l'invito", "Are you sure you want to reject the invitation?": "Sei sicuro di volere rifiutare l'invito?", "Failed to reject invitation": "Rifiuto dell'invito fallito", @@ -231,10 +213,6 @@ "Please note you are logging into the %(hs)s server, not matrix.org.": "Nota che stai accedendo nel server %(hs)s , non matrix.org.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Impossibile connettersi all'homeserver via HTTP quando c'è un URL HTTPS nella barra del tuo browser. Usa HTTPS o attiva gli script non sicuri.", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Impossibile connettersi all'homeserver - controlla la tua connessione, assicurati che il certificato SSL dell'homeserver sia fidato e che un'estensione del browser non stia bloccando le richieste.", - "Commands": "Comandi", - "Notify the whole room": "Notifica l'intera stanza", - "Room Notification": "Notifica della stanza", - "Users": "Utenti", "Session ID": "ID sessione", "Passphrases must match": "Le password devono coincidere", "Passphrase must not be empty": "La password non può essere vuota", @@ -285,7 +263,6 @@ "Terms and Conditions": "Termini e condizioni", "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Per continuare a usare l'homeserver %(homeserverDomain)s devi leggere e accettare i nostri termini e condizioni.", "Review terms and conditions": "Leggi i termini e condizioni", - "Muted Users": "Utenti silenziati", "Replying": "Rispondere", "Popout widget": "Oggetto a comparsa", "Share Link to User": "Condividi link utente", @@ -302,8 +279,6 @@ "This event could not be displayed": "Questo evento non può essere mostrato", "Demote yourself?": "Vuoi declassarti?", "Demote": "Declassa", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Nelle stanze criptate, come questa, le anteprime degli URL sono disattivate in modo predefinito per garantire che il tuo homeserver (dove vengono generate le anteprime) non possa raccogliere informazioni sui collegamenti che vedi in questa stanza.", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Quando qualcuno inserisce un URL nel proprio messaggio, è possibile mostrare un'anteprima dell'URL per fornire maggiori informazioni su quel collegamento, come il titolo, la descrizione e un'immagine dal sito web.", "You can't send any messages until you review and agree to our terms and conditions.": "Non puoi inviare alcun messaggio fino a quando non leggi ed accetti i nostri termini e condizioni.", "Only room administrators will see this warning": "Solo gli amministratori della stanza vedranno questo avviso", "This homeserver has hit its Monthly Active User limit.": "Questo homeserver ha raggiunto il suo limite di utenti attivi mensili.", @@ -452,7 +427,6 @@ "Ignored users": "Utenti ignorati", "Bulk options": "Opzioni generali", "Accept all %(invitedRooms)s invites": "Accetta tutti i %(invitedRooms)s inviti", - "Security & Privacy": "Sicurezza e privacy", "Missing media permissions, click the button below to request.": "Autorizzazione multimediale mancante, clicca il pulsante sotto per richiederla.", "Request media permissions": "Richiedi autorizzazioni multimediali", "Voice & Video": "Voce e video", @@ -460,14 +434,7 @@ "Room version": "Versione stanza", "Room version:": "Versione stanza:", "Room Addresses": "Indirizzi stanza", - "Send %(eventType)s events": "Invia eventi %(eventType)s", - "Roles & Permissions": "Ruoli e permessi", - "Select the roles required to change various parts of the room": "Seleziona i ruoli necessari per cambiare varie parti della stanza", - "Enable encryption?": "Attivare la crittografia?", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Una volta attivata, la crittografia di una stanza non può essere disattivata. I messaggi inviati in una stanza cifrata non possono essere letti dal server, solo dai partecipanti della stanza. L'attivazione della crittografia può impedire il corretto funzionamento di bot e bridge. Maggiori informazioni sulla crittografia.", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Le modifiche a chi può leggere la cronologia si applicheranno solo ai messaggi futuri in questa stanza. La visibilità della cronologia esistente rimarrà invariata.", "Encryption": "Crittografia", - "Once enabled, encryption cannot be disabled.": "Una volta attivata, la crittografia non può essere disattivata.", "Error updating main address": "Errore di aggiornamento indirizzo principale", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Si è verificato un errore aggiornando l'indirizzo principale della stanza. Potrebbe non essere permesso dal server o un problema temporaneo.", "Main address": "Indirizzo principale", @@ -485,7 +452,6 @@ "Warning: you should only set up key backup from a trusted computer.": "Attenzione: dovresti impostare il backup chiavi solo da un computer fidato.", "This homeserver would like to make sure you are not a robot.": "Questo homeserver vorrebbe assicurarsi che non sei un robot.", "Email (optional)": "Email (facoltativa)", - "Phone (optional)": "Telefono (facoltativo)", "Join millions for free on the largest public server": "Unisciti gratis a milioni nel più grande server pubblico", "Couldn't load page": "Caricamento pagina fallito", "Could not load user profile": "Impossibile caricare il profilo utente", @@ -581,7 +547,6 @@ "You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Puoi ripristinare la password, ma alcune funzioni non saranno disponibili finchè il server identità non sarà tornato online. Se continui a vedere questo avviso, controlla la tua configurazione o contatta un amministratore del server.", "You can log in, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Puoi accedere, ma alcune funzioni non saranno disponibili finchè il server identità non sarà tornato online. Se continui a vedere questo avviso, controlla la tua configurazione o contatta un amministratore del server.", "Unexpected error resolving identity server configuration": "Errore inaspettato risolvendo la configurazione del server identità", - "Use lowercase letters, numbers, dashes and underscores only": "Usa solo minuscole, numeri, trattini e trattini bassi", "Upload all": "Invia tutto", "Edited at %(date)s. Click to view edits.": "Modificato alle %(date)s. Clicca per vedere le modifiche.", "Message edits": "Modifiche del messaggio", @@ -595,10 +560,6 @@ "Clear personal data": "Elimina dati personali", "Find others by phone or email": "Trova altri per telefono o email", "Be found by phone or email": "Trovato per telefono o email", - "Use bots, bridges, widgets and sticker packs": "Usa bot, bridge, widget e pacchetti di adesivi", - "Terms of Service": "Condizioni di servizio", - "Service": "Servizio", - "Summary": "Riepilogo", "Call failed due to misconfigured server": "Chiamata non riuscita a causa di un server non configurato correttamente", "Please ask the administrator of your homeserver (%(homeserverDomain)s) to configure a TURN server in order for calls to work reliably.": "Chiedi all'amministratore del tuo homeserver(%(homeserverDomain)s) per configurare un server TURN affinché le chiamate funzionino in modo affidabile.", "Checking server": "Controllo del server", @@ -669,18 +630,11 @@ "Show advanced": "Mostra avanzate", "Explore rooms": "Esplora stanze", "Show image": "Mostra immagine", - "To continue you need to accept the terms of this service.": "Per continuare devi accettare le condizioni di servizio.", - "Document": "Documento", - "Emoji Autocomplete": "Autocompletamento emoji", - "Notification Autocomplete": "Autocompletamento notifiche", - "Room Autocomplete": "Autocompletamento stanze", - "User Autocomplete": "Autocompletamento utenti", "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Chiave pubblica di Captcha mancante nella configurazione dell'homeserver. Segnalalo all'amministratore dell'homeserver.", "Add Email Address": "Aggiungi indirizzo email", "Add Phone Number": "Aggiungi numero di telefono", "Your email address hasn't been verified yet": "Il tuo indirizzo email non è ancora stato verificato", "Click the link in the email you received to verify and then click continue again.": "Clicca il link nell'email che hai ricevuto per verificare e poi clicca di nuovo Continua.", - "%(creator)s created and configured the room.": "%(creator)s ha creato e configurato la stanza.", "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Dovresti rimuovere i tuoi dati personali dal server di identità prima di disconnetterti. Sfortunatamente, il server di identità attualmente è offline o non raggiungibile.", "You should:": "Dovresti:", "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "cercare tra i plugin del browser se qualcosa potrebbe bloccare il server di identità (come Privacy Badger)", @@ -692,7 +646,6 @@ "Cancel search": "Annulla ricerca", "Jump to first unread room.": "Salta alla prima stanza non letta.", "Jump to first invite.": "Salta al primo invito.", - "Command Autocomplete": "Autocompletamento comando", "Room %(name)s": "Stanza %(name)s", "This action requires accessing the default identity server to validate an email address or phone number, but the server does not have any terms of service.": "Questa azione richiede l'accesso al server di identità predefinito per verificare un indirizzo email o numero di telefono, ma il server non ha termini di servizio.", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)", @@ -848,7 +801,6 @@ "The encryption used by this room isn't supported.": "La crittografia usata da questa stanza non è supportata.", "Clear all data in this session?": "Svuotare tutti i dati in questa sessione?", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Lo svuotamento dei dati di questa sessione è permanente. I messaggi cifrati andranno persi a meno non si abbia un backup delle loro chiavi.", - "Verify session": "Verifica sessione", "Session name": "Nome sessione", "Session key": "Chiave sessione", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "La verifica di questo utente contrassegnerà come fidata la sua sessione a te e viceversa.", @@ -957,7 +909,6 @@ "IRC display name width": "Larghezza nome di IRC", "Please verify the room ID or address and try again.": "Verifica l'ID o l'indirizzo della stanza e riprova.", "Room ID or address of ban list": "ID o indirizzo stanza della lista ban", - "To link to this room, please add an address.": "Per collegare a questa stanza, aggiungi un indirizzo.", "Error creating address": "Errore creazione indirizzo", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Si è verificato un errore creando l'indirizzo. Potrebbe non essere permesso dal server o un problema temporaneo.", "You don't have permission to delete the address.": "Non hai l'autorizzazione per eliminare l'indirizzo.", @@ -974,8 +925,6 @@ "Ok": "Ok", "New version available. Update now.": "Nuova versione disponibile. Aggiorna ora.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "L'amministratore del server ha disattivato la crittografia end-to-end in modo predefinito nelle stanze private e nei messaggi diretti.", - "Switch to light mode": "Passa alla modalità chiara", - "Switch to dark mode": "Passa alla modalità scura", "Switch theme": "Cambia tema", "All settings": "Tutte le impostazioni", "No recently visited rooms": "Nessuna stanza visitata di recente", @@ -1018,8 +967,6 @@ "A connection error occurred while trying to contact the server.": "Si è verificato un errore di connessione tentando di contattare il server.", "The server is not configured to indicate what the problem is (CORS).": "Il server non è configurato per indicare qual è il problema (CORS).", "Recent changes that have not yet been received": "Modifiche recenti che non sono ancora state ricevute", - "No files visible in this room": "Nessun file visibile in questa stanza", - "Attach files from chat or just drag and drop them anywhere in a room.": "Allega file dalla chat o trascinali in qualsiasi punto in una stanza.", "Explore public rooms": "Esplora stanze pubbliche", "Preparing to download logs": "Preparazione al download dei log", "Unexpected server error trying to leave the room": "Errore inaspettato del server tentando di abbandonare la stanza", @@ -1077,16 +1024,6 @@ "Enable desktop notifications": "Attiva le notifiche desktop", "Don't miss a reply": "Non perdere una risposta", "Modal Widget": "Widget modale", - "%(creator)s created this DM.": "%(creator)s ha creato questo MD.", - "This is the start of .": "Questo è l'inizio di .", - "Add a photo, so people can easily spot your room.": "Aggiungi una foto, in modo che le persone notino facilmente la stanza.", - "%(displayName)s created this room.": "%(displayName)s ha creato questa stanza.", - "You created this room.": "Hai creato questa stanza.", - "Add a topic to help people know what it is about.": "Aggiungi un argomento per aiutare le persone a capire di cosa si parla.", - "Topic: %(topic)s ": "Argomento: %(topic)s ", - "Topic: %(topic)s (edit)": "Argomento: %(topic)s (modifica)", - "This is the beginning of your direct message history with .": "Questo è l'inizio della tua cronologia di messaggi diretti con .", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Solo voi due siete in questa conversazione, a meno che uno di voi non inviti qualcuno.", "Zimbabwe": "Zimbabwe", "Zambia": "Zambia", "Yemen": "Yemen", @@ -1341,9 +1278,6 @@ "other": "Salva in cache i messaggi cifrati localmente in modo che appaiano nei risultati di ricerca, usando %(size)s per salvarli da %(rooms)s stanze." }, "There was a problem communicating with the homeserver, please try again later.": "C'è stato un problema nella comunicazione con l'homeserver, riprova più tardi.", - "Use email to optionally be discoverable by existing contacts.": "Usa l'email per essere facoltativamente trovabile dai contatti esistenti.", - "Use email or phone to optionally be discoverable by existing contacts.": "Usa l'email o il telefono per essere facoltativamente trovabile dai contatti esistenti.", - "Add an email to be able to reset your password.": "Aggiungi un'email per poter reimpostare la password.", "That phone number doesn't look quite right, please check and try again": "Quel numero di telefono non sembra corretto, controlla e riprova", "Enter phone number": "Inserisci numero di telefono", "Enter email address": "Inserisci indirizzo email", @@ -1358,7 +1292,6 @@ "Resume": "Riprendi", "You've reached the maximum number of simultaneous calls.": "Hai raggiungo il numero massimo di chiamate simultanee.", "Too Many Calls": "Troppe chiamate", - "You have no visible notifications.": "Non hai notifiche visibili.", "Transfer": "Trasferisci", "Failed to transfer call": "Trasferimento chiamata fallito", "A call can only be transferred to a single user.": "Una chiamata può essere trasferita solo ad un singolo utente.", @@ -1399,12 +1332,10 @@ "We couldn't log you in": "Non abbiamo potuto farti accedere", "Recently visited rooms": "Stanze visitate di recente", "Original event source": "Sorgente dell'evento originale", - "Decrypted event source": "Sorgente dell'evento decifrato", "%(count)s members": { "one": "%(count)s membro", "other": "%(count)s membri" }, - "Your server does not support showing space hierarchies.": "Il tuo server non supporta la visualizzazione di gerarchie di spazi.", "Are you sure you want to leave the space '%(spaceName)s'?": "Vuoi veramente uscire dallo spazio '%(spaceName)s'?", "This space is not public. You will not be able to rejoin without an invite.": "Questo spazio non è pubblico. Non potrai rientrare senza un invito.", "Start audio stream": "Avvia stream audio", @@ -1439,11 +1370,6 @@ " invites you": " ti ha invitato/a", "You may want to try a different search or check for typos.": "Prova a fare una ricerca diversa o controllare errori di battitura.", "No results found": "Nessun risultato trovato", - "Mark as suggested": "Segna come consigliato", - "Mark as not suggested": "Segna come non consigliato", - "Failed to remove some rooms. Try again later": "Rimozione di alcune stanze fallita. Riprova più tardi", - "Suggested": "Consigliato", - "This room is suggested as a good one to join": "Questa è una buona stanza in cui entrare", "%(count)s rooms": { "one": "%(count)s stanza", "other": "%(count)s stanze" @@ -1457,8 +1383,6 @@ "unknown person": "persona sconosciuta", "Review to ensure your account is safe": "Controlla per assicurarti che l'account sia sicuro", "%(deviceId)s from %(ip)s": "%(deviceId)s da %(ip)s", - "Manage & explore rooms": "Gestisci ed esplora le stanze", - "Invite to just this room": "Invita solo in questa stanza", "%(count)s people you know have already joined": { "other": "%(count)s persone che conosci sono già entrate", "one": "%(count)s persona che conosci è già entrata" @@ -1493,7 +1417,6 @@ "Failed to send": "Invio fallito", "Enter your Security Phrase a second time to confirm it.": "Inserisci di nuovo la password di sicurezza per confermarla.", "You have no ignored users.": "Non hai utenti ignorati.", - "Select a room below first": "Prima seleziona una stanza sotto", "Want to add a new room instead?": "Vuoi invece aggiungere una nuova stanza?", "Adding rooms... (%(progress)s out of %(count)s)": { "one": "Aggiunta stanza...", @@ -1512,7 +1435,6 @@ "To leave the beta, visit your settings.": "Per abbandonare la beta, vai nelle impostazioni.", "Add reaction": "Aggiungi reazione", "Message search initialisation failed": "Inizializzazione ricerca messaggi fallita", - "Space Autocomplete": "Autocompletamento spazio", "Currently joining %(count)s rooms": { "one": "Stai entrando in %(count)s stanza", "other": "Stai entrando in %(count)s stanze" @@ -1529,11 +1451,9 @@ "Nothing pinned, yet": "Non c'è ancora nulla di ancorato", "If you have permissions, open the menu on any message and select Pin to stick them here.": "Se ne hai il permesso, apri il menu di qualsiasi messaggio e seleziona Fissa per ancorarlo qui.", "Pinned messages": "Messaggi ancorati", - "End-to-end encryption isn't enabled": "La crittografia end-to-end non è attiva", "Report": "Segnala", "Show preview": "Mostra anteprima", "View source": "Visualizza sorgente", - "Settings - %(spaceName)s": "Impostazioni - %(spaceName)s", "Please provide an address": "Inserisci un indirizzo", "This space has no local addresses": "Questo spazio non ha indirizzi locali", "Space information": "Informazioni spazio", @@ -1601,8 +1521,6 @@ "Connection failed": "Connessione fallita", "Could not connect media": "Connessione del media fallita", "Access": "Accesso", - "People with supported clients will be able to join the room without having a registered account.": "Le persone con client supportati potranno entrare nella stanza senza avere un account registrato.", - "Decide who can join %(roomName)s.": "Decidi chi può entrare in %(roomName)s.", "Space members": "Membri dello spazio", "Anyone in a space can find and join. You can select multiple spaces.": "Chiunque in uno spazio può trovare ed entrare. Puoi selezionare più spazi.", "Spaces with access": "Spazi con accesso", @@ -1650,22 +1568,14 @@ "Hide sidebar": "Nascondi barra laterale", "Unknown failure: %(reason)s": "Malfunzionamento sconosciuto: %(reason)s", "Delete avatar": "Elimina avatar", - "Enable encryption in settings.": "Attiva la crittografia nelle impostazioni.", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "I tuoi messaggi privati normalmente sono cifrati, ma questa stanza non lo è. Di solito ciò è dovuto ad un dispositivo non supportato o dal metodo usato, come gli inviti per email.", "Cross-signing is ready but keys are not backed up.": "La firma incrociata è pronta ma c'è un backup delle chiavi.", "Rooms and spaces": "Stanze e spazi", "Results": "Risultati", - "To avoid these issues, create a new public room for the conversation you plan to have.": "Per evitare questi problemi, crea una nuova stanza pubblica per la conversazione che vuoi avere.", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "Non è consigliabile rendere pubbliche le stanze cifrate. Se lo fai, chiunque potrà trovare ed entrare nella stanza, quindi chiunque potrà leggere i messaggi. Non avrai alcun beneficio dalla crittografia. Cifrare i messaggi in una stanza pubblica renderà più lenti l'invio e la ricezione dei messaggi.", - "Are you sure you want to make this encrypted room public?": "Vuoi veramente rendere pubblica questa stanza cifrata?", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "Per evitare questi problemi, crea una nuova stanza cifrata per la conversazione che vuoi avere.", - "Are you sure you want to add encryption to this public room?": "Vuoi veramente aggiungere la crittografia a questa stanza pubblica?", "Some encryption parameters have been changed.": "Alcuni parametri di crittografia sono stati modificati.", "Role in ": "Ruolo in ", "Unknown failure": "Errore sconosciuto", "Failed to update the join rules": "Modifica delle regole di accesso fallita", "Anyone in can find and join. You can select other spaces too.": "Chiunque in può trovare ed entrare. Puoi selezionare anche altri spazi.", - "Select the roles required to change various parts of the space": "Seleziona i ruoli necessari per cambiare varie parti dello spazio", "Message didn't send. Click for info.": "Il messaggio non è stato inviato. Clicca per informazioni.", "To join a space you'll need an invite.": "Per entrare in uno spazio ti serve un invito.", "Would you like to leave the rooms in this space?": "Vuoi uscire dalle stanze di questo spazio?", @@ -1711,7 +1621,6 @@ "They won't be able to access whatever you're not an admin of.": "Non potrà più accedere anche dove non sei amministratore.", "Ban them from specific things I'm able to": "Bandiscilo da cose specifiche dove posso farlo", "Unban them from specific things I'm able to": "Riammettilo in cose specifiche dove posso farlo", - "See room timeline (devtools)": "Mostra linea temporale della stanza (strumenti per sviluppatori)", "Joined": "Entrato/a", "Insert link": "Inserisci collegamento", "Joining": "Entrata in corso", @@ -1719,7 +1628,6 @@ "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Genereremo per te una chiave di sicurezza da conservare in un posto sicuro, come un in gestore di password o in una cassaforte.", "Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "Riprendi l'accesso al tuo account e recupera le chiavi di crittografia memorizzate in questa sessione. Senza di esse, non sarai in grado di leggere tutti i tuoi messaggi sicuri in qualsiasi sessione.", "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Senza la verifica, non avrai accesso a tutti i tuoi messaggi e potresti apparire agli altri come non fidato.", - "You're all caught up": "Non hai nulla di nuovo da vedere", "If you can't see who you're looking for, send them your invite link below.": "Se non vedi chi stai cercando, mandagli il collegamento di invito sottostante.", "In encrypted rooms, verify all users to ensure it's secure.": "Nelle stanze cifrate, verifica tutti gli utenti per confermare che siano sicure.", "Yours, or the other users' session": "La tua sessione o quella degli altri utenti", @@ -1727,20 +1635,6 @@ "The homeserver the user you're verifying is connected to": "L'homeserver al quale è connesso l'utente che stai verificando", "This room isn't bridging messages to any platforms. Learn more.": "Questa stanza non fa un bridge dei messaggi con alcuna piattaforma. Maggiori informazioni.", "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Questa stanza è in alcuni spazi di cui non sei amministratore. In quegli spazi, la vecchia stanza verrà ancora mostrata, ma alla gente verrà chiesto di entrare in quella nuova.", - "Select all": "Seleziona tutti", - "Deselect all": "Deseleziona tutti", - "Sign out devices": { - "one": "Disconnetti dispositivo", - "other": "Disconnetti dispositivi" - }, - "Click the button below to confirm signing out these devices.": { - "one": "Clicca il pulsante sottostante per confermare la disconnessione da questo dispositivo.", - "other": "Clicca il pulsante sottostante per confermare la disconnessione da questi dispositivi." - }, - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "Conferma la disconnessione da questo dispositivo usando Single Sign On per dare prova della tua identità.", - "other": "Conferma la disconnessione da questi dispositivi usando Single Sign On per dare prova della tua identità." - }, "Add option": "Aggiungi opzione", "Write an option": "Scrivi un'opzione", "Option %(number)s": "Opzione %(number)s", @@ -1751,7 +1645,6 @@ "You do not have permission to start polls in this room.": "Non hai i permessi per creare sondaggi in questa stanza.", "Copy link to thread": "Copia link nella conversazione", "Thread options": "Opzioni conversazione", - "Someone already has that username. Try another or if it is you, sign in below.": "Qualcuno ha già quel nome utente. Provane un altro o se sei tu, accedi qui sotto.", "Rooms outside of a space": "Stanze fuori da uno spazio", "Show all your rooms in Home, even if they're in a space.": "Mostra tutte le tue stanze nella pagina principale, anche se sono in uno spazio.", "Home is useful for getting an overview of everything.": "La pagina principale è utile per avere una panoramica generale.", @@ -1830,7 +1723,6 @@ "Link to room": "Collegamento alla stanza", "Including you, %(commaSeparatedMembers)s": "Incluso te, %(commaSeparatedMembers)s", "Copy room link": "Copia collegamento stanza", - "Failed to load list of rooms.": "Caricamento dell'elenco di stanze fallito.", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Ciò raggruppa le tue chat con i membri di questo spazio. Se lo disattivi le chat verranno nascoste dalla tua vista di %(spaceName)s.", "Sections to show": "Sezioni da mostrare", "Open in OpenStreetMap": "Apri in OpenStreetMap", @@ -1867,18 +1759,14 @@ "You were removed from %(roomName)s by %(memberName)s": "Sei stato rimosso da %(roomName)s da %(memberName)s", "Message pending moderation": "Messaggio in attesa di moderazione", "Message pending moderation: %(reason)s": "Messaggio in attesa di moderazione: %(reason)s", - "Space home": "Pagina iniziale dello spazio", "Internal room ID": "ID interno stanza", "Group all your rooms that aren't part of a space in one place.": "Raggruppa tutte le tue stanze che non fanno parte di uno spazio in un unico posto.", "Group all your people in one place.": "Raggruppa tutte le tue persone in un unico posto.", "Group all your favourite rooms and people in one place.": "Raggruppa tutte le tue stanze e persone preferite in un unico posto.", "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Gli spazi sono modi per raggruppare stanze e persone. Oltre agli spazi in cui sei, puoi usarne anche altri di preimpostati.", - "Unable to check if username has been taken. Try again later.": "Impossibile controllare se il nome utente è già in uso. Riprova più tardi.", "Pick a date to jump to": "Scegli una data in cui saltare", "Jump to date": "Salta alla data", "The beginning of the room": "L'inizio della stanza", - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Se sai quello che stai facendo, Element è open source, assicurati di controllare il nostro GitHub (https://github.com/vector-im/element-web/) e contribuisci!", - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Se qualcuno ti ha detto di copiare/incollare qualcosa qui, è molto probabile che ti stia truffando!", "Wait!": "Aspetta!", "This address does not point at this room": "Questo indirizzo non punta a questa stanza", "Location": "Posizione", @@ -1985,10 +1873,6 @@ "Disinvite from room": "Disinvita dalla stanza", "Remove from space": "Rimuovi dallo spazio", "Disinvite from space": "Disinvita dallo spazio", - "Confirm signing out these devices": { - "one": "Conferma la disconnessione da questo dispositivo", - "other": "Conferma la disconnessione da questi dispositivi" - }, "Updated %(humanizedUpdateTime)s": "Aggiornato %(humanizedUpdateTime)s", "Hide my messages from new joiners": "Nascondi i miei messaggi ai nuovi membri", "Your old messages will still be visible to people who received them, just like emails you sent in the past. Would you like to hide your sent messages from people who join rooms in the future?": "I tuoi vecchi messaggi saranno ancora visibili alle persone che li hanno ricevuti, proprio come le email che hai inviato in passato. Vuoi nascondere i tuoi messaggi inviati alle persone che entreranno nelle stanze in futuro?", @@ -2057,7 +1941,6 @@ "Show: %(instance)s rooms (%(server)s)": "Mostra: stanze di %(instance)s (%(server)s)", "Add new server…": "Aggiungi nuovo server…", "Remove server “%(roomServer)s”": "Rimuovi server “%(roomServer)s”", - "Video rooms are a beta feature": "Le stanze video sono una funzionalità beta", "Remove search filter for %(filter)s": "Rimuovi filtro di ricerca per %(filter)s", "Start a group chat": "Inizia una conversazione di gruppo", "Other options": "Altre opzioni", @@ -2084,42 +1967,14 @@ "You need to have the right permissions in order to share locations in this room.": "Devi avere le giuste autorizzazioni per potere condividere le posizioni in questa stanza.", "You don't have permission to share locations": "Non hai l'autorizzazione di condividere la posizione", "Messages in this chat will be end-to-end encrypted.": "I messaggi in questa conversazione saranno cifrati end-to-end.", - "Send your first message to invite to chat": "Invia il primo messaggio per invitare a parlare", "Saved Items": "Elementi salvati", "Choose a locale": "Scegli una lingua", "Spell check": "Controllo ortografico", "We're creating a room with %(names)s": "Stiamo creando una stanza con %(names)s", - "Last activity": "Ultima attività", - "Current session": "Sessione attuale", "Sessions": "Sessioni", - "Inactive for %(inactiveAgeDays)s+ days": "Inattivo da %(inactiveAgeDays)s+ giorni", - "Session details": "Dettagli sessione", - "IP address": "Indirizzo IP", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Per una maggiore sicurezza, verifica le tue sessioni e disconnetti quelle che non riconosci o che non usi più.", - "Other sessions": "Altre sessioni", - "Verify or sign out from this session for best security and reliability.": "Verifica o disconnetti questa sessione per una migliore sicurezza e affidabilità.", - "Unverified session": "Sessione non verificata", - "This session is ready for secure messaging.": "Questa sessione è pronta per i messaggi sicuri.", - "Verified session": "Sessione verificata", "Interactively verify by emoji": "Verifica interattivamente con emoji", "Manually verify by text": "Verifica manualmente con testo", - "Security recommendations": "Consigli di sicurezza", - "Filter devices": "Filtra dispositivi", - "Inactive for %(inactiveAgeDays)s days or longer": "Inattiva da %(inactiveAgeDays)s giorni o più", - "Inactive": "Inattiva", - "Not ready for secure messaging": "Non pronto per messaggi sicuri", - "Ready for secure messaging": "Pronto per messaggi sicuri", - "All": "Tutte", - "No sessions found.": "Nessuna sessione trovata.", - "No inactive sessions found.": "Nessuna sessione inattiva trovata.", - "No unverified sessions found.": "Nessuna sessione non verificata trovata.", - "No verified sessions found.": "Nessuna sessione verificata trovata.", - "Inactive sessions": "Sessioni inattive", - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Verifica le tue sessioni per avere conversazioni più sicure o disconnetti quelle che non riconosci o che non usi più.", - "Unverified sessions": "Sessioni non verificate", - "For best security, sign out from any session that you don't recognize or use anymore.": "Per una maggiore sicurezza, disconnetti tutte le sessioni che non riconosci o che non usi più.", - "Verified sessions": "Sessioni verificate", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "Non è consigliabile aggiungere la crittografia alle stanze pubbliche.Chiunque può trovare ed entrare in stanze pubbliche, quindi chiunque può leggere i messaggi. Non avrai alcun beneficio dalla crittografia e non potrai disattivarla in seguito. Cifrare i messaggi in una stanza pubblica renderà più lenti l'invio e la ricezione dei messaggi.", "Empty room (was %(oldName)s)": "Stanza vuota (era %(oldName)s)", "Inviting %(user)s and %(count)s others": { "one": "Invito di %(user)s e 1 altro", @@ -2133,17 +1988,8 @@ "%(user1)s and %(user2)s": "%(user1)s e %(user2)s", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s o %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s o %(recoveryFile)s", - "Proxy URL": "URL proxy", - "Proxy URL (optional)": "URL proxy (facoltativo)", - "To disable you will need to log out and back in, use with caution!": "Per disattivarlo dovrai disconnetterti e riaccedere, usare con cautela!", - "Sliding Sync configuration": "Configurazione sincr. Sliding", - "Your server lacks native support, you must specify a proxy": "Il tuo server non ha il supporto nativo, devi specificare un proxy", - "Your server lacks native support": "Il tuo server non ha il supporto nativo", - "Your server has native support": "Il tuo server ha il supporto nativo", - "Sign out of this session": "Disconnetti da questa sessione", "You need to be able to kick users to do that.": "Devi poter cacciare via utenti per completare l'azione.", "Voice broadcast": "Trasmissione vocale", - "Rename session": "Rinomina sessione", "You do not have permission to start voice calls": "Non hai il permesso di avviare chiamate", "There's no one here to call": "Non c'è nessuno da chiamare qui", "You do not have permission to start video calls": "Non hai il permesso di avviare videochiamate", @@ -2151,22 +1997,13 @@ "Video call (Jitsi)": "Videochiamata (Jitsi)", "Live": "In diretta", "Failed to set pusher state": "Impostazione stato del push fallita", - "Receive push notifications on this session.": "Ricevi notifiche push in questa sessione.", - "Push notifications": "Notifiche push", - "Toggle push notifications on this session.": "Attiva/disattiva le notifiche push in questa sessione.", "Video call ended": "Videochiamata terminata", "%(name)s started a video call": "%(name)s ha iniziato una videochiamata", - "URL": "URL", - "Unknown session type": "Tipo di sessione sconosciuta", - "Web session": "Sessione web", - "Mobile session": "Sessione mobile", - "Desktop session": "Sessione desktop", "Room info": "Info stanza", "View chat timeline": "Vedi linea temporale chat", "Close call": "Chiudi chiamata", "Spotlight": "Riflettore", "Freedom": "Libertà", - "Operating system": "Sistema operativo", "Unknown room": "Stanza sconosciuta", "Video call (%(brand)s)": "Videochiamata (%(brand)s)", "Call type": "Tipo chiamata", @@ -2192,24 +2029,11 @@ "The scanned code is invalid.": "Il codice scansionato non è valido.", "The linking wasn't completed in the required time.": "Il collegamento non è stato completato nel tempo previsto.", "Sign in new device": "Accedi nel nuovo dispositivo", - "Show QR code": "Mostra codice QR", - "You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.": "Puoi usare questo dispositivo per accedere in un altro con un codice QR. Dovrai scansionare il codice QR mostrato in questo dispositivo con l'altro.", - "Sign in with QR code": "Accedi con codice QR", - "Browser": "Browser", "Are you sure you want to sign out of %(count)s sessions?": { "one": "Vuoi davvero disconnetterti da %(count)s sessione?", "other": "Vuoi davvero disconnetterti da %(count)s sessioni?" }, - "You should make especially certain that you recognise these sessions as they could represent an unauthorised use of your account.": "Dovresti essere particolarmente certo di riconoscere queste sessioni dato che potrebbero rappresentare un uso non autorizzato del tuo account.", - "Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.": "Le sessioni non verificate sono quelle che hanno effettuato l'accesso con le tue credenziali ma non sono state verificate.", - "Removing inactive sessions improves security and performance, and makes it easier for you to identify if a new session is suspicious.": "La rimozione delle sessioni inattive migliora la sicurezza e le prestazioni, e ti semplifica identificare se una sessione nuova è sospetta.", - "Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.": "Le sessioni inattive sono quelle che non usi da un po' di tempo, ma che continuano a ricevere le chiavi di crittografia.", - "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Considera di disconnettere le vecchie sessioni (%(inactiveAgeDays)s giorni o più) che non usi più.", "Show formatting": "Mostra formattazione", - "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "Ciò li rassicura che stiano veramente parlando con te, ma significa anche che possono vedere il nome della sessione che inserisci qui.", - "Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "Gli altri utenti nei messaggi diretti e nelle stanze in cui entri possono vedere la lista completa delle tue sessioni.", - "Renaming sessions": "Rinominare le sessioni", - "Please be aware that session names are also visible to people you communicate with.": "Ricorda che i nomi di sessione sono anche visibili alle persone con cui comunichi.", "Error downloading image": "Errore di scaricamento dell'immagine", "Unable to show image due to error": "Impossibile mostrare l'immagine per un errore", "Hide formatting": "Nascondi formattazione", @@ -2218,15 +2042,11 @@ "Video settings": "Impostazioni video", "Automatically adjust the microphone volume": "Regola automaticamente il volume del microfono", "Voice settings": "Impostazioni voce", - "This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Ciò significa che hai tutte le chiavi necessarie per sbloccare i tuoi messaggi cifrati e che confermi agli altri utenti di fidarti di questa sessione.", - "Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Le sessioni verificate sono ovunque tu usi questo account dopo l'inserimento della frase di sicurezza o la conferma della tua identità con un'altra sessione verificata.", "Send email": "Invia email", "Sign out of all devices": "Disconnetti tutti i dispositivi", "Confirm new password": "Conferma nuova password", "Too many attempts in a short time. Retry after %(timeout)s.": "Troppi tentativi in poco tempo. Riprova dopo %(timeout)s.", "Too many attempts in a short time. Wait some time before trying again.": "Troppi tentativi in poco tempo. Attendi un po' prima di riprovare.", - "Show details": "Mostra dettagli", - "Hide details": "Nascondi dettagli", "Thread root ID: %(threadRootId)s": "ID root del thread: %(threadRootId)s", "WARNING: ": "ATTENZIONE: ", "We were unable to start a chat with the other user.": "Non siamo riusciti ad avviare la conversazione con l'altro utente.", @@ -2237,19 +2057,11 @@ "Upcoming features": "Funzionalità in arrivo", "Change layout": "Cambia disposizione", "You have unverified sessions": "Hai sessioni non verificate", - "This session doesn't support encryption and thus can't be verified.": "Questa sessione non supporta la crittografia, perciò non può essere verificata.", - "For best security and privacy, it is recommended to use Matrix clients that support encryption.": "Per maggiore sicurezza e privacy, è consigliabile usare i client di Matrix che supportano la crittografia.", - "You won't be able to participate in rooms where encryption is enabled when using this session.": "Non potrai partecipare in stanze dove la crittografia è attiva mentre usi questa sessione.", "Search users in this room…": "Cerca utenti in questa stanza…", "Give one or multiple users in this room more privileges": "Dai più privilegi a uno o più utenti in questa stanza", "Add privileged users": "Aggiungi utenti privilegiati", "Unable to decrypt message": "Impossibile decifrare il messaggio", "This message could not be decrypted": "Non è stato possibile decifrare questo messaggio", - "Improve your account security by following these recommendations.": "Migliora la sicurezza del tuo account seguendo questi consigli.", - "%(count)s sessions selected": { - "one": "%(count)s sessione selezionata", - "other": "%(count)s sessioni selezionate" - }, "You can’t start a call as you are currently recording a live broadcast. Please end your live broadcast in order to start a call.": "Non puoi avviare una chiamata perché stai registrando una trasmissione in diretta. Termina la trasmissione per potere iniziare una chiamata.", "Can’t start a call": "Impossibile avviare una chiamata", "Failed to read events": "Lettura degli eventi fallita", @@ -2258,17 +2070,9 @@ "Text": "Testo", "Create a link": "Crea un collegamento", " in %(room)s": " in %(room)s", - "Verify your current session for enhanced secure messaging.": "Verifica la tua sessione attuale per messaggi più sicuri.", - "Your current session is ready for secure messaging.": "La tua sessione attuale è pronta per i messaggi sicuri.", - "Sign out of %(count)s sessions": { - "one": "Disconnetti %(count)s sessione", - "other": "Disconnetti %(count)s sessioni" - }, - "Sign out of all other sessions (%(otherSessionsCount)s)": "Disconnetti tutte le altre sessioni (%(otherSessionsCount)s)", "You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Non puoi iniziare un messaggio vocale perché stai registrando una trasmissione in diretta. Termina la trasmissione per potere iniziare un messaggio vocale.", "Can't start voice message": "Impossibile iniziare il messaggio vocale", "Edit link": "Modifica collegamento", - "Decrypted source unavailable": "Sorgente decifrata non disponibile", "%(senderName)s started a voice broadcast": "%(senderName)s ha iniziato una trasmissione vocale", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", "Registration token": "Token di registrazione", @@ -2345,7 +2149,6 @@ "Verify Session": "Verifica sessione", "Ignore (%(counter)s)": "Ignora (%(counter)s)", "Invites by email can only be sent one at a time": "Gli inviti per email possono essere inviati uno per volta", - "Once everyone has joined, you’ll be able to chat": "Una volta che tutti si saranno uniti, potrete scrivervi", "Desktop app logo": "Logo app desktop", "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Si è verificato un errore aggiornando le tue preferenze di notifica. Prova ad attivare/disattivare di nuovo l'opzione.", "Requires your server to support the stable version of MSC3827": "Richiede che il tuo server supporti la versione stabile di MSC3827", @@ -2390,7 +2193,6 @@ "Try using %(server)s": "Prova ad usare %(server)s", "User is not logged in": "Utente non connesso", "Alternatively, you can try to use the public server at , but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "In alternativa puoi provare ad usare il server pubblico , ma non è molto affidabile e il tuo indirizzo IP verrà condiviso con tale server. Puoi gestire questa cosa nelle impostazioni.", - "Your server requires encryption to be disabled.": "Il tuo server richiede di disattivare la crittografia.", "Are you sure you wish to remove (delete) this event?": "Vuoi davvero rimuovere (eliminare) questo evento?", "Note that removing room changes like this could undo the change.": "Nota che la rimozione delle modifiche della stanza come questa può annullare la modifica.", "Great! This passphrase looks strong enough": "Ottimo! Questa password sembra abbastanza robusta", @@ -2544,7 +2346,9 @@ "orphan_rooms": "Altre stanze", "on": "Acceso", "off": "Spento", - "all_rooms": "Tutte le stanze" + "all_rooms": "Tutte le stanze", + "deselect_all": "Deseleziona tutti", + "select_all": "Seleziona tutti" }, "action": { "continue": "Continua", @@ -2728,7 +2532,15 @@ "rust_crypto_disabled_notice": "Attualmente può essere attivato solo via config.json", "automatic_debug_logs_key_backup": "Invia automaticamente log di debug quando il backup delle chiavi non funziona", "automatic_debug_logs_decryption": "Invia automaticamente log di debug per errori di decifrazione", - "automatic_debug_logs": "Invia automaticamente log di debug per qualsiasi errore" + "automatic_debug_logs": "Invia automaticamente log di debug per qualsiasi errore", + "sliding_sync_server_support": "Il tuo server ha il supporto nativo", + "sliding_sync_server_no_support": "Il tuo server non ha il supporto nativo", + "sliding_sync_server_specify_proxy": "Il tuo server non ha il supporto nativo, devi specificare un proxy", + "sliding_sync_configuration": "Configurazione sincr. Sliding", + "sliding_sync_disable_warning": "Per disattivarlo dovrai disconnetterti e riaccedere, usare con cautela!", + "sliding_sync_proxy_url_optional_label": "URL proxy (facoltativo)", + "sliding_sync_proxy_url_label": "URL proxy", + "video_rooms_beta": "Le stanze video sono una funzionalità beta" }, "keyboard": { "home": "Pagina iniziale", @@ -2823,7 +2635,19 @@ "placeholder_reply_encrypted": "Invia una risposta criptata…", "placeholder_reply": "Invia risposta…", "placeholder_encrypted": "Invia un messaggio criptato…", - "placeholder": "Invia un messaggio…" + "placeholder": "Invia un messaggio…", + "autocomplete": { + "command_description": "Comandi", + "command_a11y": "Autocompletamento comando", + "emoji_a11y": "Autocompletamento emoji", + "@room_description": "Notifica l'intera stanza", + "notification_description": "Notifica della stanza", + "notification_a11y": "Autocompletamento notifiche", + "room_a11y": "Autocompletamento stanze", + "space_a11y": "Autocompletamento spazio", + "user_description": "Utenti", + "user_a11y": "Autocompletamento utenti" + } }, "Bold": "Grassetto", "Link": "Collegamento", @@ -3078,6 +2902,95 @@ }, "keyboard": { "title": "Tastiera" + }, + "sessions": { + "rename_form_heading": "Rinomina sessione", + "rename_form_caption": "Ricorda che i nomi di sessione sono anche visibili alle persone con cui comunichi.", + "rename_form_learn_more": "Rinominare le sessioni", + "rename_form_learn_more_description_1": "Gli altri utenti nei messaggi diretti e nelle stanze in cui entri possono vedere la lista completa delle tue sessioni.", + "rename_form_learn_more_description_2": "Ciò li rassicura che stiano veramente parlando con te, ma significa anche che possono vedere il nome della sessione che inserisci qui.", + "session_id": "ID sessione", + "last_activity": "Ultima attività", + "url": "URL", + "os": "Sistema operativo", + "browser": "Browser", + "ip": "Indirizzo IP", + "details_heading": "Dettagli sessione", + "push_toggle": "Attiva/disattiva le notifiche push in questa sessione.", + "push_heading": "Notifiche push", + "push_subheading": "Ricevi notifiche push in questa sessione.", + "sign_out": "Disconnetti da questa sessione", + "hide_details": "Nascondi dettagli", + "show_details": "Mostra dettagli", + "inactive_days": "Inattivo da %(inactiveAgeDays)s+ giorni", + "verified_sessions": "Sessioni verificate", + "verified_sessions_explainer_1": "Le sessioni verificate sono ovunque tu usi questo account dopo l'inserimento della frase di sicurezza o la conferma della tua identità con un'altra sessione verificata.", + "verified_sessions_explainer_2": "Ciò significa che hai tutte le chiavi necessarie per sbloccare i tuoi messaggi cifrati e che confermi agli altri utenti di fidarti di questa sessione.", + "unverified_sessions": "Sessioni non verificate", + "unverified_sessions_explainer_1": "Le sessioni non verificate sono quelle che hanno effettuato l'accesso con le tue credenziali ma non sono state verificate.", + "unverified_sessions_explainer_2": "Dovresti essere particolarmente certo di riconoscere queste sessioni dato che potrebbero rappresentare un uso non autorizzato del tuo account.", + "unverified_session": "Sessione non verificata", + "unverified_session_explainer_1": "Questa sessione non supporta la crittografia, perciò non può essere verificata.", + "unverified_session_explainer_2": "Non potrai partecipare in stanze dove la crittografia è attiva mentre usi questa sessione.", + "unverified_session_explainer_3": "Per maggiore sicurezza e privacy, è consigliabile usare i client di Matrix che supportano la crittografia.", + "inactive_sessions": "Sessioni inattive", + "inactive_sessions_explainer_1": "Le sessioni inattive sono quelle che non usi da un po' di tempo, ma che continuano a ricevere le chiavi di crittografia.", + "inactive_sessions_explainer_2": "La rimozione delle sessioni inattive migliora la sicurezza e le prestazioni, e ti semplifica identificare se una sessione nuova è sospetta.", + "desktop_session": "Sessione desktop", + "mobile_session": "Sessione mobile", + "web_session": "Sessione web", + "unknown_session": "Tipo di sessione sconosciuta", + "device_verified_description_current": "La tua sessione attuale è pronta per i messaggi sicuri.", + "device_verified_description": "Questa sessione è pronta per i messaggi sicuri.", + "verified_session": "Sessione verificata", + "device_unverified_description_current": "Verifica la tua sessione attuale per messaggi più sicuri.", + "device_unverified_description": "Verifica o disconnetti questa sessione per una migliore sicurezza e affidabilità.", + "verify_session": "Verifica sessione", + "verified_sessions_list_description": "Per una maggiore sicurezza, disconnetti tutte le sessioni che non riconosci o che non usi più.", + "unverified_sessions_list_description": "Verifica le tue sessioni per avere conversazioni più sicure o disconnetti quelle che non riconosci o che non usi più.", + "inactive_sessions_list_description": "Considera di disconnettere le vecchie sessioni (%(inactiveAgeDays)s giorni o più) che non usi più.", + "no_verified_sessions": "Nessuna sessione verificata trovata.", + "no_unverified_sessions": "Nessuna sessione non verificata trovata.", + "no_inactive_sessions": "Nessuna sessione inattiva trovata.", + "no_sessions": "Nessuna sessione trovata.", + "filter_all": "Tutte", + "filter_verified_description": "Pronto per messaggi sicuri", + "filter_unverified_description": "Non pronto per messaggi sicuri", + "filter_inactive": "Inattiva", + "filter_inactive_description": "Inattiva da %(inactiveAgeDays)s giorni o più", + "filter_label": "Filtra dispositivi", + "n_sessions_selected": { + "one": "%(count)s sessione selezionata", + "other": "%(count)s sessioni selezionate" + }, + "sign_in_with_qr": "Accedi con codice QR", + "sign_in_with_qr_description": "Puoi usare questo dispositivo per accedere in un altro con un codice QR. Dovrai scansionare il codice QR mostrato in questo dispositivo con l'altro.", + "sign_in_with_qr_button": "Mostra codice QR", + "sign_out_n_sessions": { + "one": "Disconnetti %(count)s sessione", + "other": "Disconnetti %(count)s sessioni" + }, + "other_sessions_heading": "Altre sessioni", + "sign_out_all_other_sessions": "Disconnetti tutte le altre sessioni (%(otherSessionsCount)s)", + "current_session": "Sessione attuale", + "confirm_sign_out_sso": { + "one": "Conferma la disconnessione da questo dispositivo usando Single Sign On per dare prova della tua identità.", + "other": "Conferma la disconnessione da questi dispositivi usando Single Sign On per dare prova della tua identità." + }, + "confirm_sign_out": { + "one": "Conferma la disconnessione da questo dispositivo", + "other": "Conferma la disconnessione da questi dispositivi" + }, + "confirm_sign_out_body": { + "one": "Clicca il pulsante sottostante per confermare la disconnessione da questo dispositivo.", + "other": "Clicca il pulsante sottostante per confermare la disconnessione da questi dispositivi." + }, + "confirm_sign_out_continue": { + "one": "Disconnetti dispositivo", + "other": "Disconnetti dispositivi" + }, + "security_recommendations": "Consigli di sicurezza", + "security_recommendations_description": "Migliora la sicurezza del tuo account seguendo questi consigli." } }, "devtools": { @@ -3177,7 +3090,9 @@ "show_hidden_events": "Mostra eventi nascosti nella linea temporale", "low_bandwidth_mode_description": "Richiede un homeserver compatibile.", "low_bandwidth_mode": "Modalità larghezza di banda bassa", - "developer_mode": "Modalità sviluppatore" + "developer_mode": "Modalità sviluppatore", + "view_source_decrypted_event_source": "Sorgente dell'evento decifrato", + "view_source_decrypted_event_source_unavailable": "Sorgente decifrata non disponibile" }, "export_chat": { "html": "HTML", @@ -3573,7 +3488,9 @@ "io.element.voice_broadcast_info": { "you": "Hai terminato una trasmissione vocale", "user": "%(senderName)s ha terminato una trasmissione vocale" - } + }, + "creation_summary_dm": "%(creator)s ha creato questo MD.", + "creation_summary_room": "%(creator)s ha creato e configurato la stanza." }, "slash_command": { "spoiler": "Invia il messaggio come spoiler", @@ -3768,13 +3685,53 @@ "kick": "Rimuovi utenti", "ban": "Bandisci utenti", "redact": "Rimuovi i messaggi inviati dagli altri", - "notifications.room": "Notifica tutti" + "notifications.room": "Notifica tutti", + "no_privileged_users": "Nessun utente ha privilegi specifici in questa stanza", + "privileged_users_section": "Utenti privilegiati", + "muted_users_section": "Utenti silenziati", + "banned_users_section": "Utenti banditi", + "send_event_type": "Invia eventi %(eventType)s", + "title": "Ruoli e permessi", + "permissions_section": "Autorizzazioni", + "permissions_section_description_space": "Seleziona i ruoli necessari per cambiare varie parti dello spazio", + "permissions_section_description_room": "Seleziona i ruoli necessari per cambiare varie parti della stanza" }, "security": { "strict_encryption": "Non inviare mai messaggi cifrati a sessioni non verificate in questa stanza da questa sessione", "join_rule_invite": "Privato (solo a invito)", "join_rule_invite_description": "Solo le persone invitate possono entrare.", - "join_rule_public_description": "Chiunque può trovare ed entrare." + "join_rule_public_description": "Chiunque può trovare ed entrare.", + "enable_encryption_public_room_confirm_title": "Vuoi veramente aggiungere la crittografia a questa stanza pubblica?", + "enable_encryption_public_room_confirm_description_1": "Non è consigliabile aggiungere la crittografia alle stanze pubbliche.Chiunque può trovare ed entrare in stanze pubbliche, quindi chiunque può leggere i messaggi. Non avrai alcun beneficio dalla crittografia e non potrai disattivarla in seguito. Cifrare i messaggi in una stanza pubblica renderà più lenti l'invio e la ricezione dei messaggi.", + "enable_encryption_public_room_confirm_description_2": "Per evitare questi problemi, crea una nuova stanza cifrata per la conversazione che vuoi avere.", + "enable_encryption_confirm_title": "Attivare la crittografia?", + "enable_encryption_confirm_description": "Una volta attivata, la crittografia di una stanza non può essere disattivata. I messaggi inviati in una stanza cifrata non possono essere letti dal server, solo dai partecipanti della stanza. L'attivazione della crittografia può impedire il corretto funzionamento di bot e bridge. Maggiori informazioni sulla crittografia.", + "public_without_alias_warning": "Per collegare a questa stanza, aggiungi un indirizzo.", + "join_rule_description": "Decidi chi può entrare in %(roomName)s.", + "encrypted_room_public_confirm_title": "Vuoi veramente rendere pubblica questa stanza cifrata?", + "encrypted_room_public_confirm_description_1": "Non è consigliabile rendere pubbliche le stanze cifrate. Se lo fai, chiunque potrà trovare ed entrare nella stanza, quindi chiunque potrà leggere i messaggi. Non avrai alcun beneficio dalla crittografia. Cifrare i messaggi in una stanza pubblica renderà più lenti l'invio e la ricezione dei messaggi.", + "encrypted_room_public_confirm_description_2": "Per evitare questi problemi, crea una nuova stanza pubblica per la conversazione che vuoi avere.", + "history_visibility": {}, + "history_visibility_warning": "Le modifiche a chi può leggere la cronologia si applicheranno solo ai messaggi futuri in questa stanza. La visibilità della cronologia esistente rimarrà invariata.", + "history_visibility_legend": "Chi può leggere la cronologia?", + "guest_access_warning": "Le persone con client supportati potranno entrare nella stanza senza avere un account registrato.", + "title": "Sicurezza e privacy", + "encryption_permanent": "Una volta attivata, la crittografia non può essere disattivata.", + "encryption_forced": "Il tuo server richiede di disattivare la crittografia.", + "history_visibility_shared": "Solo i membri (dal momento in cui selezioni questa opzione)", + "history_visibility_invited": "Solo i membri (da quando sono stati invitati)", + "history_visibility_joined": "Solo i membri (da quando sono entrati)", + "history_visibility_world_readable": "Chiunque" + }, + "general": { + "publish_toggle": "Pubblicare questa stanza nell'elenco pubblico delle stanze in %(domain)s ?", + "user_url_previews_default_on": "Hai attivato le anteprime degli URL in modo predefinito.", + "user_url_previews_default_off": "Hai disattivato le anteprime degli URL in modo predefinito.", + "default_url_previews_on": "Le anteprime degli URL sono attive in modo predefinito per i partecipanti di questa stanza.", + "default_url_previews_off": "Le anteprime degli URL sono inattive in modo predefinito per i partecipanti di questa stanza.", + "url_preview_encryption_warning": "Nelle stanze criptate, come questa, le anteprime degli URL sono disattivate in modo predefinito per garantire che il tuo homeserver (dove vengono generate le anteprime) non possa raccogliere informazioni sui collegamenti che vedi in questa stanza.", + "url_preview_explainer": "Quando qualcuno inserisce un URL nel proprio messaggio, è possibile mostrare un'anteprima dell'URL per fornire maggiori informazioni su quel collegamento, come il titolo, la descrizione e un'immagine dal sito web.", + "url_previews_section": "Anteprime URL" } }, "encryption": { @@ -3898,7 +3855,15 @@ "server_picker_explainer": "Usa il tuo homeserver Matrix preferito se ne hai uno, o ospitane uno tuo.", "server_picker_learn_more": "Riguardo gli homeserver", "incorrect_credentials": "Nome utente e/o password sbagliati.", - "account_deactivated": "Questo account è stato disattivato." + "account_deactivated": "Questo account è stato disattivato.", + "registration_username_validation": "Usa solo minuscole, numeri, trattini e trattini bassi", + "registration_username_unable_check": "Impossibile controllare se il nome utente è già in uso. Riprova più tardi.", + "registration_username_in_use": "Qualcuno ha già quel nome utente. Provane un altro o se sei tu, accedi qui sotto.", + "phone_label": "Telefono", + "phone_optional_label": "Telefono (facoltativo)", + "email_help_text": "Aggiungi un'email per poter reimpostare la password.", + "email_phone_discovery_text": "Usa l'email o il telefono per essere facoltativamente trovabile dai contatti esistenti.", + "email_discovery_text": "Usa l'email per essere facoltativamente trovabile dai contatti esistenti." }, "room_list": { "sort_unread_first": "Mostra prima le stanze con messaggi non letti", @@ -4110,7 +4075,21 @@ "light_high_contrast": "Alto contrasto chiaro" }, "space": { - "landing_welcome": "Ti diamo il benvenuto in " + "landing_welcome": "Ti diamo il benvenuto in ", + "suggested_tooltip": "Questa è una buona stanza in cui entrare", + "suggested": "Consigliato", + "select_room_below": "Prima seleziona una stanza sotto", + "unmark_suggested": "Segna come non consigliato", + "mark_suggested": "Segna come consigliato", + "failed_remove_rooms": "Rimozione di alcune stanze fallita. Riprova più tardi", + "failed_load_rooms": "Caricamento dell'elenco di stanze fallito.", + "incompatible_server_hierarchy": "Il tuo server non supporta la visualizzazione di gerarchie di spazi.", + "context_menu": { + "devtools_open_timeline": "Mostra linea temporale della stanza (strumenti per sviluppatori)", + "home": "Pagina iniziale dello spazio", + "explore": "Esplora stanze", + "manage_and_explore": "Gestisci ed esplora le stanze" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "Questo homeserver non è configurato per mostrare mappe.", @@ -4167,5 +4146,52 @@ "setup_rooms_description": "Puoi aggiungerne anche altri in seguito, inclusi quelli già esistenti.", "setup_rooms_private_heading": "Su quali progetti sta lavorando la tua squadra?", "setup_rooms_private_description": "Creeremo stanze per ognuno di essi." + }, + "user_menu": { + "switch_theme_light": "Passa alla modalità chiara", + "switch_theme_dark": "Passa alla modalità scura" + }, + "notif_panel": { + "empty_heading": "Non hai nulla di nuovo da vedere", + "empty_description": "Non hai notifiche visibili." + }, + "console_scam_warning": "Se qualcuno ti ha detto di copiare/incollare qualcosa qui, è molto probabile che ti stia truffando!", + "console_dev_note": "Se sai quello che stai facendo, Element è open source, assicurati di controllare il nostro GitHub (https://github.com/vector-im/element-web/) e contribuisci!", + "room": { + "drop_file_prompt": "Trascina un file qui per l'invio", + "intro": { + "send_message_start_dm": "Invia il primo messaggio per invitare a parlare", + "encrypted_3pid_dm_pending_join": "Una volta che tutti si saranno uniti, potrete scrivervi", + "start_of_dm_history": "Questo è l'inizio della tua cronologia di messaggi diretti con .", + "dm_caption": "Solo voi due siete in questa conversazione, a meno che uno di voi non inviti qualcuno.", + "topic_edit": "Argomento: %(topic)s (modifica)", + "topic": "Argomento: %(topic)s ", + "no_topic": "Aggiungi un argomento per aiutare le persone a capire di cosa si parla.", + "you_created": "Hai creato questa stanza.", + "user_created": "%(displayName)s ha creato questa stanza.", + "room_invite": "Invita solo in questa stanza", + "no_avatar_label": "Aggiungi una foto, in modo che le persone notino facilmente la stanza.", + "start_of_room": "Questo è l'inizio di .", + "private_unencrypted_warning": "I tuoi messaggi privati normalmente sono cifrati, ma questa stanza non lo è. Di solito ciò è dovuto ad un dispositivo non supportato o dal metodo usato, come gli inviti per email.", + "enable_encryption_prompt": "Attiva la crittografia nelle impostazioni.", + "unencrypted_warning": "La crittografia end-to-end non è attiva" + } + }, + "file_panel": { + "guest_note": "Devi registrarti per usare questa funzionalità", + "peek_note": "Devi entrare nella stanza per vederne i file", + "empty_heading": "Nessun file visibile in questa stanza", + "empty_description": "Allega file dalla chat o trascinali in qualsiasi punto in una stanza." + }, + "terms": { + "integration_manager": "Usa bot, bridge, widget e pacchetti di adesivi", + "tos": "Condizioni di servizio", + "intro": "Per continuare devi accettare le condizioni di servizio.", + "column_service": "Servizio", + "column_summary": "Riepilogo", + "column_document": "Documento" + }, + "space_settings": { + "title": "Impostazioni - %(spaceName)s" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/ja.json b/src/i18n/strings/ja.json index 2e0f1dae1b..bf2d03db44 100644 --- a/src/i18n/strings/ja.json +++ b/src/i18n/strings/ja.json @@ -1,5 +1,4 @@ { - "Anyone": "誰でも", "Change Password": "パスワードを変更", "Current password": "現在のパスワード", "Favourite": "お気に入り", @@ -124,7 +123,6 @@ "Confirm password": "パスワードを確認", "Authentication": "認証", "Failed to set display name": "表示名の設定に失敗しました", - "Drop file here to upload": "アップロードするファイルをここにドロップしてください", "This event could not be displayed": "このイベントは表示できませんでした", "Demote yourself?": "自身を降格しますか?", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "あなたは自分自身を降格させようとしています。この変更は取り消せません。あなたがルームの中で最後の特権ユーザーである場合、特権を再取得することはできなくなります。", @@ -161,31 +159,14 @@ "%(roomName)s is not accessible at this time.": "%(roomName)sは現在アクセスできません。", "Failed to unban": "ブロック解除に失敗しました", "Banned by %(displayName)s": "%(displayName)sによってブロックされました", - "No users have specific privileges in this room": "このルームには特定の権限を持つユーザーはいません", - "Privileged Users": "特権ユーザー", - "Muted Users": "ミュートされたユーザー", - "Banned users": "ブロックされたユーザー", "This room is not accessible by remote Matrix servers": "このルームはリモートのMatrixサーバーからアクセスできません", - "Publish this room to the public in %(domain)s's room directory?": "%(domain)sのルームディレクトリーにこのルームを公開しますか?", - "Who can read history?": "履歴の閲覧権限", - "Members only (since the point in time of selecting this option)": "メンバーのみ(この設定を選択した時点から)", - "Members only (since they were invited)": "メンバーのみ(招待を送った時点から)", - "Members only (since they joined)": "メンバーのみ(参加した時点から)", - "Permissions": "権限", "Only room administrators will see this warning": "この警告はルームの管理者にのみ表示されます", "You don't currently have any stickerpacks enabled": "現在、ステッカーパックが有効になっていません", "Add some now": "今すぐ追加", "Jump to first unread message.": "最初の未読メッセージに移動。", "not specified": "指定なし", "This room has no local addresses": "このルームにはローカルアドレスがありません", - "You have enabled URL previews by default.": "URLプレビューが既定で有効です。", - "You have disabled URL previews by default.": "URLプレビューが既定で無効です。", - "URL previews are enabled by default for participants in this room.": "このルームの参加者には、既定でURLプレビューが有効です。", - "URL previews are disabled by default for participants in this room.": "このルームの参加者には、既定でURLプレビューが無効です。", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "このルームを含めて、暗号化されたルームでは、あなたのホームサーバー(これがプレビューを作成します)によるリンクの情報の収集を防ぐため、URLプレビューは既定で無効になっています。", - "URL Previews": "URLプレビュー", "Historical": "履歴", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "メッセージにURLが含まれる場合、タイトル、説明、ウェブサイトの画像などがURLプレビューとして表示されます。", "Error decrypting attachment": "添付ファイルを復号化する際にエラーが発生しました", "Decrypt %(text)s": "%(text)sを復号化", "Download %(text)s": "%(text)sをダウンロード", @@ -261,8 +242,6 @@ "Link to selected message": "選択したメッセージにリンク", "Reject invitation": "招待を辞退", "Are you sure you want to reject the invitation?": "招待を辞退してよろしいですか?", - "You must register to use this functionality": "この機能を使用するには登録する必要があります", - "You must join the room to see its files": "ルームのファイルを表示するには、ルームに参加する必要があります", "Failed to reject invitation": "招待を辞退できませんでした", "This room is not public. You will not be able to rejoin without an invite.": "このルームは公開されていません。再度参加するには、招待が必要です。", "Are you sure you want to leave the room '%(roomName)s'?": "このルーム「%(roomName)s」から退出してよろしいですか?", @@ -315,10 +294,6 @@ "Please note you are logging into the %(hs)s server, not matrix.org.": "matrix.orgではなく、%(hs)sのサーバーにログインしていることに注意してください。", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "HTTPSのURLがブラウザーのバーにある場合、HTTP経由でホームサーバーに接続することはできません。HTTPSを使用するか安全でないスクリプトを有効にしてください。", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "ホームサーバーに接続できません。接続を確認し、ホームサーバーのSSL証明書が信頼できるものであり、ブラウザーの拡張機能が要求をブロックしていないことを確認してください。", - "Commands": "コマンド", - "Notify the whole room": "ルーム全体に通知", - "Room Notification": "ルームの通知", - "Users": "ユーザー", "Session ID": "セッションID", "Passphrases must match": "パスフレーズが一致していません", "Passphrase must not be empty": "パスフレーズには1文字以上が必要です", @@ -353,7 +328,6 @@ "Phone numbers": "電話番号", "Language and region": "言語と地域", "General": "一般", - "Security & Privacy": "セキュリティーとプライバシー", "Room information": "ルームの情報", "Room version": "ルームのバージョン", "Room version:": "ルームのバージョン:", @@ -362,10 +336,7 @@ "Notification sound": "通知音", "Set a new custom sound": "カスタム音を設定", "Browse": "参照", - "Roles & Permissions": "役割と権限", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "履歴の閲覧権限に関する変更は、今後、このルームで表示されるメッセージにのみ適用されます。既存の履歴の見え方には影響しません。", "Encryption": "暗号化", - "Once enabled, encryption cannot be disabled.": "いったん有効にすると、暗号化を無効にすることはできません。", "Email Address": "メールアドレス", "Main address": "メインアドレス", "Hide advanced": "高度な設定を非表示にする", @@ -373,7 +344,6 @@ "Room Settings - %(roomName)s": "ルームの設定 - %(roomName)s", "Error changing power level requirement": "必要な権限レベルを変更する際にエラーが発生しました", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "ルームで必要な権限レベルを変更する際にエラーが発生しました。必要な権限があることを確認したうえで、もう一度やり直してください。", - "Select the roles required to change various parts of the room": "ルームに関する変更を行うために必要な役割を選択", "Room Topic": "ルームのトピック", "Create account": "アカウントを作成", "Error upgrading room": "ルームをアップグレードする際にエラーが発生しました", @@ -382,7 +352,6 @@ "Restore from Backup": "バックアップから復元", "Voice & Video": "音声とビデオ", "Remove recent messages": "最近のメッセージを削除", - "%(creator)s created and configured the room.": "%(creator)sがルームを作成し設定しました。", "Add room": "ルームを追加", "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "本当によろしいですか? もし鍵が正常にバックアップされていない場合、暗号化されたメッセージにアクセスできなくなります。", "not stored": "保存されていません", @@ -420,15 +389,10 @@ "Clear all data": "全てのデータを消去", "Message edits": "メッセージの編集履歴", "Sign out and remove encryption keys?": "サインアウトして、暗号鍵を削除しますか?", - "Terms of Service": "利用規約", - "To continue you need to accept the terms of this service.": "続行するには、このサービスの利用規約に同意する必要があります。", "Italics": "斜字体", "Local address": "ローカルアドレス", - "Enable encryption?": "暗号化を有効にしますか?", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "一度有効にしたルームの暗号化は無効にすることはできません。暗号化されたルームで送信されたメッセージは、サーバーからは閲覧できず、そのルームのメンバーだけが閲覧できます。暗号化を有効にすると、多くのボットやブリッジが正常に動作しなくなる可能性があります。暗号化についての詳細はこちらをご覧ください。", "Enter username": "ユーザー名を入力", "Email (optional)": "電子メール(任意)", - "Phone (optional)": "電話番号(任意)", "Verify this session": "このセッションを認証", "Encryption upgrade available": "暗号化のアップグレードが利用できます", "Not Trusted": "信頼されていません", @@ -477,10 +441,6 @@ "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "クロス署名された端末を信頼せず、ユーザーが使用する各セッションを個別に認証し、信頼済に設定。", "Show more": "さらに表示", "This backup is trusted because it has been restored on this session": "このバックアップは、このセッションで復元されたため信頼されています", - "Use bots, bridges, widgets and sticker packs": "ボット、ブリッジ、ウィジェット、ステッカーパックを使用", - "Service": "サービス", - "Summary": "概要", - "Document": "ドキュメント", "Other users may not trust it": "他のユーザーはこのセッションを信頼しない可能性があります", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "あなたのアカウントではクロス署名の認証情報が機密ストレージに保存されていますが、このセッションでは信頼されていません。", "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "このセッションでは鍵をバックアップしていませんが、復元に使用したり、今後鍵を追加したりできるバックアップがあります。", @@ -495,8 +455,6 @@ "Your homeserver": "あなたのホームサーバー", "%(displayName)s cancelled verification.": "%(displayName)sが認証をキャンセルしました。", "You cancelled verification.": "認証をキャンセルしました。", - "Switch to light mode": "ライトテーマに切り替える", - "Switch to dark mode": "ダークテーマに切り替える", "Switch theme": "テーマを切り替える", "All settings": "全ての設定", "Cannot connect to integration manager": "インテグレーションマネージャーに接続できません", @@ -521,8 +479,6 @@ "Upload files (%(current)s of %(total)s)": "ファイルのアップロード(%(current)s/%(total)s)", "Upload files": "ファイルのアップロード", "Upload all": "全てアップロード", - "No files visible in this room": "このルームにファイルはありません", - "Attach files from chat or just drag and drop them anywhere in a room.": "チャットで添付するか、ルームにドラッグ&ドロップすると、ファイルを追加できます。", "Add widgets, bridges & bots": "ウィジェット、ブリッジ、ボットの追加", "Widgets": "ウィジェット", "Cross-signing is ready for use.": "クロス署名の使用準備が完了しました。", @@ -555,14 +511,6 @@ "Invite someone using their name, username (like ) or share this room.": "このルームに誰かを招待したい場合は、招待したいユーザーの名前、またはユーザー名(の形式)を指定するか、このルームを共有してください。", "Invite someone using their name, email address, username (like ) or share this room.": "このルームに誰かを招待したい場合は、招待したいユーザーの名前、メールアドレス、またはユーザー名(の形式)を指定するか、このルームを共有してください。", "Upgrade your encryption": "暗号化をアップグレード", - "This is the beginning of your direct message history with .": "ここがあなたとのダイレクトメッセージの履歴の先頭です。", - "This is the start of .": "ここがの先頭です。", - "Add a topic to help people know what it is about.": "トピックを追加すると、このルームの目的が分かりやすくなります。", - "Topic: %(topic)s (edit)": "トピック:%(topic)s(編集)", - "Topic: %(topic)s ": "トピック:%(topic)s ", - "%(displayName)s created this room.": "%(displayName)sがこのルームを作成しました。", - "You created this room.": "このルームを作成しました。", - "%(creator)s created this DM.": "%(creator)sがこのダイレクトメッセージを作成しました。", "e.g. my-room": "例:my-room", "Room address": "ルームのアドレス", "New published address (e.g. #alias:server)": "新しい公開アドレス(例:#alias:server)", @@ -583,8 +531,6 @@ "Backup version:": "バックアップのバージョン:", "Secret storage:": "機密ストレージ:", "Master private key:": "マスター秘密鍵:", - "Add a photo, so people can easily spot your room.": "写真を追加して、あなたのルームを目立たせましょう。", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "あなたか相手が誰かを招待しない限りは、この会話に参加しているのはあなたたちだけです。", "Password is allowed, but unsafe": "パスワードの要件は満たしていますが、安全ではありません", "Nice, strong password!": "素晴らしい、強固なパスワードです!", "Enter password": "パスワードを入力してください", @@ -639,8 +585,6 @@ "Your email address hasn't been verified yet": "メールアドレスはまだ認証されていません", "Unable to share email address": "メールアドレスを共有できません", "Unable to revoke sharing for email address": "メールアドレスの共有を取り消せません", - "To link to this room, please add an address.": "このルームにリンクするにはアドレスを追加してください。", - "Send %(eventType)s events": "%(eventType)sイベントの送信", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "ユーザーの権限レベルを変更する際にエラーが発生しました。必要な権限があることを確認して、もう一度やり直してください。", "Uploaded sound": "アップロードされた音", "Bridges": "ブリッジ", @@ -1171,11 +1115,8 @@ "Save Changes": "変更を保存", "Edit settings relating to your space.": "スペースの設定を変更します。", "Spaces": "スペース", - "Invite to just this room": "このルームにのみ招待", "Invite to %(spaceName)s": "%(spaceName)sに招待", "Invite to %(roomName)s": "%(roomName)sに招待", - "Manage & explore rooms": "ルームの管理および探索", - "Select a room below first": "以下からルームを選択してください", "Private space": "非公開スペース", "Leave Space": "スペースから退出", "Are you sure you want to leave the space '%(spaceName)s'?": "このスペース「%(spaceName)s」から退出してよろしいですか?", @@ -1203,16 +1144,11 @@ "Anyone in a space can find and join. You can select multiple spaces.": "スペースのメンバーが検索し、参加できます。複数のスペースを選択できます。", "Space members": "スペースのメンバー", "Upgrade required": "アップグレードが必要", - "Decide who can join %(roomName)s.": "%(roomName)sに参加できる人を設定してください。", "Verify your identity to access encrypted messages and prove your identity to others.": "暗号化されたメッセージにアクセスするには、本人確認が必要です。", "Are you sure you want to sign out?": "サインアウトしてよろしいですか?", "Rooms and spaces": "ルームとスペース", "Add a space to a space you manage.": "新しいスペースを、あなたが管理するスペースに追加。", "Add space": "スペースを追加", - "This room is suggested as a good one to join": "このルームは、参加を推奨するルームとしておすすめされています", - "Mark as suggested": "おすすめに追加", - "Mark as not suggested": "おすすめから除外", - "Suggested": "おすすめ", "Joined": "参加済", "To join a space you'll need an invite.": "スペースに参加するには招待が必要です。", "Group all your rooms that aren't part of a space in one place.": "スペースに含まれない全てのルームを一箇所にまとめる。", @@ -1245,7 +1181,6 @@ "Insert link": "リンクを挿入", "Reason (optional)": "理由(任意)", "Copy link to thread": "スレッドへのリンクをコピー", - "You're all caught up": "未読はありません", "Connecting": "接続しています", "You cannot place calls without a connection to the server.": "サーバーに接続していないため、通話を発信できません。", "Connectivity to the server has been lost": "サーバーとの接続が失われました", @@ -1256,12 +1191,6 @@ "Enter a server name": "サーバー名を入力", "Add existing space": "既存のスペースを追加", "This upgrade will allow members of selected spaces access to this room without an invite.": "このアップグレードにより、選択したスペースのメンバーは、招待なしでこのルームにアクセスできるようになります。", - "Select all": "全て選択", - "Deselect all": "全ての選択を解除", - "Sign out devices": { - "one": "端末からサインアウト", - "other": "端末からサインアウト" - }, "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "匿名のデータを共有すると、問題の特定に役立ちます。個人データの収集や、第三者とのデータ共有はありません。", "Hide sidebar": "サイドバーを表示しない", "Failed to transfer call": "通話の転送に失敗しました", @@ -1294,7 +1223,6 @@ "Command Help": "コマンドヘルプ", "Link to room": "ルームへのリンク", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "このスペースのメンバーとの会話をまとめます。無効にすると、それらの会話は%(spaceName)sの表示画面に表示されなくなります。", - "Space home": "スペースのホーム", "%(count)s votes": { "one": "%(count)s個の投票", "other": "%(count)s個の投票" @@ -1363,11 +1291,7 @@ "Wrong Security Key": "正しくないセキュリティーキー", "a key signature": "鍵の署名", "Cross-signing is ready but keys are not backed up.": "クロス署名は準備できましたが、鍵はバックアップされていません。", - "Someone already has that username. Try another or if it is you, sign in below.": "そのユーザー名は既に使用されています。別のユーザー名を試すか、あなたのユーザー名なら、以下でサインインしてください。", "Sign in with SSO": "シングルサインオンでサインイン", - "Use email or phone to optionally be discoverable by existing contacts.": "後ほど、このメールアドレスまたは電話番号で連絡先に見つけてもらうことができるようになります。", - "Use email to optionally be discoverable by existing contacts.": "後ほど、このメールアドレスで連絡先に見つけてもらうことができるようになります。", - "Add an email to be able to reset your password.": "アカウント復旧用のメールアドレスを追加。", "Join millions for free on the largest public server": "最大の公開サーバーで、数百万人に無料で参加", "This homeserver would like to make sure you are not a robot.": "このホームサーバーは、あなたがロボットではないことの確認を求めています。", "Doesn't look like a valid email address": "メールアドレスの形式が正しくありません", @@ -1414,7 +1338,6 @@ "Invite anyway": "招待", "Invite anyway and never warn me again": "招待し、再び警告しない", "Recovery Method Removed": "復元方法を削除しました", - "Failed to remove some rooms. Try again later": "いくつかのルームの削除に失敗しました。後でもう一度やり直してください", "Remove from room": "ルームから追放", "Failed to remove user": "ユーザーの追放に失敗しました", "Success!": "成功しました!", @@ -1492,9 +1415,6 @@ "Leave all rooms": "全てのルームから退出", "Select spaces": "スペースを選択", "Your homeserver doesn't seem to support this feature.": "ホームサーバーはこの機能をサポートしていません。", - "Verify session": "セッションを認証", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "暗号化されたルームを公開することは推奨されません。ルームを公開すると、誰でもルームを検索、参加して、メッセージを読むことができるため、暗号化の利益を得ることができません。また、公開ルームでメッセージを暗号化すると、メッセージの送受信が遅くなります。", - "Are you sure you want to make this encrypted room public?": "この暗号化されたルームを公開してよろしいですか?", "Unknown failure": "不明なエラー", "Unrecognised room address: %(roomAlias)s": "ルームのアドレスが認識できません:%(roomAlias)s", "Incorrect Security Phrase": "セキュリティーフレーズが正しくありません", @@ -1509,8 +1429,6 @@ "End Poll": "アンケートを終了", "Add people": "連絡先を追加", "View message": "メッセージを表示", - "End-to-end encryption isn't enabled": "エンドツーエンド暗号化が有効になっていません", - "Enable encryption in settings.": "暗号化を設定から有効にする。", "Show %(count)s other previews": { "one": "他%(count)s個のプレビューを表示", "other": "他%(count)s個のプレビューを表示" @@ -1528,7 +1446,6 @@ "Go back to set it again.": "戻って、改めて設定してください。", "That doesn't match.": "合致しません。", "Continue With Encryption Disabled": "暗号化を無効にして続行", - "You have no visible notifications.": "未読の通知はありません。", "Get notified only with mentions and keywords as set up in your settings": "メンションと、設定したキーワードのみを通知", "@mentions & keywords": "メンションとキーワード", "Get notified for every message": "全てのメッセージを通知", @@ -1546,9 +1463,7 @@ "This room isn't bridging messages to any platforms. Learn more.": "このルームはどのプラットフォームにもメッセージをブリッジしていません。詳細", "This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please report a bug.": "この変更は、ルームがサーバー上で処理される方法にのみ影響します。%(brand)sで問題が発生した場合は、不具合を報告してください。", "This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please report a bug.": "この変更は、ルームがサーバー上で処理される方法にのみ影響します。%(brand)sで問題が発生した場合は、不具合を報告してください。", - "People with supported clients will be able to join the room without having a registered account.": "サポートしているクライアントから、登録済のアカウントを使用せずルームに参加できるようになります。", "Enable guest access": "ゲストによるアクセスを有効にする", - "Select the roles required to change various parts of the space": "スペースに関する変更を行うために必要な役割を選択", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "アドレスを設定すると、他のユーザーがあなたのホームサーバー(%(localDomain)s)を通じてこのスペースを見つけられるようになります。", "This may be useful for public spaces.": "公開のスペースに適しているかもしれません。", "Decide who can view and join %(spaceName)s.": "%(spaceName)sを表示、参加できる範囲を設定してください。", @@ -1599,8 +1514,6 @@ "Moderation": "モデレート", "Space selection": "スペースの選択", "Looks good!": "問題ありません!", - "Emoji Autocomplete": "絵文字の自動補完", - "Notification Autocomplete": "通知の自動補完", "Cancel All": "全てキャンセル", "Chat": "会話", "Looks good": "問題ありません", @@ -1631,13 +1544,11 @@ "We couldn't send your location": "位置情報を送信できませんでした", "%(brand)s could not send your location. Please try again later.": "%(brand)sは位置情報を送信できませんでした。後でもう一度やり直してください。", "Could not fetch location": "位置情報を取得できませんでした", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "通常、ダイレクトメッセージは暗号化されていますが、このルームは暗号化されていません。一般にこれは、非サポートの端末が使用されているか、電子メールなどによる招待が行われたことが理由です。", "%(count)s reply": { "other": "%(count)s件の返信", "one": "%(count)s件の返信" }, "Call declined": "拒否しました", - "Unable to check if username has been taken. Try again later.": "そのユーザー名が既に取得されているか確認できません。後でもう一度やり直してください。", "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "認証を行わないと、あなたの全てのメッセージにアクセスできず、他のユーザーに信頼済として表示されない可能性があります。", "I'll verify later": "後で認証", "To proceed, please accept the verification request on your other device.": "続行するには、他の端末で認証リクエストを承認してください。", @@ -1671,18 +1582,9 @@ "Confirm your account deactivation by using Single Sign On to prove your identity.": "シングルサインオンを使用して本人確認を行い、アカウントの無効化を承認してください。", "The poll has ended. Top answer: %(topAnswer)s": "アンケートが終了しました。最も多い投票数を獲得した選択肢:%(topAnswer)s", "The poll has ended. No votes were cast.": "アンケートが終了しました。投票はありませんでした。", - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "シングルサインオンを使用して本人確認を行い、端末からのログアウトを承認してください。", - "other": "シングルサインオンを使用して本人確認を行い、端末からのログアウトを承認してください。" - }, - "Click the button below to confirm signing out these devices.": { - "one": "下のボタンをクリックして、端末からのログアウトを承認してください。", - "other": "下のボタンをクリックして、端末からのログアウトを承認してください。" - }, "Waiting for you to verify on your other device…": "他の端末での認証を待機しています…", "Remove from %(roomName)s": "%(roomName)sから追放", "Wait!": "お待ちください!", - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "ここでコピーペーストを行うように伝えられた場合は、あなたが詐欺の対象となっている可能性が非常に高いです!", "Error processing audio message": "音声メッセージを処理する際にエラーが発生しました", "The beginning of the room": "ルームの先頭", "Jump to date": "日付に移動", @@ -1690,7 +1592,6 @@ "Set up Secure Messages": "セキュアメッセージを設定", "Use a different passphrase?": "異なるパスフレーズを使用しますか?", "Please review and accept all of the homeserver's policies": "ホームサーバーの運営方針を確認し、同意してください", - "Space Autocomplete": "スペースの自動補完", "Start audio stream": "音声ストリーミングを開始", "Failed to start livestream": "ライブストリームの開始に失敗しました", "Unable to start audio streaming.": "音声ストリーミングを開始できません。", @@ -1698,7 +1599,6 @@ "If you've forgotten your Security Key you can ": "セキュリティーキーを紛失した場合は、できます", "Wrong file type": "正しくないファイルの種類", "Unable to access secret storage. Please verify that you entered the correct Security Phrase.": "機密ストレージにアクセスできません。正しいセキュリティーフレーズを入力したことを確認してください。", - "Settings - %(spaceName)s": "設定 - %(spaceName)s", "The server has denied your request.": "サーバーがリクエストを拒否しました。", "Server isn't responding": "サーバーが応答していません", "You're all caught up.": "未読はありません。", @@ -1718,24 +1618,18 @@ "No microphone found": "マイクが見つかりません", "We were unable to access your microphone. Please check your browser settings and try again.": "マイクにアクセスできませんでした。ブラウザーの設定を確認して、もう一度やり直してください。", "Unable to access your microphone": "マイクを使用できません", - "Are you sure you want to add encryption to this public room?": "公開ルームに暗号化を追加してよろしいですか?", "There was an error loading your notification settings.": "通知設定を読み込む際にエラーが発生しました。", "Message search initialisation failed": "メッセージの検索機能の初期化に失敗しました", "Failed to update the visibility of this space": "このスペースの見え方の更新に失敗しました", - "Failed to load list of rooms.": "ルームの一覧を読み込むのに失敗しました。", "Unable to set up secret storage": "機密ストレージを設定できません", "Save your Security Key": "セキュリティーキーを保存", "Confirm Security Phrase": "セキュリティーフレーズを確認", "Set a Security Phrase": "セキュリティーフレーズを設定", "Confirm your Security Phrase": "セキュリティーフレーズを確認", - "User Autocomplete": "ユーザーの自動補完", - "Command Autocomplete": "コマンドの自動補完", - "Room Autocomplete": "ルームの自動補完", "Error processing voice message": "音声メッセージを処理する際にエラーが発生しました", "Error loading Widget": "ウィジェットを読み込む際にエラーが発生しました", "It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "セキュリティーキーもしくは認証可能な端末が設定されていません。この端末では、以前暗号化されたメッセージにアクセスすることができません。この端末で本人確認を行うには、認証用の鍵を再設定する必要があります。", " invites you": "があなたを招待しています", - "Decrypted event source": "復号化したイベントのソースコード", "Signature upload failed": "署名のアップロードに失敗しました", "Remove for everyone": "全員から削除", "toggle event": "イベントを切り替える", @@ -1759,7 +1653,6 @@ "Unable to verify this device": "この端末を認証できません", "Other users can invite you to rooms using your contact details": "他のユーザーはあなたの連絡先の情報を用いてルームに招待することができます", "Something went wrong in confirming your identity. Cancel and try again.": "本人確認を行う際に問題が発生しました。キャンセルして、もう一度やり直してください。", - "See room timeline (devtools)": "ルームのタイムラインを表示(開発者ツール)", "Other spaces or rooms you might not know": "知らないかもしれない他のスペースやルーム", "You're removing all spaces. Access will default to invite only": "全てのスペースを削除しようとしています。招待者しかアクセスできなくなります", "To continue, use Single Sign On to prove your identity.": "続行するには、シングルサインオンを使用して、本人確認を行ってください。", @@ -1829,7 +1722,6 @@ "Expand quotes": "引用を展開", "Click": "クリック", "Pick a date to jump to": "日付を選択して移動", - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "もし開発者の方であれば、Elementはオープンソースですので、ぜひ私たちのGitHub(https://github.com/vector-im/element-web/)をご覧いただき、開発にご参加ください!", "You are not allowed to view this server's rooms list": "このサーバーのルームの一覧を閲覧する許可がありません", "This version of %(brand)s does not support viewing some encrypted files": "この%(brand)sのバージョンは、暗号化されたファイルの表示をサポートしていません", "This version of %(brand)s does not support searching encrypted messages": "この%(brand)sのバージョンは、暗号化されたメッセージの検索をサポートしていません", @@ -1841,8 +1733,6 @@ "Click to move the pin": "クリックしてピンを移動", "You've previously used a newer version of %(brand)s with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "以前このセッションで、より新しい%(brand)sのバージョンを使用していました。エンドツーエンド暗号化を有効にしてこのバージョンを再び使用するには、サインアウトして、再びサインインする必要があります。", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "%(brand)sでは、インテグレーションマネージャーでこれを行うことができません。管理者に連絡してください。", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "これらの問題を避けるには、予定している会話用に暗号化されたルームを新しく作成してください。", - "To avoid these issues, create a new public room for the conversation you plan to have.": "これらの問題を避けるには、予定している会話用に公開ルームを新しく作成してください。", "In encrypted rooms, verify all users to ensure it's secure.": "暗号化されたルームでは、安全確認のために全てのユーザーを認証しましょう。", "Including you, %(commaSeparatedMembers)s": "あなたと%(commaSeparatedMembers)sを含む", "Can't create a thread from an event with an existing relation": "既存の関係のあるイベントからスレッドを作成することはできません", @@ -1859,10 +1749,6 @@ "Ban them from specific things I'm able to": "自分に可能な範囲で、特定のものからブロック", "Ban them from everything I'm able to": "自分に可能な範囲で、全てのものからブロック", "Live location error": "位置情報(ライブ)のエラー", - "Confirm signing out these devices": { - "other": "端末からのサインアウトを承認", - "one": "端末からのサインアウトを承認" - }, "View live location": "位置情報(ライブ)を表示", "Failed to join": "参加に失敗しました", "The person who invited you has already left, or their server is offline.": "招待した人が既に退出したか、サーバーがオフラインです。", @@ -1946,17 +1832,10 @@ "You were disconnected from the call. (Error: %(message)s)": "通話から切断されました。(エラー:%(message)s)", "Connection lost": "接続が切断されました", "Room info": "ルームの情報", - "Receive push notifications on this session.": "このセッションでプッシュ通知を受信。", - "Push notifications": "プッシュ通知", - "Sign out of this session": "このセッションからサインアウト", - "Last activity": "直近のアクティビティー", - "Other sessions": "その他のセッション", - "Current session": "現在のセッション", "Video room": "ビデオ通話ルーム", "Sessions": "セッション", "Spell check": "スペルチェック", "Your password was successfully changed.": "パスワードを変更しました。", - "Rename session": "セッション名を変更", "Video settings": "ビデオの設定", "Voice settings": "音声の設定", "Start a group chat": "グループチャットを開始", @@ -1973,15 +1852,7 @@ "Show Labs settings": "ラボの設定を表示", "Private room": "非公開ルーム", "Video call (Jitsi)": "ビデオ通話(Jitsi)", - "Show QR code": "QRコードを表示", - "Sign in with QR code": "QRコードでサインイン", - "All": "全て", - "Verified session": "認証済のセッション", - "IP address": "IPアドレス", - "Browser": "ブラウザー", "Click the button below to confirm your identity.": "本人確認のため、下のボタンをクリックしてください。", - "Proxy URL (optional)": "プロクシーのURL(任意)", - "Proxy URL": "プロクシーのURL", "%(count)s Members": { "other": "%(count)s人の参加者", "one": "%(count)s人の参加者" @@ -2001,8 +1872,6 @@ "An unexpected error occurred.": "予期しないエラーが発生しました。", "Devices connected": "接続中の端末", "Check that the code below matches with your other device:": "以下のコードが他の端末と一致していることを確認してください:", - "Use lowercase letters, numbers, dashes and underscores only": "小文字、数字、ダッシュ、アンダースコアのみを使ってください", - "Your server does not support showing space hierarchies.": "あなたのサーバーはスペースの階層表示をサポートしていません。", "Great! This Security Phrase looks strong enough.": "すばらしい! このセキュリティーフレーズは十分に強力なようです。", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)sまたは%(copyButton)s", "Voice broadcast": "音声配信", @@ -2015,7 +1884,6 @@ "You do not have permission to start voice calls": "音声通話を開始する権限がありません", "You do not have permission to start video calls": "ビデオ通話を開始する権限がありません", "Video call (%(brand)s)": "ビデオ通話(%(brand)s)", - "Filter devices": "端末を絞り込む", "Sorry — this call is currently full": "すみません ― この通話は現在満員です", "Error downloading image": "画像をダウンロードする際にエラーが発生しました", "Unable to show image due to error": "エラーにより画像を表示できません", @@ -2029,14 +1897,9 @@ "Close sidebar": "サイドバーを閉じる", "You are sharing your live location": "位置情報(ライブ)を共有しています", "Stop and close": "停止して閉じる", - "Session details": "セッションの詳細", - "Operating system": "オペレーティングシステム", - "URL": "URL", - "Renaming sessions": "セッション名の変更", "Call type": "通話の種類", "You do not have sufficient permissions to change this.": "この変更に必要な権限がありません。", "Saved Items": "保存済み項目", - "Video rooms are a beta feature": "ビデオ通話ルームはベータ版の機能です", "View chat timeline": "チャットのタイムラインを表示", "Spotlight": "スポットライト", "There's no one here to call": "ここには通話できる人はいません", @@ -2063,28 +1926,12 @@ "You need to have the right permissions in order to share locations in this room.": "このルームでの位置情報の共有には適切な権限が必要です。", "To view, please enable video rooms in Labs first": "表示するには、まずラボのビデオ通話ルームを有効にしてください", "Are you sure you're at the right place?": "正しい場所にいますか?", - "Unknown session type": "セッションタイプ不明", - "Web session": "Webセッション", - "Mobile session": "モバイル端末セッション", - "Desktop session": "デスクトップセッション", "Can’t start a call": "通話を開始できません", "Failed to read events": "イベントの受信に失敗しました", "Failed to send event": "イベントの送信に失敗しました", - "Show details": "詳細を表示", - "Hide details": "詳細を非表示にする", - "Security recommendations": "セキュリティーに関する勧告", - "Unverified session": "未認証のセッション", "Text": "テキスト", "Freedom": "自由", - "%(count)s sessions selected": { - "one": "%(count)s個のセッションを選択済", - "other": "%(count)s個のセッションを選択済" - }, - "No sessions found.": "セッションが見つかりません。", - "Unverified sessions": "未認証のセッション", - "Sign out of all other sessions (%(otherSessionsCount)s)": "他のすべてのセッションからサインアウト(%(otherSessionsCount)s)", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)sではエンドツーエンド暗号化が設定されていますが、より少ないユーザー数に限定されています。", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "公開ルームを暗号化することは推奨されません。公開ルームは誰でも検索、参加でき、メッセージを読むことができます。暗号化の利益を得ることはできず、後で暗号化を無効にすることもできません。また、公開ルームでメッセージを暗号化すると、メッセージの送受信が遅くなります。", "Connection": "接続", "Voice processing": "音声を処理しています", "Automatically adjust the microphone volume": "マイクの音量を自動的に調節", @@ -2097,16 +1944,13 @@ "You can’t start a call as you are currently recording a live broadcast. Please end your live broadcast in order to start a call.": "ライブ配信を録音しているため、通話を開始できません。通話を開始するには、ライブ配信を終了してください。", "%(senderName)s started a voice broadcast": "%(senderName)sが音声配信を開始しました", "Ongoing call": "通話中", - "Toggle push notifications on this session.": "このセッションのプッシュ通知を切り替える。", "Add privileged users": "特権ユーザーを追加", "Give one or multiple users in this room more privileges": "このルームのユーザーに権限を付与", "Search users in this room…": "このルームのユーザーを検索…", - "This session doesn't support encryption and thus can't be verified.": "このセッションは暗号化をサポートしていないため、認証できません。", "Mark as read": "既読にする", "Can't start voice message": "音声メッセージを開始できません", "You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "ライブ配信を録音しているため、音声メッセージを開始できません。音声メッセージの録音を開始するには、ライブ配信を終了してください。", "%(displayName)s (%(matrixId)s)": "%(displayName)s(%(matrixId)s)", - "You won't be able to participate in rooms where encryption is enabled when using this session.": "このセッションでは、暗号化が有効になっているルームに参加することができません。", "Change layout": "レイアウトを変更", "Create a link": "リンクを作成", "Edit link": "リンクを編集", @@ -2129,7 +1973,6 @@ "Early previews": "早期プレビュー", "Send email": "電子メールを送信", "Close call": "通話を終了", - "Verified sessions": "認証済のセッション", "Search for": "検索", "If you can't find the room you're looking for, ask for an invite or create a new room.": "探しているルームが見つからない場合、招待を要求するか新しいルームを作成してください。", "If you can't see who you're looking for, send them your invite link.": "探している相手が見つからなければ、招待リンクを送信してください。", @@ -2150,47 +1993,16 @@ "Hide my messages from new joiners": "自分のメッセージを新しい参加者に表示しない", "Messages in this chat will be end-to-end encrypted.": "このチャットのメッセージはエンドツーエンドで暗号化されます。", "You don't have permission to share locations": "位置情報の共有に必要な権限がありません", - "Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.": "未認証のセッションは、認証情報でログインされていますが、クロス認証は行われていないセッションです。", - "You should make especially certain that you recognise these sessions as they could represent an unauthorised use of your account.": "これらのセッションは、アカウントの不正使用を示している可能性があるため、注意して確認してください。", - "This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "認証済のセッションには、暗号化されたメッセージを復号化する際に使用する全ての鍵が備わっています。また、他のユーザーに対しては、あなたがこのセッションを信頼していることが表示されます。", - "Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "認証済のセッションは、パスフレーズの入力、または他の認証済のセッションで本人確認を行ったセッションです。", - "Removing inactive sessions improves security and performance, and makes it easier for you to identify if a new session is suspicious.": "使用していないセッションを削除すると、セキュリティーとパフォーマンスが改善されます。また、新しいセッションが疑わしい場合に、より容易に特定できるようになります。", - "Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.": "非アクティブなセッションは、しばらく使用されていませんが、暗号鍵を受信しているセッションです。", "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.": "実験に参加したいですか?開発中のアイディアを試してください。これらの機能は完成していません。不安定な可能性や変更される可能性、また、開発が中止される可能性もあります。詳細を確認。", "Upcoming features": "今後の機能", "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "%(brand)sのラボでは、最新の機能をいち早く使用したり、テストしたりできるほか、機能が実際にリリースされる前の改善作業を支援することができます。", - "Verify your current session for enhanced secure messaging.": "より安全なメッセージのやりとりのために、現在のセッションを認証しましょう。", - "Your current session is ready for secure messaging.": "現在のセッションは安全なメッセージのやりとりに対応しています。", - "Inactive for %(inactiveAgeDays)s+ days": "%(inactiveAgeDays)s日以上使用されていません", - "Inactive sessions": "非アクティブなセッション", - "For best security, sign out from any session that you don't recognize or use anymore.": "セキュリティーを最大限に高めるには、不明なセッションや使用していないセッションからサインアウトしてください。", - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "セッションを認証すると、より安全なメッセージのやりとりが可能になります。見覚えのない、または使用していないセッションがあれば、サインアウトしましょう。", - "Improve your account security by following these recommendations.": "以下の勧告に従い、アカウントのセキュリティーを改善しましょう。", "Deactivating your account is a permanent action — be careful!": "アカウントを無効化すると取り消せません。ご注意ください!", - "For best security and privacy, it is recommended to use Matrix clients that support encryption.": "セキュリティーとプライバシー保護の観点から、暗号化をサポートしているMatrixのクライアントの使用を推奨します。", - "Sign out of %(count)s sessions": { - "other": "%(count)s件のセッションからサインアウト", - "one": "%(count)s件のセッションからサインアウト" - }, "Registration token": "登録用トークン", "Enter a registration token provided by the homeserver administrator.": "ホームサーバーの管理者から提供された登録用トークンを入力してください。", "The homeserver doesn't support signing in another device.": "ホームサーバーは他の端末でのサインインをサポートしていません。", "Scan the QR code below with your device that's signed out.": "サインアウトした端末で以下のQRコードをスキャンしてください。", "We were unable to start a chat with the other user.": "他のユーザーをチャットを開始できませんでした。", "Error starting verification": "認証を開始する際にエラーが発生しました", - "You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.": "この端末を使い、QRコードをスキャンして新しい端末でサインインできます。この端末に表示されるQRコードを、サインインしていない端末でスキャンしてください。", - "Inactive for %(inactiveAgeDays)s days or longer": "%(inactiveAgeDays)s日以上使用されていないセッション", - "Inactive": "非アクティブ", - "Not ready for secure messaging": "安全なメッセージのやりとりに非対応", - "Ready for secure messaging": "安全なメッセージのやりとりに対応", - "No verified sessions found.": "認証済のセッションはありません。", - "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "使用していない古いセッション(%(inactiveAgeDays)s日以上使用されていません)からのサインアウトを検討してください。", - "Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "あなたが参加するダイレクトメッセージとルームの他のユーザーは、あなたのセッションの一覧を閲覧できます。", - "Please be aware that session names are also visible to people you communicate with.": "セッション名は連絡先に対しても表示されます。ご注意ください。", - "This session is ready for secure messaging.": "このセッションは安全なメッセージのやりとりの準備ができています。", - "No inactive sessions found.": "使用していないセッションはありません。", - "No unverified sessions found.": "未認証のセッションはありません。", - "Decrypted source unavailable": "復号化したソースコードが利用できません", "Thread root ID: %(threadRootId)s": "スレッドのルートID:%(threadRootId)s", "Sign out of all devices": "全ての端末からサインアウト", "Confirm new password": "新しいパスワードを確認", @@ -2198,7 +2010,6 @@ "one": "現在%(count)s個のルームのメッセージを削除しています", "other": "現在%(count)s個のルームのメッセージを削除しています" }, - "Verify or sign out from this session for best security and reliability.": "セキュリティーと安定性の観点から、このセッションを認証するかサインアウトしてください。", "Review and approve the sign in": "サインインを確認して承認", "By approving access for this device, it will have full access to your account.": "この端末へのアクセスを許可すると、あなたのアカウントに完全にアクセスできるようになります。", "The other device isn't signed in.": "もう一方の端末はサインインしていません。", @@ -2220,7 +2031,6 @@ "one": "%(user)sによる%(count)s件のメッセージを削除しようとしています。これは会話に参加している全員からメッセージを永久に削除します。続行してよろしいですか?", "other": "%(user)sによる%(count)s件のメッセージを削除しようとしています。これは会話に参加している全員からメッセージを永久に削除します。続行してよろしいですか?" }, - "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "セッションの一覧から、相手はあなたとやり取りしていることを確かめることができます。なお、あなたがここに入力するセッション名は相手に対して表示されます。", "Your message wasn't sent because this homeserver has been blocked by its administrator. Please contact your service administrator to continue using the service.": "このホームサーバーが管理者によりブロックされているため、メッセージを送信できませんでした。サービスを引き続き使用するには、サービスの管理者にお問い合わせください。", "You may want to try a different search or check for typos.": "別のキーワードで検索するか、キーワードが正しいか確認してください。", "Too many attempts in a short time. Wait some time before trying again.": "再試行の数が多すぎます。少し待ってから再度試してください。", @@ -2234,7 +2044,6 @@ "Who will you chat to the most?": "誰と最もよく会話しますか?", "Share for %(duration)s": "%(duration)sの間共有", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "このユーザーのメッセージと招待を非表示にします。無視してよろしいですか?", - "Send your first message to invite to chat": "最初のメッセージを送信すると、を会話に招待", "unknown": "不明", "Red": "赤色", "Grey": "灰色", @@ -2260,7 +2069,6 @@ "Allow this widget to verify your identity": "このウィジェットに本人確認を許可", "This widget would like to:": "ウィジェットによる要求:", "To help us prevent this in future, please send us logs.": "今後これが起こらないようにするために、ログを送信してください。", - "Sliding Sync configuration": "スライド式同期の設定", "Remove search filter for %(filter)s": "%(filter)sの検索フィルターを削除", "Some results may be hidden": "いくつかの結果が表示されていない可能性があります", "The widget will verify your user ID, but won't be able to perform actions for you:": "ウィジェットはあなたのユーザーIDを認証しますが、操作を行うことはできません:", @@ -2268,14 +2076,10 @@ "In spaces %(space1Name)s and %(space2Name)s.": "スペース %(space1Name)sと%(space2Name)s内。", "Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "発生した問題を教えてください。または、問題を説明するGitHub issueを作成してください。", "You're in": "始めましょう", - "To disable you will need to log out and back in, use with caution!": "無効にするにはログアウトして、再度ログインする必要があります。注意して使用してください!", "Reset event store": "イベントストアをリセット", "You most likely do not want to reset your event index store": "必要がなければ、イベントインデックスストアをリセットするべきではありません", "Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "ルームのアップグレードは高度な操作です。バグや欠けている機能、セキュリティーの脆弱性などによってルームが不安定な場合に、アップデートを推奨します。", "Your email address does not appear to be associated with a Matrix ID on this homeserver.": "あなたのメールアドレスは、このホームサーバーのMatrix IDに関連付けられていないようです。", - "Your server lacks native support, you must specify a proxy": "あなたのサーバーはネイティブでサポートしていません。プロクシーを指定してください", - "Your server lacks native support": "あなたのサーバーはネイティブでサポートしていません", - "Your server has native support": "あなたのサーバーはネイティブでサポートしています", "Declining…": "拒否しています…", "Enable %(brand)s as an additional calling option in this room": "%(brand)sをこのルームの追加の通話手段として有効にする", "This session is backing up your keys.": "このセッションは鍵をバックアップしています。", @@ -2409,7 +2213,9 @@ "orphan_rooms": "他のルーム", "on": "オン", "off": "オフ", - "all_rooms": "全てのルーム" + "all_rooms": "全てのルーム", + "deselect_all": "全ての選択を解除", + "select_all": "全て選択" }, "action": { "continue": "続行", @@ -2578,7 +2384,15 @@ "voice_broadcast_force_small_chunks": "音声配信のチャンク長を15秒に強制", "automatic_debug_logs_key_backup": "鍵のバックアップが機能していない際に、自動的にデバッグログを送信", "automatic_debug_logs_decryption": "復号化エラーが生じた際に、自動的にデバッグログを送信", - "automatic_debug_logs": "エラーが生じた際に、自動的にデバッグログを送信" + "automatic_debug_logs": "エラーが生じた際に、自動的にデバッグログを送信", + "sliding_sync_server_support": "あなたのサーバーはネイティブでサポートしています", + "sliding_sync_server_no_support": "あなたのサーバーはネイティブでサポートしていません", + "sliding_sync_server_specify_proxy": "あなたのサーバーはネイティブでサポートしていません。プロクシーを指定してください", + "sliding_sync_configuration": "スライド式同期の設定", + "sliding_sync_disable_warning": "無効にするにはログアウトして、再度ログインする必要があります。注意して使用してください!", + "sliding_sync_proxy_url_optional_label": "プロクシーのURL(任意)", + "sliding_sync_proxy_url_label": "プロクシーのURL", + "video_rooms_beta": "ビデオ通話ルームはベータ版の機能です" }, "keyboard": { "home": "ホーム", @@ -2668,7 +2482,19 @@ "placeholder_reply_encrypted": "暗号化された返信を送る…", "placeholder_reply": "返信を送る…", "placeholder_encrypted": "暗号化されたメッセージを送信…", - "placeholder": "メッセージを送信…" + "placeholder": "メッセージを送信…", + "autocomplete": { + "command_description": "コマンド", + "command_a11y": "コマンドの自動補完", + "emoji_a11y": "絵文字の自動補完", + "@room_description": "ルーム全体に通知", + "notification_description": "ルームの通知", + "notification_a11y": "通知の自動補完", + "room_a11y": "ルームの自動補完", + "space_a11y": "スペースの自動補完", + "user_description": "ユーザー", + "user_a11y": "ユーザーの自動補完" + } }, "Bold": "太字", "Link": "リンク", @@ -2917,6 +2743,95 @@ }, "keyboard": { "title": "キーボード" + }, + "sessions": { + "rename_form_heading": "セッション名を変更", + "rename_form_caption": "セッション名は連絡先に対しても表示されます。ご注意ください。", + "rename_form_learn_more": "セッション名の変更", + "rename_form_learn_more_description_1": "あなたが参加するダイレクトメッセージとルームの他のユーザーは、あなたのセッションの一覧を閲覧できます。", + "rename_form_learn_more_description_2": "セッションの一覧から、相手はあなたとやり取りしていることを確かめることができます。なお、あなたがここに入力するセッション名は相手に対して表示されます。", + "session_id": "セッションID", + "last_activity": "直近のアクティビティー", + "url": "URL", + "os": "オペレーティングシステム", + "browser": "ブラウザー", + "ip": "IPアドレス", + "details_heading": "セッションの詳細", + "push_toggle": "このセッションのプッシュ通知を切り替える。", + "push_heading": "プッシュ通知", + "push_subheading": "このセッションでプッシュ通知を受信。", + "sign_out": "このセッションからサインアウト", + "hide_details": "詳細を非表示にする", + "show_details": "詳細を表示", + "inactive_days": "%(inactiveAgeDays)s日以上使用されていません", + "verified_sessions": "認証済のセッション", + "verified_sessions_explainer_1": "認証済のセッションは、パスフレーズの入力、または他の認証済のセッションで本人確認を行ったセッションです。", + "verified_sessions_explainer_2": "認証済のセッションには、暗号化されたメッセージを復号化する際に使用する全ての鍵が備わっています。また、他のユーザーに対しては、あなたがこのセッションを信頼していることが表示されます。", + "unverified_sessions": "未認証のセッション", + "unverified_sessions_explainer_1": "未認証のセッションは、認証情報でログインされていますが、クロス認証は行われていないセッションです。", + "unverified_sessions_explainer_2": "これらのセッションは、アカウントの不正使用を示している可能性があるため、注意して確認してください。", + "unverified_session": "未認証のセッション", + "unverified_session_explainer_1": "このセッションは暗号化をサポートしていないため、認証できません。", + "unverified_session_explainer_2": "このセッションでは、暗号化が有効になっているルームに参加することができません。", + "unverified_session_explainer_3": "セキュリティーとプライバシー保護の観点から、暗号化をサポートしているMatrixのクライアントの使用を推奨します。", + "inactive_sessions": "非アクティブなセッション", + "inactive_sessions_explainer_1": "非アクティブなセッションは、しばらく使用されていませんが、暗号鍵を受信しているセッションです。", + "inactive_sessions_explainer_2": "使用していないセッションを削除すると、セキュリティーとパフォーマンスが改善されます。また、新しいセッションが疑わしい場合に、より容易に特定できるようになります。", + "desktop_session": "デスクトップセッション", + "mobile_session": "モバイル端末セッション", + "web_session": "Webセッション", + "unknown_session": "セッションタイプ不明", + "device_verified_description_current": "現在のセッションは安全なメッセージのやりとりに対応しています。", + "device_verified_description": "このセッションは安全なメッセージのやりとりの準備ができています。", + "verified_session": "認証済のセッション", + "device_unverified_description_current": "より安全なメッセージのやりとりのために、現在のセッションを認証しましょう。", + "device_unverified_description": "セキュリティーと安定性の観点から、このセッションを認証するかサインアウトしてください。", + "verify_session": "セッションを認証", + "verified_sessions_list_description": "セキュリティーを最大限に高めるには、不明なセッションや使用していないセッションからサインアウトしてください。", + "unverified_sessions_list_description": "セッションを認証すると、より安全なメッセージのやりとりが可能になります。見覚えのない、または使用していないセッションがあれば、サインアウトしましょう。", + "inactive_sessions_list_description": "使用していない古いセッション(%(inactiveAgeDays)s日以上使用されていません)からのサインアウトを検討してください。", + "no_verified_sessions": "認証済のセッションはありません。", + "no_unverified_sessions": "未認証のセッションはありません。", + "no_inactive_sessions": "使用していないセッションはありません。", + "no_sessions": "セッションが見つかりません。", + "filter_all": "全て", + "filter_verified_description": "安全なメッセージのやりとりに対応", + "filter_unverified_description": "安全なメッセージのやりとりに非対応", + "filter_inactive": "非アクティブ", + "filter_inactive_description": "%(inactiveAgeDays)s日以上使用されていないセッション", + "filter_label": "端末を絞り込む", + "n_sessions_selected": { + "one": "%(count)s個のセッションを選択済", + "other": "%(count)s個のセッションを選択済" + }, + "sign_in_with_qr": "QRコードでサインイン", + "sign_in_with_qr_description": "この端末を使い、QRコードをスキャンして新しい端末でサインインできます。この端末に表示されるQRコードを、サインインしていない端末でスキャンしてください。", + "sign_in_with_qr_button": "QRコードを表示", + "sign_out_n_sessions": { + "other": "%(count)s件のセッションからサインアウト", + "one": "%(count)s件のセッションからサインアウト" + }, + "other_sessions_heading": "その他のセッション", + "sign_out_all_other_sessions": "他のすべてのセッションからサインアウト(%(otherSessionsCount)s)", + "current_session": "現在のセッション", + "confirm_sign_out_sso": { + "one": "シングルサインオンを使用して本人確認を行い、端末からのログアウトを承認してください。", + "other": "シングルサインオンを使用して本人確認を行い、端末からのログアウトを承認してください。" + }, + "confirm_sign_out": { + "other": "端末からのサインアウトを承認", + "one": "端末からのサインアウトを承認" + }, + "confirm_sign_out_body": { + "one": "下のボタンをクリックして、端末からのログアウトを承認してください。", + "other": "下のボタンをクリックして、端末からのログアウトを承認してください。" + }, + "confirm_sign_out_continue": { + "one": "端末からサインアウト", + "other": "端末からサインアウト" + }, + "security_recommendations": "セキュリティーに関する勧告", + "security_recommendations_description": "以下の勧告に従い、アカウントのセキュリティーを改善しましょう。" } }, "devtools": { @@ -3004,7 +2919,9 @@ "show_hidden_events": "タイムラインで非表示のイベントを表示", "low_bandwidth_mode_description": "対応するホームサーバーが必要。", "low_bandwidth_mode": "低速モード", - "developer_mode": "開発者モード" + "developer_mode": "開発者モード", + "view_source_decrypted_event_source": "復号化したイベントのソースコード", + "view_source_decrypted_event_source_unavailable": "復号化したソースコードが利用できません" }, "export_chat": { "html": "HTML", @@ -3384,7 +3301,9 @@ "io.element.voice_broadcast_info": { "you": "音声配信を終了しました", "user": "%(senderName)sが音声配信を終了しました" - } + }, + "creation_summary_dm": "%(creator)sがこのダイレクトメッセージを作成しました。", + "creation_summary_room": "%(creator)sがルームを作成し設定しました。" }, "slash_command": { "spoiler": "選択したメッセージをネタバレとして送信", @@ -3570,13 +3489,52 @@ "kick": "ユーザーの追放", "ban": "ユーザーのブロック", "redact": "他の人から送信されたメッセージの削除", - "notifications.room": "全員に通知" + "notifications.room": "全員に通知", + "no_privileged_users": "このルームには特定の権限を持つユーザーはいません", + "privileged_users_section": "特権ユーザー", + "muted_users_section": "ミュートされたユーザー", + "banned_users_section": "ブロックされたユーザー", + "send_event_type": "%(eventType)sイベントの送信", + "title": "役割と権限", + "permissions_section": "権限", + "permissions_section_description_space": "スペースに関する変更を行うために必要な役割を選択", + "permissions_section_description_room": "ルームに関する変更を行うために必要な役割を選択" }, "security": { "strict_encryption": "このセッションでは、このルームの未認証のセッションに対して暗号化されたメッセージを送信しない", "join_rule_invite": "非公開(招待者のみ参加可能)", "join_rule_invite_description": "招待された人のみ参加できます。", - "join_rule_public_description": "誰でも検索し、参加できます。" + "join_rule_public_description": "誰でも検索し、参加できます。", + "enable_encryption_public_room_confirm_title": "公開ルームに暗号化を追加してよろしいですか?", + "enable_encryption_public_room_confirm_description_1": "公開ルームを暗号化することは推奨されません。公開ルームは誰でも検索、参加でき、メッセージを読むことができます。暗号化の利益を得ることはできず、後で暗号化を無効にすることもできません。また、公開ルームでメッセージを暗号化すると、メッセージの送受信が遅くなります。", + "enable_encryption_public_room_confirm_description_2": "これらの問題を避けるには、予定している会話用に暗号化されたルームを新しく作成してください。", + "enable_encryption_confirm_title": "暗号化を有効にしますか?", + "enable_encryption_confirm_description": "一度有効にしたルームの暗号化は無効にすることはできません。暗号化されたルームで送信されたメッセージは、サーバーからは閲覧できず、そのルームのメンバーだけが閲覧できます。暗号化を有効にすると、多くのボットやブリッジが正常に動作しなくなる可能性があります。暗号化についての詳細はこちらをご覧ください。", + "public_without_alias_warning": "このルームにリンクするにはアドレスを追加してください。", + "join_rule_description": "%(roomName)sに参加できる人を設定してください。", + "encrypted_room_public_confirm_title": "この暗号化されたルームを公開してよろしいですか?", + "encrypted_room_public_confirm_description_1": "暗号化されたルームを公開することは推奨されません。ルームを公開すると、誰でもルームを検索、参加して、メッセージを読むことができるため、暗号化の利益を得ることができません。また、公開ルームでメッセージを暗号化すると、メッセージの送受信が遅くなります。", + "encrypted_room_public_confirm_description_2": "これらの問題を避けるには、予定している会話用に公開ルームを新しく作成してください。", + "history_visibility": {}, + "history_visibility_warning": "履歴の閲覧権限に関する変更は、今後、このルームで表示されるメッセージにのみ適用されます。既存の履歴の見え方には影響しません。", + "history_visibility_legend": "履歴の閲覧権限", + "guest_access_warning": "サポートしているクライアントから、登録済のアカウントを使用せずルームに参加できるようになります。", + "title": "セキュリティーとプライバシー", + "encryption_permanent": "いったん有効にすると、暗号化を無効にすることはできません。", + "history_visibility_shared": "メンバーのみ(この設定を選択した時点から)", + "history_visibility_invited": "メンバーのみ(招待を送った時点から)", + "history_visibility_joined": "メンバーのみ(参加した時点から)", + "history_visibility_world_readable": "誰でも" + }, + "general": { + "publish_toggle": "%(domain)sのルームディレクトリーにこのルームを公開しますか?", + "user_url_previews_default_on": "URLプレビューが既定で有効です。", + "user_url_previews_default_off": "URLプレビューが既定で無効です。", + "default_url_previews_on": "このルームの参加者には、既定でURLプレビューが有効です。", + "default_url_previews_off": "このルームの参加者には、既定でURLプレビューが無効です。", + "url_preview_encryption_warning": "このルームを含めて、暗号化されたルームでは、あなたのホームサーバー(これがプレビューを作成します)によるリンクの情報の収集を防ぐため、URLプレビューは既定で無効になっています。", + "url_preview_explainer": "メッセージにURLが含まれる場合、タイトル、説明、ウェブサイトの画像などがURLプレビューとして表示されます。", + "url_previews_section": "URLプレビュー" } }, "encryption": { @@ -3698,7 +3656,15 @@ "server_picker_explainer": "好みのホームサーバーがあるか、自分でホームサーバーを運営している場合は、そちらをお使いください。", "server_picker_learn_more": "ホームサーバーについて(英語)", "incorrect_credentials": "ユーザー名とパスワードの一方あるいは両方が正しくありません。", - "account_deactivated": "このアカウントは無効化されています。" + "account_deactivated": "このアカウントは無効化されています。", + "registration_username_validation": "小文字、数字、ダッシュ、アンダースコアのみを使ってください", + "registration_username_unable_check": "そのユーザー名が既に取得されているか確認できません。後でもう一度やり直してください。", + "registration_username_in_use": "そのユーザー名は既に使用されています。別のユーザー名を試すか、あなたのユーザー名なら、以下でサインインしてください。", + "phone_label": "電話", + "phone_optional_label": "電話番号(任意)", + "email_help_text": "アカウント復旧用のメールアドレスを追加。", + "email_phone_discovery_text": "後ほど、このメールアドレスまたは電話番号で連絡先に見つけてもらうことができるようになります。", + "email_discovery_text": "後ほど、このメールアドレスで連絡先に見つけてもらうことができるようになります。" }, "room_list": { "sort_unread_first": "未読メッセージのあるルームを最初に表示", @@ -3904,7 +3870,21 @@ "light_high_contrast": "ライト(高コントラスト)" }, "space": { - "landing_welcome": "にようこそ" + "landing_welcome": "にようこそ", + "suggested_tooltip": "このルームは、参加を推奨するルームとしておすすめされています", + "suggested": "おすすめ", + "select_room_below": "以下からルームを選択してください", + "unmark_suggested": "おすすめから除外", + "mark_suggested": "おすすめに追加", + "failed_remove_rooms": "いくつかのルームの削除に失敗しました。後でもう一度やり直してください", + "failed_load_rooms": "ルームの一覧を読み込むのに失敗しました。", + "incompatible_server_hierarchy": "あなたのサーバーはスペースの階層表示をサポートしていません。", + "context_menu": { + "devtools_open_timeline": "ルームのタイムラインを表示(開発者ツール)", + "home": "スペースのホーム", + "explore": "ルームを探す", + "manage_and_explore": "ルームの管理および探索" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "このホームサーバーは地図を表示するように設定されていません。", @@ -3960,5 +3940,51 @@ "setup_rooms_description": "ルームは後からも追加できます。", "setup_rooms_private_heading": "あなたのチームはどのようなプロジェクトに取り組みますか?", "setup_rooms_private_description": "それぞれのプロジェクトにルームを作りましょう。" + }, + "user_menu": { + "switch_theme_light": "ライトテーマに切り替える", + "switch_theme_dark": "ダークテーマに切り替える" + }, + "notif_panel": { + "empty_heading": "未読はありません", + "empty_description": "未読の通知はありません。" + }, + "console_scam_warning": "ここでコピーペーストを行うように伝えられた場合は、あなたが詐欺の対象となっている可能性が非常に高いです!", + "console_dev_note": "もし開発者の方であれば、Elementはオープンソースですので、ぜひ私たちのGitHub(https://github.com/vector-im/element-web/)をご覧いただき、開発にご参加ください!", + "room": { + "drop_file_prompt": "アップロードするファイルをここにドロップしてください", + "intro": { + "send_message_start_dm": "最初のメッセージを送信すると、を会話に招待", + "start_of_dm_history": "ここがあなたとのダイレクトメッセージの履歴の先頭です。", + "dm_caption": "あなたか相手が誰かを招待しない限りは、この会話に参加しているのはあなたたちだけです。", + "topic_edit": "トピック:%(topic)s(編集)", + "topic": "トピック:%(topic)s ", + "no_topic": "トピックを追加すると、このルームの目的が分かりやすくなります。", + "you_created": "このルームを作成しました。", + "user_created": "%(displayName)sがこのルームを作成しました。", + "room_invite": "このルームにのみ招待", + "no_avatar_label": "写真を追加して、あなたのルームを目立たせましょう。", + "start_of_room": "ここがの先頭です。", + "private_unencrypted_warning": "通常、ダイレクトメッセージは暗号化されていますが、このルームは暗号化されていません。一般にこれは、非サポートの端末が使用されているか、電子メールなどによる招待が行われたことが理由です。", + "enable_encryption_prompt": "暗号化を設定から有効にする。", + "unencrypted_warning": "エンドツーエンド暗号化が有効になっていません" + } + }, + "file_panel": { + "guest_note": "この機能を使用するには登録する必要があります", + "peek_note": "ルームのファイルを表示するには、ルームに参加する必要があります", + "empty_heading": "このルームにファイルはありません", + "empty_description": "チャットで添付するか、ルームにドラッグ&ドロップすると、ファイルを追加できます。" + }, + "terms": { + "integration_manager": "ボット、ブリッジ、ウィジェット、ステッカーパックを使用", + "tos": "利用規約", + "intro": "続行するには、このサービスの利用規約に同意する必要があります。", + "column_service": "サービス", + "column_summary": "概要", + "column_document": "ドキュメント" + }, + "space_settings": { + "title": "設定 - %(spaceName)s" } } diff --git a/src/i18n/strings/jbo.json b/src/i18n/strings/jbo.json index 5c8866d464..da07fe8be0 100644 --- a/src/i18n/strings/jbo.json +++ b/src/i18n/strings/jbo.json @@ -151,10 +151,7 @@ "Yesterday": "prulamdei", "Cancel search": "nu co'u sisku", "Search failed": ".i da nabmi lo nu sisku", - "Switch to light mode": "nu le jvinu cu binxo le ka carmi", - "Switch to dark mode": "nu le jvinu cu binxo le ka manku", "Switch theme": "nu basti fi le ka jvinu", - "Users": "pilno", "That matches!": ".i du", "Success!": ".i snada", "Verify your other session using one of the options below.": ".i ko cuxna da le di'e cei'i le ka tadji lo nu do co'a lacri", @@ -442,7 +439,10 @@ "placeholder_reply_encrypted": "nu pa mifra be pa jai te spuda cu zilbe'i", "placeholder_reply": "nu pa jai te spuda cu zilbe'i", "placeholder_encrypted": "nu pa mifra be pa notci cu zilbe'i", - "placeholder": "nu pa notci cu zilbe'i" + "placeholder": "nu pa notci cu zilbe'i", + "autocomplete": { + "user_description": "pilno" + } }, "room_settings": { "permissions": { @@ -488,9 +488,19 @@ "auth": { "sync_footer_subtitle": ".i gi na ja do pagbu so'i se zilbe'i gi la'a ze'u gunka", "incorrect_password": ".i le lerpoijaspu na drani", - "register_action": "nu pa re'u co'a jaspu" + "register_action": "nu pa re'u co'a jaspu", + "phone_label": "fonxa" }, "update": { "release_notes_toast_title": "notci le du'u cnino" + }, + "user_menu": { + "switch_theme_light": "nu le jvinu cu binxo le ka carmi", + "switch_theme_dark": "nu le jvinu cu binxo le ka manku" + }, + "space": { + "context_menu": { + "explore": "nu facki le du'u ve zilbe'i" + } } } diff --git a/src/i18n/strings/ka.json b/src/i18n/strings/ka.json index 3cd2aabcf1..e32b1f60ff 100644 --- a/src/i18n/strings/ka.json +++ b/src/i18n/strings/ka.json @@ -64,5 +64,10 @@ }, "keyboard": { "dismiss_read_marker_and_jump_bottom": "გააუქმეთ წაკითხული მარკერი და გადადით ქვემოთ" + }, + "space": { + "context_menu": { + "explore": "ოთახების დათავლიერება" + } } } diff --git a/src/i18n/strings/kab.json b/src/i18n/strings/kab.json index 5a0ba018d9..70fd7da9f0 100644 --- a/src/i18n/strings/kab.json +++ b/src/i18n/strings/kab.json @@ -60,8 +60,6 @@ "None": "Ula yiwen", "Sounds": "Imesla", "Browse": "Inig", - "Permissions": "Tisirag", - "Anyone": "Yal yiwen", "Encryption": "Awgelhen", "Verification code": "Tangalt n usenqed", "Email Address": "Tansa n yimayl", @@ -92,10 +90,6 @@ "Send": "Azen", "Session name": "Isem n tɣimit", "Email address": "Tansa n yimayl", - "Terms of Service": "Tiwtilin n useqdec", - "Service": "Ameẓlu", - "Summary": "Agzul", - "Document": "Isemli", "Upload files": "Sali-d ifuyla", "Source URL": "URL aɣbalu", "Home": "Agejdan", @@ -107,8 +101,6 @@ "Unknown error": "Tuccḍa tarussint", "Your password has been reset.": "Awal uffir-inek/inem yettuwennez.", "Create account": "Rnu amiḍan", - "Commands": "Tiludna", - "Users": "Iseqdacen", "Success!": "Tammug akken iwata!", "This email address is already in use": "Tansa-agi n yimayl tettuseqdac yakan", "This phone number is already in use": "Uṭṭun-agi n tilifun yettuseqddac yakan", @@ -175,7 +167,6 @@ "Restricted": "Yesεa tilas", "Set up": "Sbadu", "Pencil": "Akeryun", - "Verify session": "Asenqed n tɣimit", "Message edits": "Tiẓrigin n yizen", "Security Key": "Tasarut n tɣellist", "New Recovery Method": "Tarrayt tamaynut n ujebber", @@ -212,13 +203,7 @@ "Other users can invite you to rooms using your contact details": "Iseqdacen wiyaḍ zemren ad ak·akem-snubegten ɣer texxamin s useqdec n tlqayt n unermas", "Enter phone number (required on this homeserver)": "Sekcem uṭṭun n tiliɣri (yettusra deg uqeddac-a agejdan)", "Enter username": "Sekcem isem n useqdac", - "Phone (optional)": "Tiliɣri (d afrayan)", "Clear personal data": "Sfeḍ isefka udmawanen", - "Notify the whole room": "Selɣu akk taxxamt", - "Room Notification": "Ilɣa n texxamt", - "Notification Autocomplete": "Asmad awurman n yilɣa", - "Room Autocomplete": "Asmad awurman n texxamt", - "User Autocomplete": "Asmad awurman n useqdac", "Passphrases must match": "Tifyar tuffirin ilaq ad mṣadant", "Passphrase must not be empty": "Tafyirt tuffirt ur ilaq ara ad ilint d tilmawin", "Export room keys": "Sifeḍ tisura n texxamt", @@ -322,10 +307,6 @@ "Notification sound": "Imesli i yilɣa", "Failed to unban": "Sefsex aḍraq yugi ad yeddu", "Banned by %(displayName)s": "Yettwagi sɣur %(displayName)s", - "Privileged Users": "Iseqdacen i yettwafernen", - "Muted Users": "Iseqdacen i isusmen", - "Banned users": "Iseqdacen i yettwagin", - "Enable encryption?": "Rmed awgelhen?", "Remove %(email)s?": "Kkes %(email)s?", "Unable to add email address": "D awezɣi ad ternuḍ tansa n yimayl", "Remove %(phone)s?": "Kkes %(phone)s?", @@ -466,14 +447,10 @@ "Failed to reject invitation": "Tigtin n tinnubga ur yeddi ara", "Signed Out": "Yeffeɣ seg tuqqna", "Failed to reject invite": "Tigtin n tinnubga ur yeddi ara", - "Switch to light mode": "Uɣal ɣer uskar aceɛlal", - "Switch to dark mode": "Uɣal ɣer uskar aberkan", "Switch theme": "Abeddel n usentel", "All settings": "Akk iɣewwaren", "A new password must be entered.": "Awal uffir amaynut ilaq ad yettusekcem.", "General failure": "Tuccḍa tamatut", - "Command Autocomplete": "Asmad awurman n tiludna", - "Emoji Autocomplete": "Asmad awurman n yimujit", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Seqdec aqeddac n timagit i uncad s yimayl. Sit, tkemmleḍ aseqdec n uqeddac n timagit amezwer (%(defaultIdentityServerName)s) neɣ sefrek deg yiɣewwaren.", "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "ƔUR-K·M: tASARUT N USENQED UR TEDDI ARA! Tasarut n uzmul n %(userId)s akked tɣimit %(deviceId)s d \"%(fprint)s\" ur imṣada ara d tsarut i d-yettunefken \"%(fingerprint)s\". Ayagi yezmer ad d-yini tiywalin-ik·im ttusweḥlent!", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Tasarut n uzmul i d-tefkiḍ temṣada d tsarut n uzmul i d-tremseḍ seg tɣimit %(userId)s's %(deviceId)s. Tiɣimit tettucreḍ tettwasenqed.", @@ -641,7 +618,6 @@ "Bulk options": "Tixtiṛiyin s ubleɣ", "Accept all %(invitedRooms)s invites": "Qbel akk tinubgiwin %(invitedRooms)s", "Reject all %(invitedRooms)s invites": "Agi akk tinubgiwin %(invitedRooms)s", - "Security & Privacy": "Taɣellist & tbaḍnit", "No media permissions": "Ulac tisirag n umidyat", "Missing media permissions, click the button below to request.": "Ulac tisirag n umidyat, sit ɣef tqeffalt ddaw i usentem.", "Request media permissions": "Suter tisirag n umidyat", @@ -654,19 +630,11 @@ "This room is bridging messages to the following platforms. Learn more.": "Taxxamt-a tettcuddu iznan ɣer tɣerɣar i d-iteddun. Issin ugar.", "Bridges": "Tileggiyin", "Room Addresses": "Tansiwin n texxamt", - "URL Previews": "Tiskanin n URL", "Uploaded sound": "Ameslaw i d-yulin", "Set a new custom sound": "Sbadu ameslaw udmawan amaynut", "Unban": "Asefsex n tigtin", "Error changing power level requirement": "Tuccḍa deg usnifel n tuttra n uswir afellay", "Error changing power level": "Tuccḍa deg usnifel n uswir afellay", - "Send %(eventType)s events": "Azen tidyanin n %(eventType)s", - "Roles & Permissions": "Timlellay & Tisirag", - "To link to this room, please add an address.": "I ucuddu ɣer texxamt-a, ttxil-k·m rnu tansa.", - "Members only (since the point in time of selecting this option)": "Iɛeggalen kan (segmi yebda ufran n textiṛit-a)", - "Members only (since they were invited)": "Iɛeggalen kan (segmi ara d-ttwanecden)", - "Members only (since they joined)": "Iɛeggalen kan (segmi ara d-ttwarnun)", - "Who can read history?": "Anwa i izemren ad d-iɣer amazray?", "Unable to revoke sharing for email address": "Asefsex n beṭṭu n tansa n yimayl ur yeddi ara", "Unable to share email address": "Beṭṭu n tansa n yimayl ur yeddi ara", "Your email address hasn't been verified yet": "Tansa n yimayl-ik·im ur tettwasenqed ara akka ar tura", @@ -681,7 +649,6 @@ "Invalid Email Address": "Tansa n yimayl d tarameɣtut", "This doesn't appear to be a valid email address": "Tagi ur tettban ara d tansa n yimayl tameɣtut", "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Izen n uḍris yettwazen ɣer +%(msisdn)s. Ttxil-k·m sekcem tangalt n usenqed yellan deg-s.", - "Drop file here to upload": "Eǧǧ afaylu dagi i usali", "This user has not verified all of their sessions.": "Aseqdac-a ur issenqed ara akk tiɣimiyin-ines.", "You have not verified this user.": "Ur tesneqdeḍ aea aseqdac-a.", "You have verified this user. This user has verified all of their sessions.": "Tesneqdeḍ aseqdac-a. Aseqdac-a issenqed akk tiɣimiyin-ines.", @@ -747,7 +714,6 @@ "Are you sure you want to leave the room '%(roomName)s'?": "S tidet tebɣiḍ ad teǧǧeḍ taxxamt '%(roomName)s'?", "For security, this session has been signed out. Please sign in again.": "Ɣef ssebba n tɣellist, taxxamt-a ad temdel. Ttxil-k·m ɛreḍ tikkelt-nniḍen.", "Old cryptography data detected": "Ala isefka iweglehnen i d-iteffɣen", - "%(creator)s created and configured the room.": "%(creator)s yerna-d taxxamt syen yeswel taxxamt.", "You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Tzemreḍ ad tjerrdeḍ, maca kra n tmahilin ur ttilint ara almi yuɣal-d uqeddac n tmagit. Ma mazal tettwaliḍ alɣu-a, senqed tawila-inek•inem neɣ nermes anedbal n uqeddac.", "You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Tzemreḍ ad talseḍ awennez i wawal-ik•im uffir, maca kra n tmahilin ur ttilint ara almi yuɣal-d uqeddac n tmagit. Ma mazal tettwaliḍ alɣu-a, senqed tawila-inek•inem neɣ nermes anedbal n uqeddac.", "You can log in, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Tzemreḍ ad teqqneḍ, maca kra n tmahilin ur ttilint ara almi yuɣal-d uqeddac n tmagit. Ma mazal tettwaliḍ alɣu-a senqed tawila-inek•inem neɣ nermes anedbal n uqeddac.", @@ -794,8 +760,6 @@ "Please review and accept all of the homeserver's policies": "Ttxil-k·m senqed syen qbel tisertiyin akk n uqeddac agejdan", "Please review and accept the policies of this homeserver:": "Ttxil-k·m senqed syen qbel tisertiyin n uqeddac-a agejdan:", "Token incorrect": "Ajuṭu d arameɣtu", - "You must register to use this functionality": "Ilaq-ak·am ad teskelseḍ i wakken ad tesxedmeḍ tamahilt-a", - "No files visible in this room": "Ulac ifuyla i d-ibanen deg texxamt-a", "Upload avatar": "Sali-d avaṭar", "Failed to forget room %(errCode)s": "Tatut n texxamt %(errCode)s ur teddi ara", "Search failed": "Ur iddi ara unadi", @@ -863,9 +827,6 @@ "Unable to find a supported verification method.": "D awezɣi ad d-naf tarrayt n usenqed yettusefraken.", "You may need to manually permit %(brand)s to access your microphone/webcam": "Ilaq-ak·am ahat ad tesirgeḍ s ufus %(brand)s i unekcum ɣer usawaḍ/webcam", "This room is not accessible by remote Matrix servers": "Anekcum er texxamt-a ulamek s yiqeddacen n Matrix inmeggagen", - "No users have specific privileges in this room": "Ulac aqeddac yesan taseglut tuzzigtt deg texxamt-a", - "Select the roles required to change various parts of the room": "Fren timlilin yettusran i usnifel n yiḥricen yemgaraden n texxamt", - "Once enabled, encryption cannot be disabled.": "Akken ara yettwarmad, awgelhen ur yettizmir ara ad yens.", "Click the link in the email you received to verify and then click continue again.": "Sit ɣef useɣwen yella deg yimayl i teṭṭfeḍ i usenqed syen sit tikkelt tayeḍ ad tkemmleḍ.", "Discovery options will appear once you have added an email above.": "Tixtiṛiyin n usnirem ad d-banent akken ara ternuḍ imayl s ufella.", "Discovery options will appear once you have added a phone number above.": "Tixtiṛiyin n usnirem ad d-banent akken ara ternuḍ uṭṭun n tilifun s ufella.", @@ -874,8 +835,6 @@ "Error updating main address": "Tuccḍa deg usali n tensa tagejdant", "You don't have permission to delete the address.": "Ur tesɛiḍ ara tisirag i wakken ad tekkseḍ tansa.", "This room has no local addresses": "Taxxamt-a ur tesɛi ara tansiwin tidiganin", - "Use bots, bridges, widgets and sticker packs": "Seqdec abuten, tileggiyin, iwiǧiten d tɣawsiwin n umyintaḍ", - "To continue you need to accept the terms of this service.": "I wakken ad tkemmleḍ tesriḍ ad tqebleḍ tiwtilin n umeẓlu-a.", "This file is too large to upload. The file size limit is %(limit)s but this file is %(sizeOfThisFile)s.": "Afaylu-a ɣezzif aṭas i wakken ad d-yali. Talast n teɣzi n ufaylu d %(limit)s maca afaylu-a d %(sizeOfThisFile)s.", "These files are too large to upload. The file size limit is %(limit)s.": "Ifuyla-a ɣezzifit aṭas i wakken ad d-alin. Talast n teɣzi n ufaylu d %(limit)s.", "Some files are too large to be uploaded. The file size limit is %(limit)s.": "Kra n yifuyla ɣezzifit aṭas i wakken ad d-alin. Talast n teɣzi n ufaylu d %(limit)s.", @@ -890,7 +849,6 @@ "Warning: you should only set up key backup from a trusted computer.": "Ɣur-k·m: ilaq ad tesbaduḍ aḥraz n tsarut seg uselkim kan iɣef tettekleḍ.", "A text message has been sent to %(msisdn)s": "Izen aḍris yettwazen ɣer %(msisdn)s", "Please enter the code it contains:": "Ttxil-k·m sekcem tangalt yellan deg-s:", - "Use lowercase letters, numbers, dashes and underscores only": "Seqdec kan isekkilen imeẓẓyanen, izwilen, ijerriden d yidurren kan", "Join millions for free on the largest public server": "Rnu ɣer yimelyan n yimdanen baṭel ɣef uqeddac azayez ameqqran akk", "Connectivity to the server has been lost.": "Tṛuḥ tuqqna ɣer uqeddac.", "Sent messages will be stored until your connection has returned.": "Iznan yettwaznen ad ttwakelsen alamma tuɣal-d tuqqna.", @@ -916,8 +874,6 @@ "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Tiririt n yimdanen deg rrif yettwaxdam deg tebdarin n uzgal ideg llan ilugan ɣef yimdanen ara yettwazeglen. Amulteɣ ɣer tebdart n uzgal anamek-is iseqdacen/iqeddacen yettusweḥlen s tebdart-a ad akȧm-ttwaffren.", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Tella-d tuccḍa mi ara nettbeddil isutar n tezmert n uswis n texxamt. Ḍmen tesɛiḍ tisirag i iwulmen syen ɛreḍ tikkelt-nniḍen.", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Tella-d tuccḍa mi ara nettbeddil tazmert n uswir n useqdac. Senqed ma tesɛiḍ tisirag i iwulmen syen ales tikkelt-nniḍen.", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Akken ara tremdeḍ awgelhen i texxamt ur yettizmir ara ad yekkes. Iznan n texxamt tawgelhant ur tent-yettwali ara uqeddac, ala wid yettekkan deg texxamt. Armad n uwgelhen ur yettaǧǧa ara kra n yiṛubuten d kra n tleggiyin ad ddun akken iwata. Issin ugar ɣef uwgelhen.", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Isnifal n unekcum ɣer umazray ad ddun deg yiznan i d-iteddun deg texxamt-a. Timeẓriwt n umazray yellan ur yettbeddil ara.", "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Nuzen-ak·am-n imayl i wakken ad tesneqdeḍ tansa-inek·inem. Ttxil-k·m ḍfer iwellihen yellan deg-s syen sit ɣef tqeffalt ddaw.", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Aleqqem n texxamt-a ad tsens tummant tamirant n texxamt yerna ad ternu taxxamt yettuleqqmen s yisem-nni kan.", "You don't currently have any stickerpacks enabled": "Ulac ɣer-k·m akka tura ikemmusen n yimyintaḍ yettwaremden", @@ -929,13 +885,6 @@ "No other published addresses yet, add one below": "Ulac tansiwin i d-yeffɣen akka tura, rnu yiwet ddaw", "New published address (e.g. #alias:server)": "Tansa tamynut i d-yettusuffɣen (am. #alias:server)", "Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "Sbadu tansiwin i texxamt-a i wakken iseqdacen ad ttafen s uqeddac-ik·im agejdan (%(localDomain)s)", - "Publish this room to the public in %(domain)s's room directory?": "Suffeɣ-d taxxamt-a deg ukaram azayez n texxamt n %(domain)s?", - "You have enabled URL previews by default.": "tremdeḍ tiskanin n URL s wudem amezwer.", - "You have disabled URL previews by default.": "tsenseḍ tiskanin n URL s wudem amezwer.", - "URL previews are enabled by default for participants in this room.": "Tiskanin n URL ttwaremdent s wudem amezwer i yimttekkiyen n texxamt-a.", - "URL previews are disabled by default for participants in this room.": "Tiskanin n URL ttwasensnt s wudem amezwer i yimttekkiyen n texxamt-a.", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Deg texxamin yettwawgelhen, am texxamt-a, tiskanin n URL ttwasensnt s wudem amezwer i wakken ad neḍmen belli aqeddac agejdan (anida tiskanin ttwasirwent) ur yettizmir ara ad yelqeḍ talɣut ɣef yiseɣwan i d-ibanen deg texxamt-a.", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Ma yili yiwet iger-d aseɣwen deg yizen-ines, taskant n URL tezmer ad tettwaskan i wakken ad d-imudd ugar n talɣut ɣef useɣwen-a am uzwel, aglam d tugna n usmel.", "Waiting for %(displayName)s to accept…": "Aṛaǧu n %(displayName)s i uqbal…", "Messages in this room are end-to-end encrypted.": "Iznan deg texxamt-a ttwawgelhen seg yixef ɣer yixef.", "Your messages are secured and only you and the recipient have the unique keys to unlock them.": "Iznan-inek·inem d iɣelsanen, ala kečč d uɣerwaḍ i yesɛan tisura tasufin i wakken ad asen-kksen awgelhen.", @@ -953,7 +902,6 @@ "Show advanced": "Sken talqayt", "Incompatible Database": "Taffa n yisefka ur temada ara", "Recently Direct Messaged": "Izen usrid n melmi kan", - "You must join the room to see its files": "Ilaq-ak·am ad ternuḍ ɣer texxamt i wakken ad twaliḍ ifuyla", "Set up Secure Backup": "Sebadu aḥraz aɣelsan", "If you did this accidentally, you can setup Secure Messages on this session which will re-encrypt this session's message history with a new recovery method.": "Ma yella tgiḍ aya war ma tebniḍ, tzemreḍ ad tsewleḍ iznan uffiren deg tɣimit-a ayen ara yalsen awgelhen n umazray n yiznan n texxamt-a s tarrayt n tririt tamaynut.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Ur tettizmireḍ ara ad tesfesxeḍ asnifel-a acku tettṣubbuḍ deg usellun-unek·inem, ma yella d kečč·kemm i d aseqdac aneglam n texxamt-a, d awezɣi ad d-terreḍ ula d yiwet n tseglut.", @@ -980,7 +928,6 @@ "If they don't match, the security of your communication may be compromised.": "Ma yella ur mṣadan ara, taɣellist n teywalt-ik·im tezmer ad tettwaker.", "Your homeserver doesn't seem to support this feature.": "Aqeddac-ik·im agejdan ur yettban ara yessefrak tamahilt-a.", "Create a new room with the same name, description and avatar": "Rnu taxxamt tamaynut s yisem-nni, aglam-nni d uvaṭar-nni", - "Attach files from chat or just drag and drop them anywhere in a room.": "Seddu ifuyla seg udiwenni neɣ ger-iten, tserseḍ-ten deg kra n wadeg deg texxamt.", "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Akala-a ad ak·am-imudd tisirag ad d-tsifḍeḍ tisura i d-tremseḍ deg texxamin yettwawgelhen i ufaylu adigan. Syen tzemreḍ ad tketreḍ afaylu deg umsaɣ-nniḍen n Matrix ɣer sdat, ihi amsaɣ-a mazal-it yezmer ad yekkes awgelhen i yiznan-a.", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Akala-a ad ak·am-yefk tizirag ad tketreḍ tisura tiwgelhanin i d-tsifḍeḍ uqbel seg umsaɣ-nniḍen n Matrix. Syen ad tizmireḍ ad tekkseḍ awgelhen i yal izen iwumi yezmer umsaɣ-nniḍen ad as-t-yekkes.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Afaylu n usifeḍ ad yettummesten s tefyirt tuffirt. Ilaq ad teskecmeḍ tafyirt tuffirt da, i wakken ad tekkseḍ awgelhen i ufaylu.", @@ -1518,7 +1465,18 @@ "placeholder_reply_encrypted": "Azen tiririt yettuwgelhen…", "placeholder_reply": "Azen tiririt…", "placeholder_encrypted": "Azen izen yettuwgelhen…", - "placeholder": "Azen izen…" + "placeholder": "Azen izen…", + "autocomplete": { + "command_description": "Tiludna", + "command_a11y": "Asmad awurman n tiludna", + "emoji_a11y": "Asmad awurman n yimujit", + "@room_description": "Selɣu akk taxxamt", + "notification_description": "Ilɣa n texxamt", + "notification_a11y": "Asmad awurman n yilɣa", + "room_a11y": "Asmad awurman n texxamt", + "user_description": "Iseqdacen", + "user_a11y": "Asmad awurman n useqdac" + } }, "Bold": "Azuran", "Code": "Tangalt", @@ -1643,6 +1601,10 @@ "rm_lifetime": "Ɣer tanzagt n tudert n tecreḍt (ms)", "rm_lifetime_offscreen": "Ɣer tanzagt n tudert n tecreḍt beṛṛa n ugdil (ms)", "always_show_menu_bar": "Afeggag n wumuɣ n usfaylu eǧǧ-it yettban" + }, + "sessions": { + "session_id": "Asulay n tqimit", + "verify_session": "Asenqed n tɣimit" } }, "devtools": { @@ -1875,7 +1837,8 @@ "lightbox_title": "%(senderDisplayName)s ibeddel avaṭar i %(roomName)s", "removed": "%(senderDisplayName)s yekkes avaṭar n texxamt.", "changed_img": "%(senderDisplayName)s ibeddel avaṭar n texxamt i " - } + }, + "creation_summary_room": "%(creator)s yerna-d taxxamt syen yeswel taxxamt." }, "slash_command": { "shrug": "Yerna ¯\\_(ツ)_/¯ ɣer yizen n uḍris arewway", @@ -1996,10 +1959,40 @@ "state_default": "Snifel iɣewwaren", "ban": "Agi yiseqdacen", "redact": "Kkes iznan i uznen wiyaḍ", - "notifications.room": "Selɣu yal yiwen" + "notifications.room": "Selɣu yal yiwen", + "no_privileged_users": "Ulac aqeddac yesan taseglut tuzzigtt deg texxamt-a", + "privileged_users_section": "Iseqdacen i yettwafernen", + "muted_users_section": "Iseqdacen i isusmen", + "banned_users_section": "Iseqdacen i yettwagin", + "send_event_type": "Azen tidyanin n %(eventType)s", + "title": "Timlellay & Tisirag", + "permissions_section": "Tisirag", + "permissions_section_description_room": "Fren timlilin yettusran i usnifel n yiḥricen yemgaraden n texxamt" }, "security": { - "strict_encryption": "Ur ttazen ara akk iznan yettwawgelhen ɣer tɣimiyin ur nettusenqad ara seg tɣimit-a" + "strict_encryption": "Ur ttazen ara akk iznan yettwawgelhen ɣer tɣimiyin ur nettusenqad ara seg tɣimit-a", + "enable_encryption_confirm_title": "Rmed awgelhen?", + "enable_encryption_confirm_description": "Akken ara tremdeḍ awgelhen i texxamt ur yettizmir ara ad yekkes. Iznan n texxamt tawgelhant ur tent-yettwali ara uqeddac, ala wid yettekkan deg texxamt. Armad n uwgelhen ur yettaǧǧa ara kra n yiṛubuten d kra n tleggiyin ad ddun akken iwata. Issin ugar ɣef uwgelhen.", + "public_without_alias_warning": "I ucuddu ɣer texxamt-a, ttxil-k·m rnu tansa.", + "history_visibility": {}, + "history_visibility_warning": "Isnifal n unekcum ɣer umazray ad ddun deg yiznan i d-iteddun deg texxamt-a. Timeẓriwt n umazray yellan ur yettbeddil ara.", + "history_visibility_legend": "Anwa i izemren ad d-iɣer amazray?", + "title": "Taɣellist & tbaḍnit", + "encryption_permanent": "Akken ara yettwarmad, awgelhen ur yettizmir ara ad yens.", + "history_visibility_shared": "Iɛeggalen kan (segmi yebda ufran n textiṛit-a)", + "history_visibility_invited": "Iɛeggalen kan (segmi ara d-ttwanecden)", + "history_visibility_joined": "Iɛeggalen kan (segmi ara d-ttwarnun)", + "history_visibility_world_readable": "Yal yiwen" + }, + "general": { + "publish_toggle": "Suffeɣ-d taxxamt-a deg ukaram azayez n texxamt n %(domain)s?", + "user_url_previews_default_on": "tremdeḍ tiskanin n URL s wudem amezwer.", + "user_url_previews_default_off": "tsenseḍ tiskanin n URL s wudem amezwer.", + "default_url_previews_on": "Tiskanin n URL ttwaremdent s wudem amezwer i yimttekkiyen n texxamt-a.", + "default_url_previews_off": "Tiskanin n URL ttwasensnt s wudem amezwer i yimttekkiyen n texxamt-a.", + "url_preview_encryption_warning": "Deg texxamin yettwawgelhen, am texxamt-a, tiskanin n URL ttwasensnt s wudem amezwer i wakken ad neḍmen belli aqeddac agejdan (anida tiskanin ttwasirwent) ur yettizmir ara ad yelqeḍ talɣut ɣef yiseɣwan i d-ibanen deg texxamt-a.", + "url_preview_explainer": "Ma yili yiwet iger-d aseɣwen deg yizen-ines, taskant n URL tezmer ad tettwaskan i wakken ad d-imudd ugar n talɣut ɣef useɣwen-a am uzwel, aglam d tugna n usmel.", + "url_previews_section": "Tiskanin n URL" } }, "encryption": { @@ -2061,7 +2054,10 @@ "register_action": "Rnu amiḍan", "server_picker_invalid_url": "Yir URL", "incorrect_credentials": "Isem n uqeddac d/neɣ awal uffir d arameɣtu.", - "account_deactivated": "Amiḍan-a yettuḥbes." + "account_deactivated": "Amiḍan-a yettuḥbes.", + "registration_username_validation": "Seqdec kan isekkilen imeẓẓyanen, izwilen, ijerriden d yidurren kan", + "phone_label": "Tiliɣri", + "phone_optional_label": "Tiliɣri (d afrayan)" }, "export_chat": { "messages": "Iznan" @@ -2154,5 +2150,31 @@ "labs_mjolnir": { "room_name": "Tabdart-inu n tigtin", "room_topic": "Tagi d tabdart-ik·im n yiseqdacen/yiqeddacen i tesweḥleḍ - ur teffeɣ ara seg texxamt!" + }, + "user_menu": { + "switch_theme_light": "Uɣal ɣer uskar aceɛlal", + "switch_theme_dark": "Uɣal ɣer uskar aberkan" + }, + "room": { + "drop_file_prompt": "Eǧǧ afaylu dagi i usali" + }, + "file_panel": { + "guest_note": "Ilaq-ak·am ad teskelseḍ i wakken ad tesxedmeḍ tamahilt-a", + "peek_note": "Ilaq-ak·am ad ternuḍ ɣer texxamt i wakken ad twaliḍ ifuyla", + "empty_heading": "Ulac ifuyla i d-ibanen deg texxamt-a", + "empty_description": "Seddu ifuyla seg udiwenni neɣ ger-iten, tserseḍ-ten deg kra n wadeg deg texxamt." + }, + "space": { + "context_menu": { + "explore": "Snirem tixxamin" + } + }, + "terms": { + "integration_manager": "Seqdec abuten, tileggiyin, iwiǧiten d tɣawsiwin n umyintaḍ", + "tos": "Tiwtilin n useqdec", + "intro": "I wakken ad tkemmleḍ tesriḍ ad tqebleḍ tiwtilin n umeẓlu-a.", + "column_service": "Ameẓlu", + "column_summary": "Agzul", + "column_document": "Isemli" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/ko.json b/src/i18n/strings/ko.json index 73f2015cca..c310d0b1ab 100644 --- a/src/i18n/strings/ko.json +++ b/src/i18n/strings/ko.json @@ -11,10 +11,8 @@ "Authentication": "인증", "A new password must be entered.": "새 비밀번호를 입력해주세요.", "An error has occurred.": "오류가 발생했습니다.", - "Anyone": "누구나", "Are you sure?": "확신합니까?", "Are you sure you want to leave the room '%(roomName)s'?": "%(roomName)s 방을 떠나겠습니까?", - "Banned users": "출입 금지된 사용자", "Change Password": "비밀번호 바꾸기", "Confirm password": "비밀번호 확인", "Default": "기본", @@ -33,7 +31,6 @@ "Are you sure you want to reject the invitation?": "초대를 거절하시겠어요?", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "홈서버에 연결할 수 없음 - 연결 상태를 확인하거나, 홈서버의 SSL 인증서가 믿을 수 있는지 확인하고, 브라우저 확장 기능이 요청을 막고 있는지 확인해주세요.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "주소 창에 HTTPS URL이 있을 때는 HTTP로 홈서버를 연결할 수 없습니다. HTTPS를 쓰거나 안전하지 않은 스크립트를 허용해주세요.", - "Commands": "명령어", "Cryptography": "암호화", "Current password": "현재 비밀번호", "Custom level": "맞춤 등급", @@ -78,15 +75,12 @@ "": "<지원하지 않음>", "No display name": "표시 이름 없음", "No more results": "더 이상 결과 없음", - "No users have specific privileges in this room": "모든 사용자가 이 방에 대한 특정 권한이 없음", "Passwords can't be empty": "비밀번호를 입력해주세요", - "Permissions": "권한", "Phone": "전화", "Please check your email and click on the link it contains. Once this is done, click continue.": "이메일을 확인하고 안의 링크를 클릭합니다. 모두 마치고 나서, 계속하기를 누르세요.", "Power level must be positive integer.": "권한 등급은 양의 정수이어야 합니다.", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s님 (권한 %(powerLevelNumber)s)", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "사용자를 자신과 같은 권한 등급으로 올리는 것은 취소할 수 없습니다.", - "Privileged Users": "권한 있는 사용자", "Profile": "프로필", "Reason": "이유", "Reject invitation": "초대 거절", @@ -124,16 +118,11 @@ }, "Upload avatar": "아바타 업로드", "Upload Failed": "업로드 실패", - "Users": "사용자", "Verification Pending": "인증을 기다리는 중", "Verified key": "인증한 열쇠", "Warning!": "주의!", - "Who can read history?": "누가 기록을 읽을 수 있나요?", "You cannot place a call with yourself.": "자기 자신에게는 전화를 걸 수 없습니다.", "You do not have permission to post to this room": "이 방에 글을 올릴 권한이 없습니다", - "You have disabled URL previews by default.": "기본으로 URL 미리 보기를 껐습니다.", - "You have enabled URL previews by default.": "기본으로 URL 미리 보기를 켰습니다.", - "You must register to use this functionality": "이 기능을 쓰려면 등록해야 합니다", "You need to be able to invite users to do that.": "그러려면 사용자를 초대할 수 있어야 합니다.", "You need to be logged in.": "로그인을 해야 합니다.", "You seem to be in a call, are you sure you want to quit?": "전화 중인데, 끊겠습니까?", @@ -172,7 +161,6 @@ "Export room keys": "방 키 내보내기", "Confirm passphrase": "암호 확인", "File to import": "가져올 파일", - "You must join the room to see its files": "파일을 보려면 방에 참가해야 합니다", "Reject all %(invitedRooms)s invites": "모든 %(invitedRooms)s개의 초대를 거절", "Failed to invite": "초대 실패", "Confirm Removal": "삭제 확인", @@ -188,8 +176,6 @@ "Error decrypting video": "영상 복호화 중 오류", "Add an Integration": "통합 추가", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "%(integrationsUrl)s에서 쓸 수 있도록 계정을 인증하려고 다른 사이트로 이동하고 있습니다. 계속하겠습니까?", - "URL Previews": "URL 미리보기", - "Drop file here to upload": "업로드할 파일을 여기에 놓으세요", "Check for update": "업데이트 확인", "Something went wrong!": "문제가 생겼습니다!", "Your browser does not support the required cryptography extensions": "필요한 암호화 확장 기능을 브라우저가 지원하지 않습니다", @@ -237,8 +223,6 @@ "You are now ignoring %(userId)s": "%(userId)s님을 이제 무시합니다", "Unignored user": "무시하지 않게 된 사용자", "You are no longer ignoring %(userId)s": "%(userId)s님을 더 이상 무시하고 있지 않습니다", - "URL previews are enabled by default for participants in this room.": "기본으로 URL 미리 보기가 이 방에 참여한 사람들 모두에게 켜졌습니다.", - "URL previews are disabled by default for participants in this room.": "기본으로 URL 미리 보기가 이 방에 참여한 사람들 모두에게 꺼졌습니다.", "%(duration)ss": "%(duration)s초", "%(duration)sm": "%(duration)s분", "%(duration)sh": "%(duration)s시간", @@ -249,12 +233,9 @@ "Demote": "강등", "Demote yourself?": "자신을 강등하시겠습니까?", "This room is not public. You will not be able to rejoin without an invite.": "이 방은 공개되지 않았습니다. 초대 없이는 다시 들어올 수 없습니다.", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "누군가 메시지에 URL을 넣으면, URL 미리 보기로 웹사이트에서 온 제목, 설명, 그리고 이미지 등 그 링크에 대한 정보가 표시됩니다.", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "지금 이 방처럼, 암호화된 방에서는 홈서버 (미리 보기가 만들어지는 곳)에서 이 방에서 보여지는 링크에 대해 알 수 없도록 기본으로 URL 미리 보기가 꺼집니다.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "자기 자신을 강등하는 것은 되돌릴 수 없고, 자신이 마지막으로 이 방에서 특권을 가진 사용자라면 다시 특권을 얻는 건 불가능합니다.", "Jump to read receipt": "읽은 기록으로 건너뛰기", "Share room": "방 공유하기", - "Members only (since they joined)": "구성원만(구성원들이 참여한 시점부터)", "%(items)s and %(count)s others": { "one": "%(items)s님 외 한 명", "other": "%(items)s님 외 %(count)s명" @@ -265,7 +246,6 @@ "Failed to copy": "복사 실패함", "You don't currently have any stickerpacks enabled": "현재 사용하고 있는 스티커 팩이 없음", "Filter results": "필터 결과", - "Muted Users": "음소거된 사용자", "Delete Widget": "위젯 삭제", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "위젯을 삭제하면 이 방의 모든 사용자에게도 제거됩니다. 위젯을 삭제하겠습니까?", "Delete widget": "위젯 삭제", @@ -289,8 +269,6 @@ "Terms and Conditions": "이용 약관", "Review terms and conditions": "이용 약관 검토", "Old cryptography data detected": "오래된 암호화 데이터 감지됨", - "Room Notification": "방 알림", - "Notify the whole room": "방 전체에 알림", "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "홈서버 %(homeserverDomain)s을(를) 계속 사용하기 위해서는 저희 이용 약관을 검토하고 동의해주세요.", "Clear Storage and Sign Out": "저장소를 지우고 로그아웃", "Send Logs": "로그 보내기", @@ -300,8 +278,6 @@ "Please contact your homeserver administrator.": "홈서버 관리자에게 연락하세요.", "This room has been replaced and is no longer active.": "이 방은 대체되어서 더 이상 활동하지 않습니다.", "The conversation continues here.": "이 대화는 여기서 이어집니다.", - "Members only (since the point in time of selecting this option)": "구성원만(이 설정을 선택한 시점부터)", - "Members only (since they were invited)": "구성원만(구성원이 초대받은 시점부터)", "Only room administrators will see this warning": "방 관리자만이 이 경고를 볼 수 있음", "In reply to ": "관련 대화 ", "Updating %(brand)s": "%(brand)s 업데이트 중", @@ -442,7 +418,6 @@ "Ignored users": "무시한 사용자", "Bulk options": "대량 설정", "Accept all %(invitedRooms)s invites": "모든 %(invitedRooms)s개의 초대를 수락", - "Security & Privacy": "보안 & 개인", "Missing media permissions, click the button below to request.": "미디어 권한이 없습니다, 권한 요청을 보내려면 아래 버튼을 클릭하세요.", "Request media permissions": "미디어 권한 요청", "Voice & Video": "음성 & 영상", @@ -452,20 +427,12 @@ "Room version": "방 버전", "Room version:": "방 버전:", "Room Addresses": "방 주소", - "Publish this room to the public in %(domain)s's room directory?": "%(domain)s님의 방 목록에서 이 방을 공개로 게시하겠습니까?", "Uploaded sound": "업로드된 소리", "Sounds": "소리", "Notification sound": "알림 소리", "Set a new custom sound": "새 맞춤 소리 설정", "Browse": "찾기", - "Send %(eventType)s events": "%(eventType)s 이벤트 보내기", - "Roles & Permissions": "규칙 & 권한", - "Select the roles required to change various parts of the room": "방의 여러 부분을 변경하는 데 필요한 규칙을 선택", - "Enable encryption?": "암호화를 켜겠습니까?", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "일단 켜면, 방에 대한 암호화는 끌 수 없습니다. 암호화된 방에서 보낸 메시지는 서버에서 볼 수 없고, 오직 방의 참가자만 볼 수 있습니다. 암호화를 켜면 많은 봇과 브릿지가 올바르게 작동하지 않을 수 있습니다. 암호화에 대해 더 자세히 알아보기.", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "기록을 읽을 수 있는 사람의 변경 사항은 이 방에서 오직 이후 메시지부터 적용됩니다. 존재하는 기록의 가시성은 변하지 않습니다.", "Encryption": "암호화", - "Once enabled, encryption cannot be disabled.": "일단 켜면, 암호화는 끌 수 없습니다.", "Unable to revoke sharing for email address": "이메일 주소 공유를 취소할 수 없음", "Unable to share email address": "이메일 주소를 공유할 수 없음", "Discovery options will appear once you have added an email above.": "위에 이메일을 추가하면 검색 옵션에 나타납니다.", @@ -555,10 +522,6 @@ "Your browser likely removed this data when running low on disk space.": "디스크 공간이 부족한 경우 브라우저에서 이 데이터를 제거했을 수 있습니다.", "Find others by phone or email": "전화번호 혹은 이메일로 상대방 찾기", "Be found by phone or email": "전화번호 혹은 이메일로 찾음", - "Use bots, bridges, widgets and sticker packs": "봇, 브릿지, 위젯 그리고 스티커 팩을 사용", - "Terms of Service": "서비스 약관", - "Service": "서비스", - "Summary": "개요", "Upload files (%(current)s of %(total)s)": "파일 업로드 (총 %(total)s개 중 %(current)s개)", "Upload files": "파일 업로드", "Upload all": "전부 업로드", @@ -590,11 +553,9 @@ "Passwords don't match": "비밀번호가 맞지 않음", "Other users can invite you to rooms using your contact details": "다른 사용자가 연락처 세부 정보를 사용해서 당신을 방에 초대할 수 있음", "Enter phone number (required on this homeserver)": "전화번호 입력 (이 홈서버에 필요함)", - "Use lowercase letters, numbers, dashes and underscores only": "소문자, 숫자, 가로선, 밑줄선만 사용할 수 있음", "Enter username": "사용자 이름 입력", "Some characters not allowed": "일부 문자는 허용할 수 없습니다", "Email (optional)": "이메일 (선택)", - "Phone (optional)": "전화 (선택)", "Join millions for free on the largest public server": "가장 넓은 공개 서버에 수 백 만명이 무료로 등록함", "Couldn't load page": "페이지를 불러올 수 없음", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "이 홈서버가 리소스 한도를 초과했기 때문에 메시지를 보낼 수 없었습니다. 서비스를 계속 사용하려면 서비스 관리자에게 연락해주세요.", @@ -667,25 +628,17 @@ "Hide advanced": "고급 숨기기", "Show advanced": "고급 보이기", "Close dialog": "대화 상자 닫기", - "To continue you need to accept the terms of this service.": "계속하려면 이 서비스 약관에 동의해야 합니다.", - "Document": "문서", - "Emoji Autocomplete": "이모지 자동 완성", - "Notification Autocomplete": "알림 자동 완성", - "Room Autocomplete": "방 자동 완성", - "User Autocomplete": "사용자 자동 완성", "Show image": "이미지 보이기", "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "홈서버 설정에서 캡챠 공개 키가 없습니다. 홈서버 관리자에게 이것을 신고해주세요.", "Your email address hasn't been verified yet": "이메일 주소가 아직 확인되지 않았습니다", "Click the link in the email you received to verify and then click continue again.": "받은 이메일에 있는 링크를 클릭해서 확인한 후에 계속하기를 클릭하세요.", "Add Email Address": "이메일 주소 추가", "Add Phone Number": "전화번호 추가", - "%(creator)s created and configured the room.": "%(creator)s님이 방을 만드고 설정했습니다.", "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "계정을 해제하기 전에 ID 서버 에서 개인 정보를 삭제해야 합니다. 불행하게도 ID 서버 가 현재 오프라인이거나 접근할 수 없는 상태입니다.", "You should:": "이렇게 하세요:", "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "브라우저 플러그인을 확인하고 (Privacy Badger같은) ID 서버를 막는 것이 있는지 확인하세요", "contact the administrators of identity server ": "ID 서버 의 관리자와 연락하세요", "wait and try again later": "기다리고 나중에 다시 시도하세요", - "Command Autocomplete": "명령어 자동 완성", "Cancel search": "검색 취소", "Failed to deactivate user": "사용자 비활성화에 실패함", "This client does not support end-to-end encryption.": "이 클라이언트는 종단간 암호화를 지원하지 않습니다.", @@ -782,8 +735,6 @@ "Preview Space": "스페이스 미리보기", "Anyone in can find and join. You can select other spaces too.": "에 소속된 누구나 찾고 참여할 수 있습니다. 다른 스페이스도 선택 가능합니다.", "Visibility": "가시성", - "Manage & explore rooms": "관리 및 방 목록 보기", - "Space home": "스페이스 홈", "Search for": "검색 기준", "Search for rooms or people": "방 또는 사람 검색", "Search for rooms": "방 검색", @@ -833,7 +784,6 @@ "@mentions & keywords": "@멘션(언급) & 키워드", "Anyone in a space can find and join. You can select multiple spaces.": "스페이스의 누구나 찾고 참여할 수 있습니다. 여러 스페이스를 선택할 수 있습니다.", "Anyone in a space can find and join. Edit which spaces can access here.": "누구나 스페이스를 찾고 참여할 수 있습니다. 이곳에서 접근 가능한 스페이스를 편집하세요.", - "Decide who can join %(roomName)s.": "%(roomName)s에 누가 참여할 수 있는지 설정합니다.", "Add space": "스페이스 추가하기", "Add existing rooms": "기존 방 추가", "Add existing room": "기존 방 목록에서 추가하기", @@ -864,19 +814,12 @@ "United States": "미국", "The call was answered on another device.": "이 전화는 다른 기기에서 응답했습니다.", "Answered Elsewhere": "다른 기기에서 응답함", - "Your current session is ready for secure messaging.": "현재 세션에서 보안 메세지를 사용할 수 있습니다.", - "Last activity": "최근 활동", "Mark all as read": "모두 읽음으로 표시", "Deactivating your account is a permanent action — be careful!": "계정을 비활성화 하는 것은 취소할 수 없습니다. 조심하세요!", - "Current session": "현재 세션", - "Verified sessions": "검증된 세션들", - "Verified session": "검증된 세션", "Room info": "방 정보", "Match system": "시스템 테마", "Spell check": "맞춤법 검사", - "Unverified sessions": "검증되지 않은 세션들", "Sessions": "세션목록", - "Unverified session": "검증되지 않은 세션", "Favourited": "즐겨찾기 됨", "common": { "analytics": "정보 분석", @@ -1022,7 +965,18 @@ "format_inline_code": "코드", "format_code_block": "코드 블록", "placeholder_reply_encrypted": "암호화된 메시지를 보내세요…", - "placeholder_encrypted": "암호화된 메시지를 보내세요…" + "placeholder_encrypted": "암호화된 메시지를 보내세요…", + "autocomplete": { + "command_description": "명령어", + "command_a11y": "명령어 자동 완성", + "emoji_a11y": "이모지 자동 완성", + "@room_description": "방 전체에 알림", + "notification_description": "방 알림", + "notification_a11y": "알림 자동 완성", + "room_a11y": "방 자동 완성", + "user_description": "사용자", + "user_a11y": "사용자 자동 완성" + } }, "Bold": "굵게", "Code": "코드", @@ -1108,6 +1062,16 @@ }, "keyboard": { "title": "키보드 (단축키)" + }, + "sessions": { + "session_id": "세션 ID", + "last_activity": "최근 활동", + "verified_sessions": "검증된 세션들", + "unverified_sessions": "검증되지 않은 세션들", + "unverified_session": "검증되지 않은 세션", + "device_verified_description_current": "현재 세션에서 보안 메세지를 사용할 수 있습니다.", + "verified_session": "검증된 세션", + "current_session": "현재 세션" } }, "devtools": { @@ -1300,7 +1264,8 @@ "lightbox_title": "%(senderDisplayName)s님이 %(roomName)s 방의 아바타를 바꿈", "removed": "%(senderDisplayName)s님이 방 아바타를 제거했습니다.", "changed_img": "%(senderDisplayName)s님이 방 아바타를 (으)로 바꿈" - } + }, + "creation_summary_room": "%(creator)s님이 방을 만드고 설정했습니다." }, "slash_command": { "spoiler": "스포일러로서 주어진 메시지를 전송", @@ -1383,13 +1348,43 @@ "invite": "사용자 초대", "state_default": "설정 변경", "ban": "사용자 출입 금지", - "notifications.room": "모두에게 알림" + "notifications.room": "모두에게 알림", + "no_privileged_users": "모든 사용자가 이 방에 대한 특정 권한이 없음", + "privileged_users_section": "권한 있는 사용자", + "muted_users_section": "음소거된 사용자", + "banned_users_section": "출입 금지된 사용자", + "send_event_type": "%(eventType)s 이벤트 보내기", + "title": "규칙 & 권한", + "permissions_section": "권한", + "permissions_section_description_room": "방의 여러 부분을 변경하는 데 필요한 규칙을 선택" }, "security": { "strict_encryption": "이 채팅방의 현재 세션에서 확인되지 않은 세션으로 암호화된 메시지를 보내지 않음", "join_rule_invite": "비공개 (초대 필요)", "join_rule_invite_description": "초대한 경우에만 참여할 수 있습니다.", - "join_rule_public_description": "누구나 찾고 참여할 수 있습니다." + "join_rule_public_description": "누구나 찾고 참여할 수 있습니다.", + "enable_encryption_confirm_title": "암호화를 켜겠습니까?", + "enable_encryption_confirm_description": "일단 켜면, 방에 대한 암호화는 끌 수 없습니다. 암호화된 방에서 보낸 메시지는 서버에서 볼 수 없고, 오직 방의 참가자만 볼 수 있습니다. 암호화를 켜면 많은 봇과 브릿지가 올바르게 작동하지 않을 수 있습니다. 암호화에 대해 더 자세히 알아보기.", + "join_rule_description": "%(roomName)s에 누가 참여할 수 있는지 설정합니다.", + "history_visibility": {}, + "history_visibility_warning": "기록을 읽을 수 있는 사람의 변경 사항은 이 방에서 오직 이후 메시지부터 적용됩니다. 존재하는 기록의 가시성은 변하지 않습니다.", + "history_visibility_legend": "누가 기록을 읽을 수 있나요?", + "title": "보안 & 개인", + "encryption_permanent": "일단 켜면, 암호화는 끌 수 없습니다.", + "history_visibility_shared": "구성원만(이 설정을 선택한 시점부터)", + "history_visibility_invited": "구성원만(구성원이 초대받은 시점부터)", + "history_visibility_joined": "구성원만(구성원들이 참여한 시점부터)", + "history_visibility_world_readable": "누구나" + }, + "general": { + "publish_toggle": "%(domain)s님의 방 목록에서 이 방을 공개로 게시하겠습니까?", + "user_url_previews_default_on": "기본으로 URL 미리 보기를 켰습니다.", + "user_url_previews_default_off": "기본으로 URL 미리 보기를 껐습니다.", + "default_url_previews_on": "기본으로 URL 미리 보기가 이 방에 참여한 사람들 모두에게 켜졌습니다.", + "default_url_previews_off": "기본으로 URL 미리 보기가 이 방에 참여한 사람들 모두에게 꺼졌습니다.", + "url_preview_encryption_warning": "지금 이 방처럼, 암호화된 방에서는 홈서버 (미리 보기가 만들어지는 곳)에서 이 방에서 보여지는 링크에 대해 알 수 없도록 기본으로 URL 미리 보기가 꺼집니다.", + "url_preview_explainer": "누군가 메시지에 URL을 넣으면, URL 미리 보기로 웹사이트에서 온 제목, 설명, 그리고 이미지 등 그 링크에 대한 정보가 표시됩니다.", + "url_previews_section": "URL 미리보기" } }, "encryption": { @@ -1433,7 +1428,10 @@ "soft_logout_intro_unsupported_auth": "계정에 로그인할 수 없습니다. 자세한 정보는 홈서버 관리자에게 연락하세요.", "register_action": "계정 만들기", "incorrect_credentials": "사용자 이름 혹은 비밀번호가 맞지 않습니다.", - "account_deactivated": "이 계정은 비활성화되었습니다." + "account_deactivated": "이 계정은 비활성화되었습니다.", + "registration_username_validation": "소문자, 숫자, 가로선, 밑줄선만 사용할 수 있음", + "phone_label": "전화", + "phone_optional_label": "전화 (선택)" }, "export_chat": { "title": "대화 내보내기", @@ -1528,5 +1526,27 @@ "create_space": { "public_heading": "당신의 공개 스페이스", "private_heading": "당신의 비공개 스페이스" + }, + "room": { + "drop_file_prompt": "업로드할 파일을 여기에 놓으세요" + }, + "file_panel": { + "guest_note": "이 기능을 쓰려면 등록해야 합니다", + "peek_note": "파일을 보려면 방에 참가해야 합니다" + }, + "space": { + "context_menu": { + "home": "스페이스 홈", + "explore": "방 검색", + "manage_and_explore": "관리 및 방 목록 보기" + } + }, + "terms": { + "integration_manager": "봇, 브릿지, 위젯 그리고 스티커 팩을 사용", + "tos": "서비스 약관", + "intro": "계속하려면 이 서비스 약관에 동의해야 합니다.", + "column_service": "서비스", + "column_summary": "개요", + "column_document": "문서" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/lo.json b/src/i18n/strings/lo.json index 62a873e418..37ca56b7da 100644 --- a/src/i18n/strings/lo.json +++ b/src/i18n/strings/lo.json @@ -379,32 +379,8 @@ "Your email address hasn't been verified yet": "ທີ່ຢູ່ອີເມວຂອງທ່ານຍັງບໍ່ໄດ້ຖືກຢືນຢັນເທື່ອ", "Unable to share email address": "ບໍ່ສາມາດແບ່ງປັນທີ່ຢູ່ອີເມວໄດ້", "Unable to revoke sharing for email address": "ບໍ່ສາມາດຖອນການແບ່ງປັນສໍາລັບທີ່ຢູ່ອີເມວໄດ້", - "Once enabled, encryption cannot be disabled.": "ເມື່ອເປີດໃຊ້ແລ້ວ, ການເຂົ້າລະຫັດບໍ່ສາມາດຖືກປິດໃຊ້ງານໄດ້.", - "Security & Privacy": "ຄວາມປອດໄພ & ຄວາມເປັນສ່ວນຕົວ", - "People with supported clients will be able to join the room without having a registered account.": "ຄົນທີ່ມີລູກຄ້າສະຫນັບສະຫນູນຈະສາມາດເຂົ້າຮ່ວມຫ້ອງໄດ້ໂດຍບໍ່ຕ້ອງມີບັນຊີລົງທະບຽນ.", - "Who can read history?": "ຜູ້ໃດອ່ານປະຫວັດໄດ້?", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "ການປ່ຽນແປງຜູ້ທີ່ອ່ານປະຫວັດຈະມີຜົນກັບຂໍ້ຄວາມໃນອະນາຄົດທີ່ຢູ່ໃນຫ້ອງນີ້ເທົ່ານັ້ນ.", - "Anyone": "ຄົນໃດຄົນໜຶ່ງ", - "Members only (since they joined)": "ສະເພາະສະມາຊິກເທົ່ານັ້ນ (ນັບແຕ່ພວກເຂົາເຂົ້າຮ່ວມ)", - "Members only (since they were invited)": "ສະເພາະສະມາຊິກເທົ່ານັ້ນ (ນັບແຕ່ພວກເຂົາຖືກເຊີນ)", - "Members only (since the point in time of selecting this option)": "(ນັບແຕ່ຊ່ວງເວລາຂອງການເລືອກນີ້) ສຳລັບສະມາຊິກເທົ່ານັ້ນ", - "To avoid these issues, create a new public room for the conversation you plan to have.": "ເພື່ອຫຼີກເວັ້ນບັນຫາເຫຼົ່ານີ້, ສ້າງ new public room ສໍາລັບການສົນທະນາທີ່ທ່ານວາງແຜນໄວ້.", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "ບໍ່ໄດ້ແນະນໍາໃຫ້ເຮັດໃຫ້ຫ້ອງທີ່ເຂົ້າລະຫັດເປັນສາທາລະນະ. ມັນຈະຫມາຍຄວາມວ່າທຸກຄົນສາມາດຊອກຫາແລະເຂົ້າຮ່ວມຫ້ອງໄດ້, ດັ່ງນັ້ນທຸກຄົນສາມາດອ່ານຂໍ້ຄວາມໄດ້. ທ່ານຈະບໍ່ໄດ້ຮັບຜົນປະໂຫຍດອັນໃດຈາກການເຂົ້າລະຫັດ.", - "Are you sure you want to make this encrypted room public?": "ທ່ານແນ່ໃຈບໍ່ວ່າຕ້ອງການເຮັດໃຫ້ຫ້ອງທີ່ຖືກເຂົ້າລະຫັດນີ້ເປັນສາທາລະນະ?", "Unknown failure": "ຄວາມລົ້ມເຫຼວທີ່ບໍ່ຮູ້ສາເຫດ", "Failed to update the join rules": "ອັບເດດກົດລະບຽບການເຂົ້າຮ່ວມບໍ່ສຳເລັດ", - "Decide who can join %(roomName)s.": "ຕັດສິນໃຈວ່າໃຜສາມາດເຂົ້າຮ່ວມ %(roomName)s.", - "To link to this room, please add an address.": "ເພື່ອເຊື່ອມຕໍ່ຫາຫ້ອງນີ້, ກະລຸນາເພີ່ມທີ່ຢູ່.", - "Are you sure you want to add encryption to this public room?": "ທ່ານແນ່ໃຈບໍ່ວ່າຕ້ອງການເພີ່ມການເຂົ້າລະຫັດໃສ່ຫ້ອງສາທາລະນະນີ້?", - "Select the roles required to change various parts of the room": "ເລືອກພາລະບົດບາດທີ່ຕ້ອງການໃນການປ່ຽນແປງພາກສ່ວນຕ່າງໆຂອງຫ້ອງ", - "Select the roles required to change various parts of the space": "ເລືອກພາລະບົດບາດທີ່ຕ້ອງການໃນການປ່ຽນແປງພາກສ່ວນຕ່າງໆຂອງພຶ້ນທີ່", - "Permissions": "ການອະນຸຍາດ", - "Roles & Permissions": "ພາລະບົດບາດ & ການອະນຸຍາດ", - "Send %(eventType)s events": "ສົ່ງເຫດການ %(eventType)s", - "Banned users": "ຫ້າມຜູ້ໃຊ້", - "Muted Users": "ຜູ້ໃຊ້ທີ່ປິດສຽງ", - "Privileged Users": "ສິດທິພິເສດຂອງຜູ້ໃຊ້", - "No users have specific privileges in this room": "ບໍ່ມີຜູ້ໃຊ້ໃດມີສິດທິພິເສດຢູ່ໃນຫ້ອງນີ້", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "ເກີດຄວາມຜິດພາດໃນການປ່ຽນແປງລະດັບສິດຂອງຜູ້ໃຊ້. ກວດໃຫ້ແນ່ໃຈວ່າເຈົ້າມີສິດອະນຸຍາດພຽງພໍແລ້ວລອງໃໝ່ອີກຄັ້ງ.", "Error changing power level": "ເກີດຄວາມຜິດພາດໃນການປ່ຽນແປງລະດັບສິດ", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "ເກີດຄວາມຜິດພາດໃນການປ່ຽນແປງຂໍ້ກຳນົດລະດັບສິດຂອງຫ້ອງ. ກວດໃຫ້ແນ່ໃຈວ່າເຈົ້າມີສິດອະນຸຍາດພຽງພໍແລ້ວລອງໃໝ່ອີກຄັ້ງ.", @@ -608,8 +584,6 @@ "Failed to start livestream": "ການຖ່າຍທອດສົດບໍ່ສຳເລັດ", "Unable to start audio streaming.": "ບໍ່ສາມາດເລີ່ມການຖ່າຍທອດສຽງໄດ້.", "Thread options": "ຕົວເລືອກກະທູ້", - "Manage & explore rooms": "ຈັດການ ແລະ ສຳຫຼວດຫ້ອງ", - "See room timeline (devtools)": "ເບິ່ງທາມລາຍຫ້ອງ (devtools)", "Mentions only": "ກ່າວເຖິງເທົ່ານັ້ນ", "Forget": "ລືມ", "Report": "ລາຍງານ", @@ -733,11 +707,8 @@ "Verify this device": "ຢັ້ງຢືນອຸປະກອນນີ້", "Unable to verify this device": "ບໍ່ສາມາດຢັ້ງຢືນອຸປະກອນນີ້ໄດ້", "Original event source": "ແຫຼ່ງຕົ້ນສະບັບ", - "Decrypted event source": "ບ່ອນທີ່ຖືກຖອດລະຫັດໄວ້", "Could not load user profile": "ບໍ່ສາມາດໂຫຼດໂປຣໄຟລ໌ຂອງຜູ້ໃຊ້ໄດ້", "Switch theme": "ສະຫຼັບຫົວຂໍ້", - "Switch to dark mode": "ສະຫຼັບໄປໂໝດມືດ", - "Switch to light mode": "ສະຫຼັບໄປໂໝດແສງ", "Uploading %(filename)s and %(count)s others": { "one": "ກຳລັງອັບໂຫລດ %(filename)s ແລະ %(count)s ອື່ນໆ", "other": "ກຳລັງອັບໂຫລດ %(filename)s ແລະ %(count)s ອື່ນໆ" @@ -752,14 +723,6 @@ "Rooms and spaces": "ຫ້ອງ ແລະ ພຶ້ນທີ່", "Results": "ຜົນຮັບ", "You may want to try a different search or check for typos.": "ເຈົ້າອາດຈະຕ້ອງລອງຊອກຫາແບບອື່ນ ຫຼື ກວດເບິ່ງວ່າພິມຜິດ.", - "Your server does not support showing space hierarchies.": "ເຊີບເວີຂອງທ່ານບໍ່ຮອງຮັບການສະແດງລໍາດັບຊັ້ນຂອງພື້ນທີ່.", - "Failed to load list of rooms.": "ໂຫຼດລາຍຊື່ຫ້ອງບໍ່ສຳເລັດ.", - "Mark as suggested": "ເຄື່ອງໝາຍທີ່ ແນະນຳ", - "Mark as not suggested": "ເຮັດເຄຶ່ອງໝາຍໄວ້ວ່າ ບໍ່ໄດ້ແນະນຳ", - "Failed to remove some rooms. Try again later": "ລຶບບາງຫ້ອງອອກບໍ່ສຳເລັດ. ລອງໃໝ່ໃນພາຍຫຼັງ", - "Select a room below first": "ເລືອກຫ້ອງຂ້າງລຸ່ມນີ້ກ່ອນ", - "Suggested": "ແນະນຳແລ້ວ", - "This room is suggested as a good one to join": "ຫ້ອງນີ້ຖືກແນະນໍາວ່າເປັນຫ້ອງທີ່ດີທີ່ຈະເຂົ້າຮ່ວມ", "Joined": "ເຂົ້າຮ່ວມແລ້ວ", "You don't have permission": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດ", "Joining": "ເຂົ້າຮ່ວມ", @@ -783,10 +746,6 @@ "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "ຂໍ້ຄວາມຂອງທ່ານບໍ່ຖືກສົ່ງເນື່ອງຈາກ homeserver ນີ້ຮອດຂີດຈຳກັດສູງສູດຜູ້ໃຊ້ລາຍເດືອນແລ້ວ. ກະລຸນາ ຕິດຕໍ່ຜູ້ເບິ່ງຄຸ້ມຄອງການບໍລິການຂອງທ່ານ ເພື່ອສືບຕໍ່ໃຊ້ບໍລິການ.", "You can't send any messages until you review and agree to our terms and conditions.": "ທ່ານບໍ່ສາມາດສົ່ງຂໍ້ຄວາມໄດ້ຈົນກ່ວາທ່ານຈະທົບທວນຄືນ ແລະ ຕົກລົງເຫັນດີກັບ ຂໍ້ກໍານົດແລະເງື່ອນໄຂຂອງພວກເຮົາ.", "Create new room": "ສ້າງຫ້ອງໃຫມ່", - "You have no visible notifications.": "ທ່ານບໍ່ເຫັນການເເຈ້ງເຕືອນ.", - "You're all caught up": "ໝົດແລ້ວໝົດເລີຍ", - "%(creator)s created and configured the room.": "%(creator)s ສ້າງ ແລະ ກຳນົດຄ່າຫ້ອງ.", - "%(creator)s created this DM.": "%(creator)s ສ້າງ DM ນີ້.", "Verification requested": "ຂໍການຢັ້ງຢືນ", "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "ກວດພົບຂໍ້ມູນຈາກ%(brand)s ລຸ້ນເກົ່າກວ່າ. ອັນນີ້ຈະເຮັດໃຫ້ການເຂົ້າລະຫັດລັບແບບຕົ້ນທາງເຖິງປາຍທາງເຮັດວຽກຜິດປົກກະຕິໃນລຸ້ນເກົ່າ. ຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດແບບຕົ້ນທາງເຖິງປາຍທາງທີ່ໄດ້ແລກປ່ຽນເມື່ອບໍ່ດົນມານີ້ ໃນຂະນະທີ່ໃຊ້ເວີຊັນເກົ່າອາດຈະບໍ່ສາມາດຖອດລະຫັດໄດ້ໃນລູ້ນນີ້. ນີ້ອາດຈະເຮັດໃຫ້ຂໍ້ຄວາມທີ່ແລກປ່ຽນກັບລູ້ນນີ້ບໍ່ສຳເລັດ. ຖ້າເຈົ້າປະສົບບັນຫາ, ໃຫ້ອອກຈາກລະບົບ ແລະ ກັບມາໃໝ່ອີກຄັ້ງ. ເພື່ອຮັກສາປະຫວັດຂໍ້ຄວາມ, ສົ່ງອອກ ແລະ ນໍາເຂົ້າລະຫັດຂອງທ່ານຄືນໃໝ່.", "Old cryptography data detected": "ກວດພົບຂໍ້ມູນການເຂົ້າລະຫັດລັບເກົ່າ", @@ -805,8 +764,6 @@ "Failed to reject invitation": "ປະຕິເສດຄຳເຊີນບໍ່ສຳເລັດ", "Are you sure you want to reject the invitation?": "ທ່ານແນ່ໃຈບໍ່ວ່າຕ້ອງການປະຕິເສດຄຳເຊີນ?", "Reject invitation": "ປະຕິເສດຄຳເຊີນ", - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "ຖ້າທ່ານຮູ້ວ່າທ່ານກໍາລັງເຮັດຫຍັງ, Element ແມ່ນແຫຼ່ງເປີດ, ກວດເບິ່ງໃຫ້ແນ່ໃຈວ່າ GitHub ຂອງພວກເຮົາ (https://github.com/vector-im/element-web/) ແລະ ປະກອບສ່ວນ!", - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "ຖ້າມີຄົນບອກທ່ານໃຫ້ສຳເນົາ/ວາງບາງອັນຢູ່ບ່ອນນີ້, ມີໂອກາດສູງທີ່ທ່ານຈະຖືກຫລອກລວງ!", "Wait!": "ລໍຖ້າ!", "Open dial pad": "ເປີດແຜ່ນປັດ", "Remove from room": "ຍ້າຍອອກຈາກຫ້ອງ", @@ -849,13 +806,6 @@ "Accepting…": "ກຳລັງຍອມຮັບ…", "Waiting for %(displayName)s to accept…": "ກຳລັງລໍຖ້າ %(displayName)s ຍອມຮັບ…", "To proceed, please accept the verification request on your other device.": "ເພື່ອດຳເນີນການຕໍ່, ກະລຸນາຍອມຮັບຄຳຮ້ອງຂໍການຢັ້ງຢືນໃນອຸປະກອນອື່ນຂອງທ່ານ.", - "URL Previews": "ຕົວຢ່າງ URL", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "ເມື່ອຜູ້ໃດຜູ້ນຶ່ງໃສ່ URL ໃນຂໍ້ຄວາມຂອງພວກເຂົາ, ການສະແດງຕົວຢ່າງ URL ສາມາດສະແດງເພື່ອໃຫ້ຂໍ້ມູນເພີ່ມເຕີມກ່ຽວກັບການເຊື່ອມຕໍ່ນັ້ນເຊັ່ນຫົວຂໍ້, ຄໍາອະທິບາຍແລະຮູບພາບຈາກເວັບໄຊທ໌.", - "URL previews are disabled by default for participants in this room.": "ການສະແດງຕົວຢ່າງ URL ຖືກປິດການນຳໃຊ້ໂດຍຄ່າເລີ່ມຕົ້ນສຳລັບຜູ້ເຂົ້າຮ່ວມໃນຫ້ອງນີ້.", - "URL previews are enabled by default for participants in this room.": "ການສະແດງຕົວຢ່າງ URL ຖືກເປີດໃຊ້ໂດຍຄ່າເລີ່ມຕົ້ນສໍາລັບຜູ້ເຂົ້າຮ່ວມໃນຫ້ອງນີ້.", - "You have disabled URL previews by default.": "ທ່ານໄດ້ ປິດໃຊ້ງານ ຕົວຢ່າງ URL ຕາມຄ່າເລີ່ມຕົ້ນ.", - "You have enabled URL previews by default.": "ທ່ານໄດ້ ເປີດໃຊ້ງານ ຕົວຢ່າງ URL ຕາມຄ່າເລີ່ມຕົ້ນ.", - "Publish this room to the public in %(domain)s's room directory?": "ເຜີຍແຜ່ຫ້ອງນີ້ຕໍ່ສາທາລະນະຢູ່ໃນຄຳນຳຫ້ອງຂອງ %(domain)s ບໍ?", "Room avatar": "ຮູບ avatar ຫ້ອງ", "Room Topic": "ຫົວຂໍ້ຫ້ອງ", "Room Name": "ຊື່ຫ້ອງ", @@ -971,16 +921,6 @@ "That matches!": "ກົງກັນ!", "Great! This Security Phrase looks strong enough.": "ດີເລີດ! ປະໂຫຍກຄວາມປອດໄພນີ້ເບິ່ງຄືວ່າເຂັ້ມແຂງພຽງພໍ.", "Enter a Security Phrase": "ໃສ່ປະໂຫຍກເພື່ອຄວາມປອດໄພ", - "User Autocomplete": "ການຕຶ້ມຂໍ້ມູນອັດຕະໂນມັດຊື່ຜູ້ໃຊ້", - "Users": "ຜູ້ໃຊ້", - "Space Autocomplete": "ການເພິ່ມຂໍ້ຄວາມອັດຕະໂນມັດໃນພື້ນທີ່", - "Room Autocomplete": "ເພິ່ມຂໍ້ຄວາມອັດຕະໂນມັດ", - "Notification Autocomplete": "ການແຈ້ງເຕືອນອັດຕະໂນມັດ", - "Room Notification": "ການແຈ້ງເຕືອນຫ້ອງ", - "Notify the whole room": "ແຈ້ງຫ້ອງທັງໝົດ", - "Emoji Autocomplete": "ຕື່ມຂໍ້ມູນ Emoji ອັດຕະໂນມັດ", - "Command Autocomplete": "ຕື່ມຄໍາສັ່ງອັດຕະໂນມັດ", - "Commands": "ຄໍາສັ່ງ", "Clear personal data": "ລຶບຂໍ້ມູນສ່ວນຕົວ", "Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "ເຂົ້າເຖິງບັນຊີຂອງທ່ານ ອີກເທື່ອນຶ່ງ ແລະ ກູ້ຄືນລະຫັດທີ່ເກັບໄວ້ໃນການດຳເນີນການນີ້. ຖ້າບໍ່ມີພວກລະຫັດ, ທ່ານຈະບໍ່ສາມາດອ່ານຂໍ້ຄວາມທີ່ປອດໄພທັງໝົດຂອງທ່ານໃນການດຳເນີນການໃດໆ.", "Failed to re-authenticate due to a homeserver problem": "ການພິສູດຢືນຢັນຄືນໃໝ່ເນື່ອງຈາກບັນຫາ homeserver ບໍ່ສຳເລັດ", @@ -1058,22 +998,10 @@ "You most likely do not want to reset your event index store": "ສ່ວນຫຼາຍແລ້ວທ່ານບໍ່ຢາກຈະກູ້ຄືນດັດສະນີຂອງທ່ານ", "Reset event store?": "ກູ້ຄືນການຕັ້ງຄ່າບໍ?", "For security, this session has been signed out. Please sign in again.": "ເພື່ອຄວາມປອດໄພ, ລະບົບນີ້ໄດ້ຖືກອອກຈາກລະບົບແລ້ວ. ກະລຸນາເຂົ້າສູ່ລະບົບອີກຄັ້ງ.", - "Attach files from chat or just drag and drop them anywhere in a room.": "ແນບໄຟລ໌ຈາກການສົນທະນາ ຫຼື ພຽງແຕ່ລາກແລ້ວວາງມັນໄວ້ບ່ອນໃດກໍໄດ້ໃນຫ້ອງ.", - "No files visible in this room": "ບໍ່ມີໄຟລ໌ທີ່ເບິ່ງເຫັນຢູ່ໃນຫ້ອງນີ້", - "You must join the room to see its files": "ທ່ານຕ້ອງເຂົ້າຮ່ວມຫ້ອງເພື່ອເບິ່ງໄຟລ໌", - "You must register to use this functionality": "ທ່ານຕ້ອງ ລົງທະບຽນ ເພື່ອໃຊ້ຟັງຊັນນີ້", - "Drop file here to upload": "ວາງໄຟລ໌ໄວ້ບ່ອນນີ້ເພື່ອອັບໂຫລດ", "Couldn't load page": "ບໍ່ສາມາດໂຫຼດໜ້າໄດ້", "Error downloading audio": "ເກີດຄວາມຜິດພາດໃນການດາວໂຫຼດສຽງ", "Unnamed audio": "ສຽງບໍ່ມີຊື່", "Sign in with SSO": "ເຂົ້າສູ່ລະບົບດ້ວຍປະຕຸດຽວ ( SSO)", - "Use email to optionally be discoverable by existing contacts.": "ໃຊ້ອີເມລ໌ເພື່ອເປັນທາງເລືອກໃຫ້ຜູ້ຕິດຕໍ່ທີ່ມີຢູ່ແລ້ວສາມາດຄົ້ນຫາໄດ້.", - "Use email or phone to optionally be discoverable by existing contacts.": "ໃຊ້ອີເມລ໌ ຫຼື ໂທລະສັບເພື່ອຜູ້ຕິດຕໍ່ທີ່ມີຢູ່ແລ້ວຄົ້ນຫາໄດ້.", - "Add an email to be able to reset your password.": "ເພີ່ມອີເມວເພື່ອສາມາດກູ້ຄືນລະຫັດຜ່ານຂອງທ່ານໄດ້.", - "Phone (optional)": "ໂທລະສັບ (ທາງເລືອກ)", - "Someone already has that username. Try another or if it is you, sign in below.": "ບາງຄົນມີຊື່ຜູ້ໃຊ້ນັ້ນແລ້ວ. ລອງທາງອື່ນ ຫຼື ຖ້າມັນແມ່ນຕົວເຈົ້າ, ເຂົ້າສູ່ລະບົບຂ້າງລຸ່ມນີ້.", - "Unable to check if username has been taken. Try again later.": "ບໍ່ສາມາດກວດສອບໄດ້ວ່າຊື່ຜູ້ໃຊ້ໄດ້ຖືກນຳໄປໃຊ້. ລອງໃໝ່ໃນພາຍຫຼັງ.", - "Use lowercase letters, numbers, dashes and underscores only": "ໃຊ້ຕົວພິມນ້ອຍ, ຕົວເລກ, ຂີດຕໍ່ ແລະ ຂີດກ້ອງເທົ່ານັ້ນ", "Enter phone number (required on this homeserver)": "ໃສ່ເບີໂທລະສັບ (ຕ້ອງການຢູ່ໃນ homeserver ນີ້)", "Other users can invite you to rooms using your contact details": "ຜູ້ໃຊ້ອື່ນສາມາດເຊີນທ່ານເຂົ້າຫ້ອງໄດ້ໂດຍການໃຊ້ລາຍລະອຽດຕິດຕໍ່ຂອງທ່ານ", "Enter email address (required on this homeserver)": "ໃສ່ທີ່ຢູ່ອີເມວ (ຕ້ອງຢູ່ໃນ homeserver ນີ້)", @@ -1105,7 +1033,6 @@ "An error occurred while stopping your live location, please try again": "ເກີດຄວາມຜິດພາດໃນລະຫວ່າງການຢຸດສະຖານທີ່ປັດຈຸບັນຂອງທ່ານ, ກະລຸນາລອງໃໝ່ອີກຄັ້ງ", "Live until %(expiryTime)s": "ຢູ່ຈົນກ່ວາ %(expiryTime)s", "Updated %(humanizedUpdateTime)s": "ອັບເດດ %(humanizedUpdateTime)s", - "Space home": "ພຶ້ນທີ່ home", "Resend %(unsentCount)s reaction(s)": "ສົ່ງການໂຕ້ຕອບ %(unsentCount)s ຄືນໃໝ່", "No results found": "ບໍ່ພົບຜົນການຊອກຫາ", "Filter results": "ການກັ່ນຕອງຜົນຮັບ", @@ -1175,11 +1102,6 @@ "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) ເຂົ້າສູ່ລະບົບໃໝ່ໂດຍບໍ່ມີການຢັ້ງຢືນ:", "Verify your other session using one of the options below.": "ຢືນຢັນລະບົບອື່ນຂອງທ່ານໂດຍໃຊ້ໜຶ່ງໃນຕົວເລືອກຂ້າງລຸ່ມນີ້.", "You signed in to a new session without verifying it:": "ທ່ານເຂົ້າສູ່ລະບົບໃໝ່ໂດຍບໍ່ມີການຢັ້ງຢືນ:", - "Document": "ເອກະສານ", - "Summary": "ສະຫຼຸບ", - "Service": "ບໍລິການ", - "To continue you need to accept the terms of this service.": "ເພື່ອສືບຕໍ່, ທ່ານຈະຕ້ອງຍອມຮັບເງື່ອນໄຂຂອງການບໍລິການນີ້.", - "Use bots, bridges, widgets and sticker packs": "ໃຊ້ໂປແກລມອັດຕະໂນມັດ, ຂົວ, ວິດເຈັດ ແລະ ຊຸດສະຕິກເກີ", "Be found by phone or email": "ພົບເຫັນທາງໂທລະສັບ ຫຼື ອີເມລ໌", "Find others by phone or email": "ຊອກຫາຄົນອື່ນທາງໂທລະສັບ ຫຼື ອີເມລ໌", "Your browser likely removed this data when running low on disk space.": "ບຣາວເຊີຂອງທ່ານອາດຈະລຶບຂໍ້ມູນນີ້ອອກເມື່ອພື້ນທີ່ດິສກ໌ເຫຼືອໜ້ອຍ.", @@ -1196,7 +1118,6 @@ "Join %(roomAddress)s": "ເຂົ້າຮ່ວມ %(roomAddress)s", "Other rooms in %(spaceName)s": "ຫ້ອງອື່ນໆ%(spaceName)s", "Spaces you're in": "ຊ່ອງທີ່ທ່ານຢູ່", - "Settings - %(spaceName)s": "ການຕັ້ງຄ່າ - %(spaceName)s", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "ຈັດກຸ່ມການສົນທະນາຂອງທ່ານກັບສະມາຊິກຂອງຊ່ອງນີ້. ການປິດອັນນີ້ຈະເຊື່ອງການສົນທະນາເຫຼົ່ານັ້ນຈາກການເບິ່ງເຫັນ %(spaceName)s ຂອງທ່ານ.", "Sections to show": "ພາກສ່ວນທີ່ຈະສະແດງ", "Command Help": "ຄໍາສັ່ງຊ່ວຍເຫຼືອ", @@ -1238,7 +1159,6 @@ "Verify this device to mark it as trusted. Trusting this device gives you and other users extra peace of mind when using end-to-end encrypted messages.": "ຢັ້ງຢືນອຸປະກອນນີ້ເພື່ອເປັນເຄື່ອງໝາຍ ໜ້າເຊື່ອຖືໄດ້. ການໄວ້ໃຈໃນອຸປະກອນນີ້ເຮັດໃຫ້ທ່ານ ແລະ ຜູ້ໃຊ້ອື່ນໆມີຄວາມອູ່ນໃນຈິດໃຈຫຼາຍຂຶ້ນເມື່ອເຂົ້າລະຫັດຂໍ້ຄວາມເເຕ່ຕົ້ນທາງຫາປາຍທາງ.", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "ການຢືນຢັນຜູ້ໃຊ້ນີ້ຈະເປັນເຄື່ອງໝາຍໃນລະບົບຂອງເຂົາເຈົ້າໜ້າເຊື່ອຖືໄດ້ ແລະ ເປັນເຄື່ອງໝາຍເຖິງລະບົບຂອງທ່ານ ເປັນທີ່ເຊື່ອຖືໄດ້ຕໍ່ກັບເຂົາເຈົ້າ.", "Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "ຢັ້ງຢືນຜູ້ໃຊ້ນີ້ເພື່ອສ້າງເຄື່ອງທີ່ເຊື່ອຖືໄດ້. ຜູ້ໃຊ້ທີ່ເຊື່ອຖືໄດ້ ເຮັດໃຫ້ທ່ານອຸ່ນໃຈຂື້ນເມື່ຶຶອເຂົ້າລະຫັດຂໍ້ຄວາມແຕ່ຕົ້ນທາງເຖິງປາຍທາງ.", - "Terms of Service": "ເງື່ອນໄຂການໃຫ້ບໍລິການ", "You may contact me if you have any follow up questions": "ທ່ານສາມາດຕິດຕໍ່ຂ້ອຍໄດ້ ຖ້າທ່ານມີຄໍາຖາມເພີ່ມເຕີມ", "Feedback sent! Thanks, we appreciate it!": "ສົ່ງຄຳຕິຊົມແລ້ວ! ຂອບໃຈ, ພວກເຮົາຂອບໃຈ!", "Search for rooms or people": "ຊອກຫາຫ້ອງ ຫຼື ຄົນ", @@ -1370,16 +1290,6 @@ }, "View message": "ເບິ່ງຂໍ້ຄວາມ", "Message didn't send. Click for info.": "ບໍ່ໄດ້ສົ່ງຂໍ້ຄວາມ. ກົດສຳລັບຂໍ້ມູນ.", - "End-to-end encryption isn't enabled": "ບໍ່ໄດ້ເປີດໃຊ້ການເຂົ້າລະຫັດແບບຕົ້ນທາງຮອດປາຍທາງ", - "Enable encryption in settings.": "ເປີດໃຊ້ການເຂົ້າລະຫັດໃນການຕັ້ງຄ່າ.", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "ຂໍ້ຄວາມສ່ວນຕົວຂອງທ່ານຖືກເຂົ້າລະຫັດຕາມປົກກະຕິ, ແຕ່ຫ້ອງນີ້ບໍ່ແມ່ນ. ເນື່ອງມາຈາກອຸປະກອນທີ່ບໍ່ຮອງຮັບ ຫຼື ວິທີການຖືກໃຊ້ ເຊັ່ນ: ການເຊີນທາງອີເມວ.", - "This is the start of .": "ນີ້ແມ່ນຈຸດເລີ່ມຕົ້ນຂອງ .", - "Add a photo, so people can easily spot your room.": "ເພີ່ມຮູບ, ເພື່ອໃຫ້ຄົນສາມາດເຫັນຫ້ອງຂອງທ່ານໄດ້ຢ່າງງ່າຍດາຍ.", - "Invite to just this room": "ເຊີນເຂົ້າຫ້ອງນີ້ເທົ່ານັ້ນ", - "%(displayName)s created this room.": "%(displayName)s ສ້າງຫ້ອງນີ້.", - "You created this room.": "ທ່ານສ້າງຫ້ອງນີ້.", - "Add a topic to help people know what it is about.": "ເພີ່ມຫົວຂໍ້ ເພື່ອຊ່ວຍໃຫ້ຄົນຮູ້ວ່າກ່ຽວກັບຫຍັງ.", - "Topic: %(topic)s ": "ຫົວຂໍ້: %(topic)s ", "What location type do you want to share?": "ທ່ານຕ້ອງການແບ່ງປັນສະຖານທີ່ປະເພດໃດ?", "Drop a Pin": "ປັກໝຸດ", "My live location": "ສະຖານທີ່ຂອງຂ້ອຍ", @@ -1516,10 +1426,6 @@ "Cannot reach homeserver": "ບໍ່ສາມາດຕິດຕໍ່ homeserver ໄດ້", "Email (optional)": "ອີເມວ (ທາງເລືອກ)", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "ກະລຸນາຮັບຊາບວ່າ, ຖ້າທ່ານບໍ່ເພີ່ມອີເມວ ແລະ ລືມລະຫັດຜ່ານຂອງທ່ານ, ທ່ານອາດ ສູນເສຍການເຂົ້າເຖິງບັນຊີຂອງທ່ານຢ່າງຖາວອນ.", - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "other": "ຢືນຢັນການອອກຈາກລະບົບອຸປະກອນເຫຼົ່ານີ້ໂດຍໃຊ້ລະບົບປະຕູດຽວ( SSO) ເພື່ອພິສູດຕົວຕົນຂອງທ່ານ.", - "one": "ຢືນຢັນການອອກຈາກລະບົບອຸປະກອນນີ້ໂດຍໃຊ້ ລະບົບຈັດການປະຕູດຽວ (SSO) ເພື່ອພິສູດຕົວຕົນຂອງທ່ານ." - }, "Session key:": "ກະແຈລະບົບ:", "Session ID:": "ID ລະບົບ:", "Cryptography": "ການເຂົ້າລະຫັດລັບ", @@ -1585,26 +1491,9 @@ "Remove them from everything I'm able to": "ລຶບອອກຈາກທຸກສິ່ງທີ່ຂ້ອຍສາມາດເຮັດໄດ້", "Remove from %(roomName)s": "ລຶບອອກຈາກ %(roomName)s", "Disinvite from %(roomName)s": "ຍົກເລີກເຊີນຈາກ %(roomName)s", - "Select all": "ເລືອກທັງຫມົດ", - "Deselect all": "ຍົກເລີກການເລືອກທັງໝົດ", "Authentication": "ການຢືນຢັນ", - "Sign out devices": { - "one": "ອອກຈາກລະບົບອຸປະກອນ", - "other": "ອອກຈາກລະບົບອຸປະກອນ" - }, - "Click the button below to confirm signing out these devices.": { - "one": "ກົດທີ່ປຸ່ມຂ້າງລຸ່ມນີ້ເພື່ອຢືນຢັນການອອກຈາກລະບົບອຸປະກອນນີ້.", - "other": "ກົດທີ່ປຸ່ມຂ້າງລຸ່ມນີ້ເພື່ອຢືນຢັນການອອກຈາກລະບົບອຸປະກອນເຫຼົ່ານີ້." - }, - "Confirm signing out these devices": { - "one": "ຢືນຢັນການອອກຈາກລະບົບອຸປະກອນນີ້", - "other": "ຢືນຢັນການອອກຈາກລະບົບອຸປະກອນເຫຼົ່ານີ້" - }, "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "ການລຶບລ້າງຂໍ້ມູນທັງໝົດຈາກລະບົບນີ້ຖາວອນ. ຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດຈະສູນເສຍເວັ້ນເສຍແຕ່ກະແຈຂອງເຂົາເຈົ້າໄດ້ຮັບການສໍາຮອງຂໍ້ມູນ.", "%(duration)sd": "%(duration)sd", - "Topic: %(topic)s (edit)": "ຫົວຂໍ້: %(topic)s (ແກ້ໄຂ)", - "This is the beginning of your direct message history with .": "ຈຸດເລີ່ມຕົ້ນຂອງປະຫວັດຂໍ້ຄວາມໂດຍກົງຂອງທ່ານກັບ .", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "ພຽງແຕ່ທ່ານສອງຄົນຢູ່ໃນການສົນທະນານີ້, ເວັ້ນເສຍແຕ່ວ່າທັງສອງທ່ານເຊີນຜູ້ໃດໜຶ່ງເຂົ້າຮ່ວມ.", "This room or space is not accessible at this time.": "ຫ້ອງ ຫຼື ພື້ນທີ່ນີ້ບໍ່ສາມາດເຂົ້າເຖິງໄດ້ໃນເວລານີ້.", "%(roomName)s is not accessible at this time.": "%(roomName)s ບໍ່ສາມາດເຂົ້າເຖິງໄດ້ໃນເວລານີ້.", "Are you sure you're at the right place?": "ທ່ານແນ່ໃຈບໍ່ວ່າທ່ານຢູ່ບ່ອນທີ່ຖືກຕ້ອງ?", @@ -1677,7 +1566,6 @@ "Modal Widget": "ຕົວຊ່ວຍ Widget", "Message edits": "ແກ້ໄຂຂໍ້ຄວາມ", "Your homeserver doesn't seem to support this feature.": "ເບິ່ງຄືວ່າ homeserver ຂອງທ່ານບໍ່ຮອງຮັບຄຸນສົມບັດນີ້.", - "Verify session": "ຢືນຢັນລະບົບ", "If they don't match, the security of your communication may be compromised.": "ຖ້າລະຫັດບໍ່ກົງກັນ, ຄວາມປອດໄພຂອງການສື່ສານຂອງທ່ານອາດຈະຖືກທໍາລາຍ.", "Session key": "ລະຫັດລະບົບ", "Session ID": "ID ລະບົບ", @@ -1918,9 +1806,6 @@ "other": "ສະແດງຕົວຢ່າງອື່ນໆ %(count)s" }, "Scroll to most recent messages": "ເລື່ອນໄປຫາຂໍ້ຄວາມຫຼ້າສຸດ", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "ເມື່ອເປີດໃຊ້ແລ້ວ, ການເຂົ້າລະຫັດລັບຂອງຫ້ອງບໍ່ສາມາດປິດໃຊ້ງານໄດ້. ຂໍ້ຄວາມທີ່ສົ່ງຢູ່ໃນຫ້ອງທີ່ເຂົ້າລະຫັດບໍ່ສາມາດເຫັນໄດ້ໂດຍເຊີບເວີ, ສະເພາະແຕ່ຜູ້ເຂົ້າຮ່ວມຂອງຫ້ອງເທົ່ານັ້ນ. ການເປີດໃຊ້ການເຂົ້າລະຫັດອາດຈະເຮັດໃຫ້ bots ແລະ bridges ຈໍານວນຫຼາຍເຮັດວຽກບໍ່ຖືກຕ້ອງ. ສຶກສາເພີ່ມເຕີມກ່ຽວກັບການເຂົ້າລະຫັດ.", - "Enable encryption?": "ເປີດໃຊ້ງານການເຂົ້າລະຫັດບໍ?", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "ເພື່ອຫຼີກລ້ຽງບັນຫາເຫຼົ່ານີ້, ສ້າງ ຫ້ອງເຂົ້າລະຫັດໃຫມ່ ສໍາລັບການສົນທະນາທີ່ທ່ານວາງແຜນຈະມີ.", "Subscribing to a ban list will cause you to join it!": "ການສະໝັກບັນຊີລາຍການຫ້າມຈະເຮັດໃຫ້ທ່ານເຂົ້າຮ່ວມ!", "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "ເພີ່ມຜູ້ໃຊ້ ແລະເຊີບເວີທີ່ທ່ານບໍ່ສົນໃຈໃນທີ່ນີ້. ໃຊ້ເຄື່ອງໝາຍດາວເພື່ອໃຫ້ %(brand)s ກົງກັບຕົວອັກສອນໃດນຶ່ງ. ຕົວຢ່າງ, @bot:* ຈະບໍ່ສົນໃຈຜູ້ໃຊ້ທັງໝົດທີ່ມີຊື່ 'bot' ຢູ່ໃນເຊີບເວີໃດນຶ່ງ.", "Homeserver feature support:": "ສະຫນັບສະຫນູນຄຸນນະສົມບັດ Homeserver:", @@ -1980,7 +1865,6 @@ "Ban from room": "ຫ້າມອອກຈາກຫ້ອງ", "Unban from room": "ຫ້າມຈາກຫ້ອງ", "Ban from space": "ພື້ນທີ່ຫ້າມຈາກ", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "ໃນຫ້ອງທີ່ເຂົ້າລະຫັດ, ເຊັ່ນດຽວກັບ, ການສະແດງຕົວຢ່າງ URLໄດ້ປິດໃຊ້ງານໂດຍຄ່າເລີ່ມຕົ້ນເພື່ອຮັບປະກັນວ່າ homeserver ຂອງທ່ານ (ບ່ອນສະແດງຕົວຢ່າງ) ບໍ່ສາມາດລວບລວມຂໍ້ມູນກ່ຽວກັບການເຊື່ອມຕໍ່ທີ່ທ່ານເຫັນຢູ່ໃນຫ້ອງນີ້.", "Show Widgets": "ສະແດງ Widgets", "Hide Widgets": "ເຊື່ອງ Widgets", "Forget room": "ລືມຫ້ອງ", @@ -2122,7 +2006,9 @@ "orphan_rooms": "ຫ້ອງອື່ນໆ", "on": "ເທິງ", "off": "ປິດ", - "all_rooms": "ຫ້ອງທັງໝົດ" + "all_rooms": "ຫ້ອງທັງໝົດ", + "deselect_all": "ຍົກເລີກການເລືອກທັງໝົດ", + "select_all": "ເລືອກທັງຫມົດ" }, "action": { "continue": "ສືບຕໍ່", @@ -2340,7 +2226,19 @@ "placeholder_reply_encrypted": "ສົ່ງຄຳຕອບທີ່ເຂົ້າລະຫັດໄວ້…", "placeholder_reply": "ສົ່ງຄຳຕອບ…", "placeholder_encrypted": "ສົ່ງຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດ…", - "placeholder": "ສົ່ງຂໍ້ຄວາມ…" + "placeholder": "ສົ່ງຂໍ້ຄວາມ…", + "autocomplete": { + "command_description": "ຄໍາສັ່ງ", + "command_a11y": "ຕື່ມຄໍາສັ່ງອັດຕະໂນມັດ", + "emoji_a11y": "ຕື່ມຂໍ້ມູນ Emoji ອັດຕະໂນມັດ", + "@room_description": "ແຈ້ງຫ້ອງທັງໝົດ", + "notification_description": "ການແຈ້ງເຕືອນຫ້ອງ", + "notification_a11y": "ການແຈ້ງເຕືອນອັດຕະໂນມັດ", + "room_a11y": "ເພິ່ມຂໍ້ຄວາມອັດຕະໂນມັດ", + "space_a11y": "ການເພິ່ມຂໍ້ຄວາມອັດຕະໂນມັດໃນພື້ນທີ່", + "user_description": "ຜູ້ໃຊ້", + "user_a11y": "ການຕຶ້ມຂໍ້ມູນອັດຕະໂນມັດຊື່ຜູ້ໃຊ້" + } }, "Bold": "ຕົວໜາ", "Code": "ລະຫັດ", @@ -2516,6 +2414,26 @@ }, "keyboard": { "title": "ແປ້ນພິມ" + }, + "sessions": { + "session_id": "ID ລະບົບ", + "verify_session": "ຢືນຢັນລະບົບ", + "confirm_sign_out_sso": { + "other": "ຢືນຢັນການອອກຈາກລະບົບອຸປະກອນເຫຼົ່ານີ້ໂດຍໃຊ້ລະບົບປະຕູດຽວ( SSO) ເພື່ອພິສູດຕົວຕົນຂອງທ່ານ.", + "one": "ຢືນຢັນການອອກຈາກລະບົບອຸປະກອນນີ້ໂດຍໃຊ້ ລະບົບຈັດການປະຕູດຽວ (SSO) ເພື່ອພິສູດຕົວຕົນຂອງທ່ານ." + }, + "confirm_sign_out": { + "one": "ຢືນຢັນການອອກຈາກລະບົບອຸປະກອນນີ້", + "other": "ຢືນຢັນການອອກຈາກລະບົບອຸປະກອນເຫຼົ່ານີ້" + }, + "confirm_sign_out_body": { + "one": "ກົດທີ່ປຸ່ມຂ້າງລຸ່ມນີ້ເພື່ອຢືນຢັນການອອກຈາກລະບົບອຸປະກອນນີ້.", + "other": "ກົດທີ່ປຸ່ມຂ້າງລຸ່ມນີ້ເພື່ອຢືນຢັນການອອກຈາກລະບົບອຸປະກອນເຫຼົ່ານີ້." + }, + "confirm_sign_out_continue": { + "one": "ອອກຈາກລະບົບອຸປະກອນ", + "other": "ອອກຈາກລະບົບອຸປະກອນ" + } } }, "devtools": { @@ -2587,7 +2505,8 @@ "widget_screenshots": "ເປີດໃຊ້ widget ຖ່າຍໜ້າຈໍໃນ widget ທີ່ຮອງຮັບ", "title": "ເຄື່ອງມືພັດທະນາ", "show_hidden_events": "ສະແດງເຫດການທີ່ເຊື່ອງໄວ້ໃນທາມລາຍ", - "developer_mode": "ຮູບແບບນັກພັດທະນາ" + "developer_mode": "ຮູບແບບນັກພັດທະນາ", + "view_source_decrypted_event_source": "ບ່ອນທີ່ຖືກຖອດລະຫັດໄວ້" }, "export_chat": { "html": "HTML", @@ -2953,7 +2872,9 @@ "m.room.create": { "continuation": "ຫ້ອງນີ້ແມ່ນສືບຕໍ່ການສົນທະນາອື່ນ.", "see_older_messages": "ກົດທີ່ນີ້ເພື່ອເບິ່ງຂໍ້ຄວາມເກົ່າ." - } + }, + "creation_summary_dm": "%(creator)s ສ້າງ DM ນີ້.", + "creation_summary_room": "%(creator)s ສ້າງ ແລະ ກຳນົດຄ່າຫ້ອງ." }, "slash_command": { "spoiler": "ສົ່ງຂໍ້ຄວາມທີ່ກຳນົດເປັນ spoiler", @@ -3127,13 +3048,51 @@ "kick": "ເອົາຜູ້ໃຊ້ອອກ", "ban": "ຫ້າມຜູ້ໃຊ້", "redact": "ລົບຂໍ້ຄວາມທີ່ຄົນອື່ນສົ່ງມາ", - "notifications.room": "ແຈ້ງເຕືອນທຸກຄົນ" + "notifications.room": "ແຈ້ງເຕືອນທຸກຄົນ", + "no_privileged_users": "ບໍ່ມີຜູ້ໃຊ້ໃດມີສິດທິພິເສດຢູ່ໃນຫ້ອງນີ້", + "privileged_users_section": "ສິດທິພິເສດຂອງຜູ້ໃຊ້", + "muted_users_section": "ຜູ້ໃຊ້ທີ່ປິດສຽງ", + "banned_users_section": "ຫ້າມຜູ້ໃຊ້", + "send_event_type": "ສົ່ງເຫດການ %(eventType)s", + "title": "ພາລະບົດບາດ & ການອະນຸຍາດ", + "permissions_section": "ການອະນຸຍາດ", + "permissions_section_description_space": "ເລືອກພາລະບົດບາດທີ່ຕ້ອງການໃນການປ່ຽນແປງພາກສ່ວນຕ່າງໆຂອງພຶ້ນທີ່", + "permissions_section_description_room": "ເລືອກພາລະບົດບາດທີ່ຕ້ອງການໃນການປ່ຽນແປງພາກສ່ວນຕ່າງໆຂອງຫ້ອງ" }, "security": { "strict_encryption": "ບໍ່ສົ່ງຂໍ້ຄວາມເຂົ້າລະຫັດໄປຫາລະບົບທີ່ບໍ່ໄດ້ຢືນຢັນໃນຫ້ອງນີ້ຈາກລະບົບນີ້", "join_rule_invite": "ສ່ວນຕົວ (ເຊີນສ່ວນຕົວເທົ່ານັ້ນ )", "join_rule_invite_description": "ສະເພາະຄົນທີ່ຖືກເຊີນເທົ່ານັ້ນທີ່ສາມາດເຂົ້າຮ່ວມໄດ້.", - "join_rule_public_description": "ທຸກຄົນສາມາດຊອກຫາ ແລະ ເຂົ້າຮ່ວມໄດ້." + "join_rule_public_description": "ທຸກຄົນສາມາດຊອກຫາ ແລະ ເຂົ້າຮ່ວມໄດ້.", + "enable_encryption_public_room_confirm_title": "ທ່ານແນ່ໃຈບໍ່ວ່າຕ້ອງການເພີ່ມການເຂົ້າລະຫັດໃສ່ຫ້ອງສາທາລະນະນີ້?", + "enable_encryption_public_room_confirm_description_2": "ເພື່ອຫຼີກລ້ຽງບັນຫາເຫຼົ່ານີ້, ສ້າງ ຫ້ອງເຂົ້າລະຫັດໃຫມ່ ສໍາລັບການສົນທະນາທີ່ທ່ານວາງແຜນຈະມີ.", + "enable_encryption_confirm_title": "ເປີດໃຊ້ງານການເຂົ້າລະຫັດບໍ?", + "enable_encryption_confirm_description": "ເມື່ອເປີດໃຊ້ແລ້ວ, ການເຂົ້າລະຫັດລັບຂອງຫ້ອງບໍ່ສາມາດປິດໃຊ້ງານໄດ້. ຂໍ້ຄວາມທີ່ສົ່ງຢູ່ໃນຫ້ອງທີ່ເຂົ້າລະຫັດບໍ່ສາມາດເຫັນໄດ້ໂດຍເຊີບເວີ, ສະເພາະແຕ່ຜູ້ເຂົ້າຮ່ວມຂອງຫ້ອງເທົ່ານັ້ນ. ການເປີດໃຊ້ການເຂົ້າລະຫັດອາດຈະເຮັດໃຫ້ bots ແລະ bridges ຈໍານວນຫຼາຍເຮັດວຽກບໍ່ຖືກຕ້ອງ. ສຶກສາເພີ່ມເຕີມກ່ຽວກັບການເຂົ້າລະຫັດ.", + "public_without_alias_warning": "ເພື່ອເຊື່ອມຕໍ່ຫາຫ້ອງນີ້, ກະລຸນາເພີ່ມທີ່ຢູ່.", + "join_rule_description": "ຕັດສິນໃຈວ່າໃຜສາມາດເຂົ້າຮ່ວມ %(roomName)s.", + "encrypted_room_public_confirm_title": "ທ່ານແນ່ໃຈບໍ່ວ່າຕ້ອງການເຮັດໃຫ້ຫ້ອງທີ່ຖືກເຂົ້າລະຫັດນີ້ເປັນສາທາລະນະ?", + "encrypted_room_public_confirm_description_1": "ບໍ່ໄດ້ແນະນໍາໃຫ້ເຮັດໃຫ້ຫ້ອງທີ່ເຂົ້າລະຫັດເປັນສາທາລະນະ. ມັນຈະຫມາຍຄວາມວ່າທຸກຄົນສາມາດຊອກຫາແລະເຂົ້າຮ່ວມຫ້ອງໄດ້, ດັ່ງນັ້ນທຸກຄົນສາມາດອ່ານຂໍ້ຄວາມໄດ້. ທ່ານຈະບໍ່ໄດ້ຮັບຜົນປະໂຫຍດອັນໃດຈາກການເຂົ້າລະຫັດ.", + "encrypted_room_public_confirm_description_2": "ເພື່ອຫຼີກເວັ້ນບັນຫາເຫຼົ່ານີ້, ສ້າງ new public room ສໍາລັບການສົນທະນາທີ່ທ່ານວາງແຜນໄວ້.", + "history_visibility": {}, + "history_visibility_warning": "ການປ່ຽນແປງຜູ້ທີ່ອ່ານປະຫວັດຈະມີຜົນກັບຂໍ້ຄວາມໃນອະນາຄົດທີ່ຢູ່ໃນຫ້ອງນີ້ເທົ່ານັ້ນ.", + "history_visibility_legend": "ຜູ້ໃດອ່ານປະຫວັດໄດ້?", + "guest_access_warning": "ຄົນທີ່ມີລູກຄ້າສະຫນັບສະຫນູນຈະສາມາດເຂົ້າຮ່ວມຫ້ອງໄດ້ໂດຍບໍ່ຕ້ອງມີບັນຊີລົງທະບຽນ.", + "title": "ຄວາມປອດໄພ & ຄວາມເປັນສ່ວນຕົວ", + "encryption_permanent": "ເມື່ອເປີດໃຊ້ແລ້ວ, ການເຂົ້າລະຫັດບໍ່ສາມາດຖືກປິດໃຊ້ງານໄດ້.", + "history_visibility_shared": "(ນັບແຕ່ຊ່ວງເວລາຂອງການເລືອກນີ້) ສຳລັບສະມາຊິກເທົ່ານັ້ນ", + "history_visibility_invited": "ສະເພາະສະມາຊິກເທົ່ານັ້ນ (ນັບແຕ່ພວກເຂົາຖືກເຊີນ)", + "history_visibility_joined": "ສະເພາະສະມາຊິກເທົ່ານັ້ນ (ນັບແຕ່ພວກເຂົາເຂົ້າຮ່ວມ)", + "history_visibility_world_readable": "ຄົນໃດຄົນໜຶ່ງ" + }, + "general": { + "publish_toggle": "ເຜີຍແຜ່ຫ້ອງນີ້ຕໍ່ສາທາລະນະຢູ່ໃນຄຳນຳຫ້ອງຂອງ %(domain)s ບໍ?", + "user_url_previews_default_on": "ທ່ານໄດ້ ເປີດໃຊ້ງານ ຕົວຢ່າງ URL ຕາມຄ່າເລີ່ມຕົ້ນ.", + "user_url_previews_default_off": "ທ່ານໄດ້ ປິດໃຊ້ງານ ຕົວຢ່າງ URL ຕາມຄ່າເລີ່ມຕົ້ນ.", + "default_url_previews_on": "ການສະແດງຕົວຢ່າງ URL ຖືກເປີດໃຊ້ໂດຍຄ່າເລີ່ມຕົ້ນສໍາລັບຜູ້ເຂົ້າຮ່ວມໃນຫ້ອງນີ້.", + "default_url_previews_off": "ການສະແດງຕົວຢ່າງ URL ຖືກປິດການນຳໃຊ້ໂດຍຄ່າເລີ່ມຕົ້ນສຳລັບຜູ້ເຂົ້າຮ່ວມໃນຫ້ອງນີ້.", + "url_preview_encryption_warning": "ໃນຫ້ອງທີ່ເຂົ້າລະຫັດ, ເຊັ່ນດຽວກັບ, ການສະແດງຕົວຢ່າງ URLໄດ້ປິດໃຊ້ງານໂດຍຄ່າເລີ່ມຕົ້ນເພື່ອຮັບປະກັນວ່າ homeserver ຂອງທ່ານ (ບ່ອນສະແດງຕົວຢ່າງ) ບໍ່ສາມາດລວບລວມຂໍ້ມູນກ່ຽວກັບການເຊື່ອມຕໍ່ທີ່ທ່ານເຫັນຢູ່ໃນຫ້ອງນີ້.", + "url_preview_explainer": "ເມື່ອຜູ້ໃດຜູ້ນຶ່ງໃສ່ URL ໃນຂໍ້ຄວາມຂອງພວກເຂົາ, ການສະແດງຕົວຢ່າງ URL ສາມາດສະແດງເພື່ອໃຫ້ຂໍ້ມູນເພີ່ມເຕີມກ່ຽວກັບການເຊື່ອມຕໍ່ນັ້ນເຊັ່ນຫົວຂໍ້, ຄໍາອະທິບາຍແລະຮູບພາບຈາກເວັບໄຊທ໌.", + "url_previews_section": "ຕົວຢ່າງ URL" } }, "encryption": { @@ -3239,7 +3198,15 @@ "server_picker_explainer": "ໃຊ້ Matrix homeserver ທີ່ທ່ານຕ້ອງການ ຖ້າຫາກທ່ານມີ ຫຼື ເປັນເຈົ້າພາບເອງ.", "server_picker_learn_more": "ກ່ຽວກັບ homeservers", "incorrect_credentials": "ຊື່ຜູ້ໃຊ້ ແລະ/ຫຼືລະຫັດຜ່ານບໍ່ຖືກຕ້ອງ.", - "account_deactivated": "ບັນຊີນີ້ຖືກປິດການນຳໃຊ້ແລ້ວ." + "account_deactivated": "ບັນຊີນີ້ຖືກປິດການນຳໃຊ້ແລ້ວ.", + "registration_username_validation": "ໃຊ້ຕົວພິມນ້ອຍ, ຕົວເລກ, ຂີດຕໍ່ ແລະ ຂີດກ້ອງເທົ່ານັ້ນ", + "registration_username_unable_check": "ບໍ່ສາມາດກວດສອບໄດ້ວ່າຊື່ຜູ້ໃຊ້ໄດ້ຖືກນຳໄປໃຊ້. ລອງໃໝ່ໃນພາຍຫຼັງ.", + "registration_username_in_use": "ບາງຄົນມີຊື່ຜູ້ໃຊ້ນັ້ນແລ້ວ. ລອງທາງອື່ນ ຫຼື ຖ້າມັນແມ່ນຕົວເຈົ້າ, ເຂົ້າສູ່ລະບົບຂ້າງລຸ່ມນີ້.", + "phone_label": "ໂທລະສັບ", + "phone_optional_label": "ໂທລະສັບ (ທາງເລືອກ)", + "email_help_text": "ເພີ່ມອີເມວເພື່ອສາມາດກູ້ຄືນລະຫັດຜ່ານຂອງທ່ານໄດ້.", + "email_phone_discovery_text": "ໃຊ້ອີເມລ໌ ຫຼື ໂທລະສັບເພື່ອຜູ້ຕິດຕໍ່ທີ່ມີຢູ່ແລ້ວຄົ້ນຫາໄດ້.", + "email_discovery_text": "ໃຊ້ອີເມລ໌ເພື່ອເປັນທາງເລືອກໃຫ້ຜູ້ຕິດຕໍ່ທີ່ມີຢູ່ແລ້ວສາມາດຄົ້ນຫາໄດ້." }, "room_list": { "sort_unread_first": "ສະແດງຫ້ອງຂໍ້ຄວາມທີ່ຍັງບໍ່ທັນໄດ້ອ່ານກ່ອນ", @@ -3430,7 +3397,21 @@ "light_high_contrast": "ແສງສະຫວ່າງຄວາມຄົມຊັດສູງ" }, "space": { - "landing_welcome": "ຍິນດີຕ້ອນຮັບສູ່ " + "landing_welcome": "ຍິນດີຕ້ອນຮັບສູ່ ", + "suggested_tooltip": "ຫ້ອງນີ້ຖືກແນະນໍາວ່າເປັນຫ້ອງທີ່ດີທີ່ຈະເຂົ້າຮ່ວມ", + "suggested": "ແນະນຳແລ້ວ", + "select_room_below": "ເລືອກຫ້ອງຂ້າງລຸ່ມນີ້ກ່ອນ", + "unmark_suggested": "ເຮັດເຄຶ່ອງໝາຍໄວ້ວ່າ ບໍ່ໄດ້ແນະນຳ", + "mark_suggested": "ເຄື່ອງໝາຍທີ່ ແນະນຳ", + "failed_remove_rooms": "ລຶບບາງຫ້ອງອອກບໍ່ສຳເລັດ. ລອງໃໝ່ໃນພາຍຫຼັງ", + "failed_load_rooms": "ໂຫຼດລາຍຊື່ຫ້ອງບໍ່ສຳເລັດ.", + "incompatible_server_hierarchy": "ເຊີບເວີຂອງທ່ານບໍ່ຮອງຮັບການສະແດງລໍາດັບຊັ້ນຂອງພື້ນທີ່.", + "context_menu": { + "devtools_open_timeline": "ເບິ່ງທາມລາຍຫ້ອງ (devtools)", + "home": "ພຶ້ນທີ່ home", + "explore": "ການສຳຫຼວດຫ້ອງ", + "manage_and_explore": "ຈັດການ ແລະ ສຳຫຼວດຫ້ອງ" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "homeserver ນີ້ບໍ່ໄດ້ຕັ້ງຄ່າເພື່ອສະແດງແຜນທີ່.", @@ -3478,5 +3459,50 @@ "setup_rooms_description": "ທ່ານສາມາດເພີ່ມເຕີມໃນພາຍຫຼັງ, ລວມທັງອັນທີ່ມີຢູ່ແລ້ວ.", "setup_rooms_private_heading": "ທີມງານຂອງທ່ານເຮັດວຽກຢູ່ໃນໂຄງການໃດ?", "setup_rooms_private_description": "ພວກເຮົາຈະສ້າງແຕ່ລະຫ້ອງ." + }, + "user_menu": { + "switch_theme_light": "ສະຫຼັບໄປໂໝດແສງ", + "switch_theme_dark": "ສະຫຼັບໄປໂໝດມືດ" + }, + "notif_panel": { + "empty_heading": "ໝົດແລ້ວໝົດເລີຍ", + "empty_description": "ທ່ານບໍ່ເຫັນການເເຈ້ງເຕືອນ." + }, + "console_scam_warning": "ຖ້າມີຄົນບອກທ່ານໃຫ້ສຳເນົາ/ວາງບາງອັນຢູ່ບ່ອນນີ້, ມີໂອກາດສູງທີ່ທ່ານຈະຖືກຫລອກລວງ!", + "console_dev_note": "ຖ້າທ່ານຮູ້ວ່າທ່ານກໍາລັງເຮັດຫຍັງ, Element ແມ່ນແຫຼ່ງເປີດ, ກວດເບິ່ງໃຫ້ແນ່ໃຈວ່າ GitHub ຂອງພວກເຮົາ (https://github.com/vector-im/element-web/) ແລະ ປະກອບສ່ວນ!", + "room": { + "drop_file_prompt": "ວາງໄຟລ໌ໄວ້ບ່ອນນີ້ເພື່ອອັບໂຫລດ", + "intro": { + "start_of_dm_history": "ຈຸດເລີ່ມຕົ້ນຂອງປະຫວັດຂໍ້ຄວາມໂດຍກົງຂອງທ່ານກັບ .", + "dm_caption": "ພຽງແຕ່ທ່ານສອງຄົນຢູ່ໃນການສົນທະນານີ້, ເວັ້ນເສຍແຕ່ວ່າທັງສອງທ່ານເຊີນຜູ້ໃດໜຶ່ງເຂົ້າຮ່ວມ.", + "topic_edit": "ຫົວຂໍ້: %(topic)s (ແກ້ໄຂ)", + "topic": "ຫົວຂໍ້: %(topic)s ", + "no_topic": "ເພີ່ມຫົວຂໍ້ ເພື່ອຊ່ວຍໃຫ້ຄົນຮູ້ວ່າກ່ຽວກັບຫຍັງ.", + "you_created": "ທ່ານສ້າງຫ້ອງນີ້.", + "user_created": "%(displayName)s ສ້າງຫ້ອງນີ້.", + "room_invite": "ເຊີນເຂົ້າຫ້ອງນີ້ເທົ່ານັ້ນ", + "no_avatar_label": "ເພີ່ມຮູບ, ເພື່ອໃຫ້ຄົນສາມາດເຫັນຫ້ອງຂອງທ່ານໄດ້ຢ່າງງ່າຍດາຍ.", + "start_of_room": "ນີ້ແມ່ນຈຸດເລີ່ມຕົ້ນຂອງ .", + "private_unencrypted_warning": "ຂໍ້ຄວາມສ່ວນຕົວຂອງທ່ານຖືກເຂົ້າລະຫັດຕາມປົກກະຕິ, ແຕ່ຫ້ອງນີ້ບໍ່ແມ່ນ. ເນື່ອງມາຈາກອຸປະກອນທີ່ບໍ່ຮອງຮັບ ຫຼື ວິທີການຖືກໃຊ້ ເຊັ່ນ: ການເຊີນທາງອີເມວ.", + "enable_encryption_prompt": "ເປີດໃຊ້ການເຂົ້າລະຫັດໃນການຕັ້ງຄ່າ.", + "unencrypted_warning": "ບໍ່ໄດ້ເປີດໃຊ້ການເຂົ້າລະຫັດແບບຕົ້ນທາງຮອດປາຍທາງ" + } + }, + "file_panel": { + "guest_note": "ທ່ານຕ້ອງ ລົງທະບຽນ ເພື່ອໃຊ້ຟັງຊັນນີ້", + "peek_note": "ທ່ານຕ້ອງເຂົ້າຮ່ວມຫ້ອງເພື່ອເບິ່ງໄຟລ໌", + "empty_heading": "ບໍ່ມີໄຟລ໌ທີ່ເບິ່ງເຫັນຢູ່ໃນຫ້ອງນີ້", + "empty_description": "ແນບໄຟລ໌ຈາກການສົນທະນາ ຫຼື ພຽງແຕ່ລາກແລ້ວວາງມັນໄວ້ບ່ອນໃດກໍໄດ້ໃນຫ້ອງ." + }, + "terms": { + "integration_manager": "ໃຊ້ໂປແກລມອັດຕະໂນມັດ, ຂົວ, ວິດເຈັດ ແລະ ຊຸດສະຕິກເກີ", + "tos": "ເງື່ອນໄຂການໃຫ້ບໍລິການ", + "intro": "ເພື່ອສືບຕໍ່, ທ່ານຈະຕ້ອງຍອມຮັບເງື່ອນໄຂຂອງການບໍລິການນີ້.", + "column_service": "ບໍລິການ", + "column_summary": "ສະຫຼຸບ", + "column_document": "ເອກະສານ" + }, + "space_settings": { + "title": "ການຕັ້ງຄ່າ - %(spaceName)s" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/lt.json b/src/i18n/strings/lt.json index 7c71e4b3fa..7ca3ff83ac 100644 --- a/src/i18n/strings/lt.json +++ b/src/i18n/strings/lt.json @@ -87,7 +87,6 @@ "Current password": "Dabartinis slaptažodis", "New Password": "Naujas slaptažodis", "Failed to set display name": "Nepavyko nustatyti rodomo vardo", - "Drop file here to upload": "Norėdami įkelti, vilkite failą čia", "Failed to mute user": "Nepavyko nutildyti vartotojo", "Are you sure?": "Ar tikrai?", "Admin Tools": "Administratoriaus įrankiai", @@ -98,11 +97,7 @@ "Upload avatar": "Įkelti pseudoportretą", "%(roomName)s does not exist.": "%(roomName)s neegzistuoja.", "%(roomName)s is not accessible at this time.": "%(roomName)s šiuo metu nėra pasiekiamas.", - "Muted Users": "Nutildyti naudotojai", - "Anyone": "Bet kas", - "Permissions": "Leidimai", "This room has no local addresses": "Šis kambarys neturi jokių vietinių adresų", - "URL Previews": "URL nuorodų peržiūros", "Error decrypting attachment": "Klaida iššifruojant priedą", "Decrypt %(text)s": "Iššifruoti %(text)s", "Download %(text)s": "Atsisiųsti %(text)s", @@ -146,9 +141,6 @@ "New passwords must match each other.": "Nauji slaptažodžiai privalo sutapti.", "Return to login screen": "Grįžti į prisijungimą", "Please note you are logging into the %(hs)s server, not matrix.org.": "Atkreipkite dėmesį, kad jūs jungiatės prie %(hs)s serverio, o ne matrix.org.", - "Commands": "Komandos", - "Notify the whole room": "Pranešti visam kambariui", - "Users": "Naudotojai", "Session ID": "Seanso ID", "Passphrases must match": "Slaptafrazės privalo sutapti", "Passphrase must not be empty": "Slaptafrazė negali būti tuščia", @@ -185,14 +177,8 @@ "Demote": "Pažeminti", "Share Link to User": "Dalintis nuoroda į vartotoją", "The conversation continues here.": "Pokalbis tęsiasi čia.", - "Banned users": "Užblokuoti vartotojai", "This room is not accessible by remote Matrix servers": "Šis kambarys nėra pasiekiamas nuotoliniams Matrix serveriams", - "Who can read history?": "Kas gali skaityti istoriją?", "Only room administrators will see this warning": "Šį įspėjimą matys tik kambario administratoriai", - "You have enabled URL previews by default.": "Jūs įjungėte URL nuorodų peržiūras kaip numatytasias.", - "You have disabled URL previews by default.": "Jūs išjungėte URL nuorodų peržiūras kaip numatytasias.", - "URL previews are enabled by default for participants in this room.": "URL nuorodų peržiūros šio kambario dalyviams yra įjungtos kaip numatytosios.", - "URL previews are disabled by default for participants in this room.": "URL nuorodų peržiūros šio kambario dalyviams yra išjungtos kaip numatytosios.", "Invalid file%(extra)s": "Neteisingas failas %(extra)s", "Token incorrect": "Neteisingas prieigos raktas", "Sign in with": "Prisijungti naudojant", @@ -222,7 +208,6 @@ "You do not have permission to post to this room": "Jūs neturite leidimų rašyti šiame kambaryje", "Failed to unban": "Nepavyko atblokuoti", "not specified": "nenurodyta", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Šifruotuose kambariuose, tokiuose kaip šis, URL nuorodų peržiūros pagal numatymą yra išjungtos, kad būtų užtikrinta, jog jūsų serveris (kur yra generuojamos peržiūros) negali rinkti informacijos apie jūsų šiame kambaryje peržiūrėtas nuorodas.", "Home": "Pradžia", "And %(count)s more...": { "other": "Ir dar %(count)s..." @@ -235,7 +220,6 @@ "Unknown server error": "Nežinoma serverio klaida", "Delete Backup": "Ištrinti Atsarginę Kopiją", "Set up": "Nustatyti", - "Publish this room to the public in %(domain)s's room directory?": "Paskelbti šį kambarį viešai %(domain)s kambarių kataloge?", "Start authentication": "Pradėti tapatybės nustatymą", "Preparing to send logs": "Ruošiamasi išsiųsti žurnalus", "Incompatible Database": "Nesuderinama duomenų bazė", @@ -318,13 +302,11 @@ "Upload Error": "Įkėlimo klaida", "This room is not public. You will not be able to rejoin without an invite.": "Šis kambarys nėra viešas. Jūs negalėsite prisijungti iš naujo be pakvietimo.", "Are you sure you want to leave the room '%(roomName)s'?": "Ar tikrai norite išeiti iš kambario %(roomName)s?", - "%(creator)s created and configured the room.": "%(creator)s sukūrė ir sukonfigūravo kambarį.", "General failure": "Bendras triktis", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (galia %(powerLevelNumber)s)", "Enter username": "Įveskite vartotojo vardą", "Create account": "Sukurti paskyrą", "Change identity server": "Pakeisti tapatybės serverį", - "Select the roles required to change various parts of the room": "Pasirinkite įvairių kambario dalių keitimui reikalingas roles", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Jūs neturėsite galimybės atšaukti šio keitimo, kadangi jūs žeminate savo privilegijas kambaryje. Jei jūs esate paskutinis privilegijuotas vartotojas kambaryje, atgauti privilegijas bus neįmanoma.", "Failed to change power level": "Nepavyko pakeisti galios lygio", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Jūs neturėsite galimybės atšaukti šio keitimo, kadangi jūs paaukštinate vartotoją, suteikdami tokį patį galios lygį, kokį turite jūs.", @@ -390,7 +372,6 @@ "Confirm your identity by entering your account password below.": "Patvirtinkite savo tapatybę žemiau įvesdami savo paskyros slaptažodį.", "Use an email address to recover your account": "Naudokite el. pašto adresą, kad prireikus galėtumėte atgauti paskyrą", "Passwords don't match": "Slaptažodžiai nesutampa", - "Use lowercase letters, numbers, dashes and underscores only": "Naudokite tik mažąsias raides, brūkšnelius ir pabraukimus", "That matches!": "Tai sutampa!", "That doesn't match.": "Tai nesutampa.", "Your password has been reset.": "Jūsų slaptažodis buvo iš naujo nustatytas.", @@ -399,11 +380,8 @@ "Verify your other session using one of the options below.": "Patvirtinkite savo kitą seansą naudodami vieną iš žemiau esančių parinkčių.", "Restore from Backup": "Atkurti iš Atsarginės Kopijos", "Cryptography": "Kriptografija", - "Security & Privacy": "Saugumas ir Privatumas", "Voice & Video": "Garsas ir Vaizdas", - "Enable encryption?": "Įjungti šifravimą?", "Encryption": "Šifravimas", - "Once enabled, encryption cannot be disabled.": "Įjungus šifravimą jo nebus galima išjungti.", "Deactivate user?": "Deaktyvuoti vartotoją?", "Deactivate user": "Deaktyvuoti vartotoją", "Failed to deactivate user": "Nepavyko deaktyvuoti vartotojo", @@ -428,7 +406,6 @@ "Encryption not enabled": "Šifravimas neįjungtas", "More options": "Daugiau parinkčių", "Are you sure you want to deactivate your account? This is irreversible.": "Ar tikrai norite deaktyvuoti savo paskyrą? Tai yra negrįžtama.", - "Verify session": "Patvirtinti seansą", "Are you sure you want to sign out?": "Ar tikrai norite atsijungti?", "Are you sure you want to reject the invitation?": "Ar tikrai norite atmesti pakvietimą?", "Nice, strong password!": "Puiku, stiprus slaptažodis!", @@ -583,7 +560,6 @@ "Create a new room with the same name, description and avatar": "Sukurti naują kambarį su tuo pačiu pavadinimu, aprašymu ir pseudoportretu", "Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Kambario atnaujinimas yra sudėtingas veiksmas ir paprastai rekomenduojamas, kai kambarys nestabilus dėl klaidų, trūkstamų funkcijų ar saugos spragų.", "To help us prevent this in future, please send us logs.": "Norėdami padėti mums išvengti to ateityje, atsiųskite mums žurnalus.", - "Emoji Autocomplete": "Jaustukų automatinis užbaigimas", "Failed to reject invitation": "Nepavyko atmesti pakvietimo", "Can't leave Server Notices room": "Negalima išeiti iš Serverio Pranešimų kambario", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Šis kambarys yra naudojamas svarbioms žinutėms iš serverio, tad jūs negalite iš jo išeiti.", @@ -684,12 +660,6 @@ "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Serverio administratorius išjungė visapusį šifravimą, kaip numatytą, privačiuose kambariuose ir Tiesioginėse Žinutėse.", "Notification sound": "Pranešimo garsas", "Sounds": "Garsai", - "Privileged Users": "Privilegijuoti Nariai", - "Roles & Permissions": "Rolės ir Leidimai", - "Members only (since the point in time of selecting this option)": "Tik nariai (nuo šios parinkties pasirinkimo momento)", - "Members only (since they were invited)": "Tik nariai (nuo jų pakvietimo)", - "Members only (since they joined)": "Tik nariai (nuo jų prisijungimo)", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Kas gali skaityti istoriją nustatymų pakeitimai bus taikomi tik būsimoms šio kambario žinutėms. Esamos istorijos matomumas nepakis.", "The authenticity of this encrypted message can't be guaranteed on this device.": "Šiame įrenginyje negalima užtikrinti šios užšifruotos žinutės autentiškumo.", "Unencrypted": "Neužšifruota", "Encrypted by an unverified session": "Užšifruota nepatvirtinto seanso", @@ -707,7 +677,6 @@ "Invite someone using their name, username (like ) or share this room.": "Pakviesti ką nors naudojant jų vardą, vartotojo vardą (pvz.: ) arba bendrinti šį kambarį.", "Share Room Message": "Bendrinti Kambario Žinutę", "Share Room": "Bendrinti Kambarį", - "Use bots, bridges, widgets and sticker packs": "Naudoti botus, tiltus, valdiklius ir lipdukų pakuotes", "Add widgets, bridges & bots": "Pridėti valdiklius, tiltus ir botus", "Edit widgets, bridges & bots": "Redaguoti valdiklius, tiltus ir botus", "Widgets": "Valdikliai", @@ -717,8 +686,6 @@ "Hide Widgets": "Slėpti Valdiklius", "%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s dabar naudoja 3-5 kartus mažiau atminties, įkeliant vartotojų informaciją tik prireikus. Palaukite, kol mes iš naujo sinchronizuosime su serveriu!", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Jūs būsite nukreipti į trečiosios šalies svetainę, kad galėtumėte patvirtinti savo paskyrą naudojimui su %(integrationsUrl)s. Ar norite tęsti?", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Įjungus kambario šifravimą jo išjungti negalima. Žinutės, siunčiamos šifruotame kambaryje, nėra matomos serverio. Jas gali matyti tik kambario dalyviai. Įjungus šifravimą, daugelis botų ir tiltų gali veikti netinkamai. Sužinoti daugiau apie šifravimą.", - "You must join the room to see its files": "Norėdami pamatyti jo failus, turite prisijungti prie kambario", "Join millions for free on the largest public server": "Prisijunkite prie milijonų didžiausiame viešame serveryje nemokamai", "Join the conference from the room information card on the right": "Prisijunkite prie konferencijos kambario informacijos kortelėje dešinėje", "Join the conference at the top of this room": "Prisijunkite prie konferencijos šio kambario viršuje", @@ -729,7 +696,6 @@ "Join Room": "Prisijungti prie kambario", "Subscribing to a ban list will cause you to join it!": "Užsiprenumeravus draudimų sąrašą, būsite prie jo prijungtas!", "You have ignored this user, so their message is hidden. Show anyways.": "Jūs ignoravote šį vartotoją, todėl jo žinutė yra paslėpta. Rodyti vistiek.", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Kai kas nors į savo žinutę įtraukia URL, gali būti rodoma URL peržiūra, suteikianti daugiau informacijos apie tą nuorodą, tokios kaip pavadinimas, aprašymas ir vaizdas iš svetainės.", "Show Widgets": "Rodyti Valdiklius", "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "Neleisti vartotojams kalbėti senoje kambario versijoje ir paskelbti pranešimą, kuriame vartotojams patariama persikelti į naują kambarį", "Update any local room aliases to point to the new room": "Atnaujinkite vietinių kambarių slapyvardžius, kad nurodytumėte į naująjį kambarį", @@ -813,8 +779,6 @@ "You are currently ignoring:": "Šiuo metu ignoruojate:", "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Ar tikrai? Jūs prarasite savo šifruotas žinutes, jei jūsų raktams nebus tinkamai sukurtos atsarginės kopijos.", "Your keys are not being backed up from this session.": "Jūsų raktams nėra daromos atsarginės kopijos iš šio seanso.", - "Notification Autocomplete": "Pranešimo Automatinis Užbaigimas", - "Room Notification": "Kambario Pranešimas", "You have %(count)s unread notifications in a prior version of this room.": { "one": "Jūs turite %(count)s neperskaitytą pranešimą ankstesnėje šio kambario versijoje.", "other": "Jūs turite %(count)s neperskaitytus(-ų) pranešimus(-ų) ankstesnėje šio kambario versijoje." @@ -845,9 +809,6 @@ "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Naudokite slaptafrazę, kurią žinote tik jūs ir pasirinktinai išsaugokite Apsaugos Raktą, naudoti kaip atsarginę kopiją.", "Enter a Security Phrase": "Įveskite Slaptafrazę", "Security Phrase": "Slaptafrazė", - "%(creator)s created this DM.": "%(creator)s sukūrė šį tiesioginio susirašymo kambarį.", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Šiame pokalbyje esate tik jūs dviese, nebent kuris nors iš jūsų pakvies ką nors prisijungti.", - "This is the beginning of your direct message history with .": "Tai yra jūsų tiesioginių žinučių su istorijos pradžia.", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Nepavyksta prisijungti prie serverio - patikrinkite savo ryšį, įsitikinkite, kad jūsų serverio SSL sertifikatas yra patikimas ir, kad naršyklės plėtinys neužblokuoja užklausų.", "You've previously used a newer version of %(brand)s with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "Anksčiau šiame seanse naudojote naujesnę %(brand)s versiją. Norėdami vėl naudoti šią versiją su visapusiu šifravimu, turėsite atsijungti ir prisijungti iš naujo.", "To avoid losing your chat history, you must export your room keys before logging out. You will need to go back to the newer version of %(brand)s to do this": "Tam, kad neprarastumėte savo pokalbių istorijos, prieš atsijungdami turite eksportuoti kambario raktus. Norėdami tai padaryti, turėsite grįžti į naujesnę %(brand)s versiją", @@ -998,10 +959,6 @@ "This widget would like to:": "Šis valdiklis norėtų:", "Approve widget permissions": "Patvirtinti valdiklio leidimus", "Verification Request": "Patikrinimo Užklausa", - "Document": "Dokumentas", - "Summary": "Santrauka", - "Service": "Paslauga", - "To continue you need to accept the terms of this service.": "Norėdami tęsti, turite sutikti su šios paslaugos sąlygomis.", "Be found by phone or email": "Tapkite randami telefonu arba el. paštu", "Find others by phone or email": "Ieškokite kitų telefonu arba el. paštu", "Save Changes": "Išsaugoti Pakeitimus", @@ -1063,7 +1020,6 @@ "Click the button below to confirm your identity.": "Spustelėkite toliau esantį mygtuką, kad patvirtintumėte savo tapatybę.", "Confirm to continue": "Patvirtinkite, kad tęstumėte", "Incoming Verification Request": "Įeinantis Patikrinimo Prašymas", - "Terms of Service": "Paslaugų Teikimo Sąlygos", "Search for rooms or people": "Ieškoti kambarių ar žmonių", "Message preview": "Žinutės peržiūra", "Sent": "Išsiųsta", @@ -1147,16 +1103,6 @@ "other": "& %(count)s daugiau" }, "Upgrade required": "Reikalingas atnaujinimas", - "Click the button below to confirm signing out these devices.": { - "other": "Spustelėkite mygtuką žemiau kad patvirtinti šių įrenginių atjungimą.", - "one": "Spustelėkite mygtuką žemiau kad patvirtinti šio įrenginio atjungimą." - }, - "Deselect all": "Nuimti pasirinkimą nuo visko", - "Select all": "Pasirinkti viską", - "Sign out devices": { - "other": "Atjungti įrenginius", - "one": "Atjungti įrenginį" - }, "Decide who can view and join %(spaceName)s.": "Nuspręskite kas gali peržiūrėti ir prisijungti prie %(spaceName)s.", "Channel: ": "Kanalas: ", "Visibility": "Matomumas", @@ -1283,47 +1229,9 @@ "Something went wrong with your invite to %(roomName)s": "Kažkas nepavyko su jūsų kvietimu į %(roomName)s", "You were banned by %(memberName)s": "Jus užblokavo %(memberName)s", "You were banned from %(roomName)s by %(memberName)s": "%(memberName)s uždraudė jums lankytis %(roomName)s", - "No unverified sessions found.": "Nepatvirtintų sesijų nerasta.", - "No verified sessions found.": "Patvirtintų sesijų nerasta.", - "Inactive sessions": "Neaktyvios sesijos", - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Patvirtinkite savo sesijas didesniam saugumui, arba atsijunkite iš tų sesijų kurių neatpažįstate ar nebenaudojate.", - "Unverified sessions": "Nepatvirtintos sesijos", - "For best security, sign out from any session that you don't recognize or use anymore.": "Geriausiam saugumui, atsijunkite iš bet kurios sesijos, kurios neatpažįstate arba nebenaudojate.", - "Verified sessions": "Patvirtintos sesijos", - "Verify or sign out from this session for best security and reliability.": "Geriausiam saugumui ir patikimumui, patvirtinkite arba atsijunkite iš šios sesijos.", - "Unverified session": "Nepatvirtinta sesija", - "This session is ready for secure messaging.": "Ši sesija paruošta saugiam žinučių siuntimui.", - "Verified session": "Patvirtinta sesija", - "Inactive for %(inactiveAgeDays)s+ days": "Neaktyvus %(inactiveAgeDays)s+ dienas", - "Sign out of this session": "Atsijungti iš šios sesijos", - "Session details": "Sesijos detalės", - "IP address": "IP adresas", - "Last activity": "Paskutinė veikla", - "Rename session": "Pervadinti sesiją", - "Confirm signing out these devices": { - "one": "Patvirtinkite šio įrenginio atjungimą", - "other": "Patvirtinkite šių įrenginių atjungimą" - }, - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "Patvirtinkite atsijungimą iš šio prietaiso naudodami vienkartinį prisijungimą, kad įrodytumėte savo tapatybę.", - "other": "Patvirtinkite atsijungimą iš šių įrenginių naudodami vienkartinį prisijungimą, kad įrodytumėte savo tapatybę." - }, - "Current session": "Dabartinė sesija", "Unable to revoke sharing for email address": "Nepavyksta atšaukti el. pašto adreso bendrinimo", - "People with supported clients will be able to join the room without having a registered account.": "Žmonės su palaikomais klientais galės prisijungti prie kambario neturėdami registruotos paskyros.", - "To avoid these issues, create a new public room for the conversation you plan to have.": "Kad išvengtumėte šių problemų, sukurkite naują viešą kambarį planuojamam pokalbiui.", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "Nepatartina šifruotus kambarius padaryti viešais. Tai reiškia, kad bet kas gali rasti kambarį ir prie jo prisijungti, taigi bet kas gali skaityti žinutes. Jūs negausite jokių šifravimo privalumų. Užšifravus žinutes viešame kambaryje, žinučių priėmimas ir siuntimas taps lėtesnis.", - "Are you sure you want to make this encrypted room public?": "Ar tikrai norite, padaryti šį užšifruotą kambarį viešu?", "Unknown failure": "Nežinomas sutrikimas", "Failed to update the join rules": "Nepavyko atnaujinti prisijungimo taisyklių", - "Decide who can join %(roomName)s.": "Nuspręskite, kas gali prisijungti prie %(roomName)s.", - "To link to this room, please add an address.": "Norėdami pateikti nuorodą į šį kambarį, pridėkite adresą.", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "Kad išvengtumėte šių problemų, planuojamam pokalbiui sukurkite naują šifruotą kambarį.", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "Į viešuosius kambarius nerekomenduojama įtraukti šifravimo. Kiekvienas gali rasti viešąjį kambarį ir prie jo prisijungti, todėl bet kas gali skaityti jame esančias žinutes. Jūs negausite jokių šifravimo privalumų ir vėliau negalėsite jo išjungti. Užšifravus žinutes viešajame kambaryje, žinučių gavimas ir siuntimas taps lėtesnis.", - "Are you sure you want to add encryption to this public room?": "Ar tikrai norite įtraukti šifravimą į šį viešąjį kambarį?", - "Select the roles required to change various parts of the space": "Pasirinkti roles, reikalingas įvairioms erdvės dalims keisti", - "Send %(eventType)s events": "Siųsti %(eventType)s įvykius", - "No users have specific privileges in this room": "Šiame kambaryje nėra naudotojų, turinčių konkrečias privilegijas", "Banned by %(displayName)s": "Užblokuotas nuo %(displayName)s", "You won't get any notifications": "Negausite jokių pranešimų", "Get notified only with mentions and keywords as set up in your settings": "Gaukite pranešimus tik apie paminėjimus ir raktinius žodžius, kaip nustatyta jūsų nustatymuose", @@ -1350,7 +1258,6 @@ "Spaces to show": "Kurias erdves rodyti", "Sidebar": "Šoninė juosta", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Kad užtikrintumėte geriausią saugumą, patikrinkite savo sesijas ir atsijunkite iš bet kurios sesijos, kurios neatpažįstate arba nebenaudojate.", - "Other sessions": "Kitos sesijos", "Sessions": "Sesijos", "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Bendrinti anoniminius duomenis, kurie padės mums nustatyti problemas. Nieko asmeniško. Jokių trečiųjų šalių.", "You have no ignored users.": "Nėra ignoruojamų naudotojų.", @@ -1486,7 +1393,6 @@ "Public room": "Viešas kambarys", "Public space": "Vieša erdvė", "Video room": "Vaizdo kambarys", - "Video rooms are a beta feature": "Vaizdo kambariai yra beta funkcija", "No recently visited rooms": "Nėra neseniai lankytų kambarių", "Recently visited rooms": "Neseniai lankyti kambariai", "Replying": "Atsakoma", @@ -1500,18 +1406,6 @@ "%(members)s and more": "%(members)s ir daugiau", "View message": "Žiūrėti žinutę", "Message didn't send. Click for info.": "Žinutė nebuvo išsiųsta. Spustelėkite norėdami gauti informacijos.", - "End-to-end encryption isn't enabled": "Visapusis šifravimas nėra įjungtas", - "Enable encryption in settings.": "Įjunkite šifravimą nustatymuose.", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Jūsų asmeninės žinutės paprastai yra šifruojamos, tačiau šis kambarys nėra šifruojamas. Paprastai taip nutinka dėl nepalaikomo įrenginio arba naudojamo metodo, pvz., kvietimai el. paštu.", - "This is the start of .": "Tai yra pradžia.", - "Add a photo, so people can easily spot your room.": "Pridėkite nuotrauką, kad žmonės galėtų lengvai pastebėti jūsų kambarį.", - "Invite to just this room": "Pakviesti tik į šį kambarį", - "%(displayName)s created this room.": "%(displayName)s sukūrė šį kambarį.", - "You created this room.": "Jūs sukūrėte šį kambarį.", - "Add a topic to help people know what it is about.": "Pridėkite temą, kad žmonės žinotų, apie ką tai yra.", - "Topic: %(topic)s ": "Tema: %(topic)s ", - "Topic: %(topic)s (edit)": "Tema: %(topic)s (redaguoti)", - "Send your first message to invite to chat": "Siųskite pirmąją žinutę kad pakviestumėte į pokalbį", "Insert link": "Įterpti nuorodą", "Italics": "Kursyvas", "Poll": "Apklausa", @@ -1533,15 +1427,6 @@ "View in room": "Peržiūrėti kambaryje", "From a thread": "Iš temos", "Edit message": "Redaguoti žinutę", - "Security recommendations": "Saugumo rekomendacijos", - "Filter devices": "Filtruoti įrenginius", - "Inactive for %(inactiveAgeDays)s days or longer": "Neaktyvus %(inactiveAgeDays)s dienas ar ilgiau", - "Inactive": "Neaktyvus", - "Not ready for secure messaging": "Neparuošta saugiam žinučių siuntimui", - "Ready for secure messaging": "Paruošta saugiam žinučių siuntimui", - "All": "Visi", - "No sessions found.": "Jokių sesijų nerasta.", - "No inactive sessions found.": "Neaktyvių sesijų nerasta.", "Latvia": "Latvija", "Japan": "Japonija", "Italy": "Italija", @@ -1564,7 +1449,6 @@ "Unable to copy a link to the room to the clipboard.": "Nepavyko nukopijuoti nuorodos į kambarį į iškarpinę.", "Unable to copy room link": "Nepavyko nukopijuoti kambario nurodos", "Copy room link": "Kopijuoti kambario nuorodą", - "Manage & explore rooms": "Valdyti & tyrinėti kambarius", "Live": "Gyvai", "common": { "about": "Apie", @@ -1640,7 +1524,9 @@ "orphan_rooms": "Kiti kambariai", "on": "Įjungta", "off": "Išjungta", - "all_rooms": "Visi kambariai" + "all_rooms": "Visi kambariai", + "deselect_all": "Nuimti pasirinkimą nuo visko", + "select_all": "Pasirinkti viską" }, "action": { "continue": "Tęsti", @@ -1765,7 +1651,8 @@ "leave_beta": "Palikti beta versiją", "automatic_debug_logs_key_backup": "Automatiškai siųsti derinimo žurnalus, kai neveikia atsarginė raktų kopija", "automatic_debug_logs_decryption": "Automatiškai siųsti derinimo žurnalus apie iššifravimo klaidas", - "automatic_debug_logs": "Automatiškai siųsti derinimo žurnalus esant bet kokiai klaidai" + "automatic_debug_logs": "Automatiškai siųsti derinimo žurnalus esant bet kokiai klaidai", + "video_rooms_beta": "Vaizdo kambariai yra beta funkcija" }, "keyboard": { "home": "Pradžia", @@ -1808,7 +1695,15 @@ "placeholder_reply_encrypted": "Siųsti šifruotą atsakymą…", "placeholder_reply": "Siųsti atsakymą…", "placeholder_encrypted": "Siųsti šifruotą žinutę…", - "placeholder": "Siųsti žinutę…" + "placeholder": "Siųsti žinutę…", + "autocomplete": { + "command_description": "Komandos", + "emoji_a11y": "Jaustukų automatinis užbaigimas", + "@room_description": "Pranešti visam kambariui", + "notification_description": "Kambario Pranešimas", + "notification_a11y": "Pranešimo Automatinis Užbaigimas", + "user_description": "Naudotojai" + } }, "Bold": "Pusjuodis", "Code": "Kodas", @@ -2018,6 +1913,54 @@ }, "keyboard": { "title": "Klaviatūra" + }, + "sessions": { + "rename_form_heading": "Pervadinti sesiją", + "session_id": "Seanso ID", + "last_activity": "Paskutinė veikla", + "ip": "IP adresas", + "details_heading": "Sesijos detalės", + "sign_out": "Atsijungti iš šios sesijos", + "inactive_days": "Neaktyvus %(inactiveAgeDays)s+ dienas", + "verified_sessions": "Patvirtintos sesijos", + "unverified_sessions": "Nepatvirtintos sesijos", + "unverified_session": "Nepatvirtinta sesija", + "inactive_sessions": "Neaktyvios sesijos", + "device_verified_description": "Ši sesija paruošta saugiam žinučių siuntimui.", + "verified_session": "Patvirtinta sesija", + "device_unverified_description": "Geriausiam saugumui ir patikimumui, patvirtinkite arba atsijunkite iš šios sesijos.", + "verify_session": "Patvirtinti seansą", + "verified_sessions_list_description": "Geriausiam saugumui, atsijunkite iš bet kurios sesijos, kurios neatpažįstate arba nebenaudojate.", + "unverified_sessions_list_description": "Patvirtinkite savo sesijas didesniam saugumui, arba atsijunkite iš tų sesijų kurių neatpažįstate ar nebenaudojate.", + "no_verified_sessions": "Patvirtintų sesijų nerasta.", + "no_unverified_sessions": "Nepatvirtintų sesijų nerasta.", + "no_inactive_sessions": "Neaktyvių sesijų nerasta.", + "no_sessions": "Jokių sesijų nerasta.", + "filter_all": "Visi", + "filter_verified_description": "Paruošta saugiam žinučių siuntimui", + "filter_unverified_description": "Neparuošta saugiam žinučių siuntimui", + "filter_inactive": "Neaktyvus", + "filter_inactive_description": "Neaktyvus %(inactiveAgeDays)s dienas ar ilgiau", + "filter_label": "Filtruoti įrenginius", + "other_sessions_heading": "Kitos sesijos", + "current_session": "Dabartinė sesija", + "confirm_sign_out_sso": { + "one": "Patvirtinkite atsijungimą iš šio prietaiso naudodami vienkartinį prisijungimą, kad įrodytumėte savo tapatybę.", + "other": "Patvirtinkite atsijungimą iš šių įrenginių naudodami vienkartinį prisijungimą, kad įrodytumėte savo tapatybę." + }, + "confirm_sign_out": { + "one": "Patvirtinkite šio įrenginio atjungimą", + "other": "Patvirtinkite šių įrenginių atjungimą" + }, + "confirm_sign_out_body": { + "other": "Spustelėkite mygtuką žemiau kad patvirtinti šių įrenginių atjungimą.", + "one": "Spustelėkite mygtuką žemiau kad patvirtinti šio įrenginio atjungimą." + }, + "confirm_sign_out_continue": { + "other": "Atjungti įrenginius", + "one": "Atjungti įrenginį" + }, + "security_recommendations": "Saugumo rekomendacijos" } }, "devtools": { @@ -2310,7 +2253,9 @@ "m.room.create": { "continuation": "Šis kambarys yra kito pokalbio pratęsimas.", "see_older_messages": "Spustelėkite čia, norėdami matyti senesnes žinutes." - } + }, + "creation_summary_dm": "%(creator)s sukūrė šį tiesioginio susirašymo kambarį.", + "creation_summary_room": "%(creator)s sukūrė ir sukonfigūravo kambarį." }, "slash_command": { "shrug": "Prideda ¯\\_(ツ)_/¯ prie paprasto teksto žinutės", @@ -2463,13 +2408,52 @@ "kick": "Pašalinti naudotojus", "ban": "Užblokuoti naudotojus", "redact": "Pašalinti kitų siųstas žinutes", - "notifications.room": "Pranešti visiems" + "notifications.room": "Pranešti visiems", + "no_privileged_users": "Šiame kambaryje nėra naudotojų, turinčių konkrečias privilegijas", + "privileged_users_section": "Privilegijuoti Nariai", + "muted_users_section": "Nutildyti naudotojai", + "banned_users_section": "Užblokuoti vartotojai", + "send_event_type": "Siųsti %(eventType)s įvykius", + "title": "Rolės ir Leidimai", + "permissions_section": "Leidimai", + "permissions_section_description_space": "Pasirinkti roles, reikalingas įvairioms erdvės dalims keisti", + "permissions_section_description_room": "Pasirinkite įvairių kambario dalių keitimui reikalingas roles" }, "security": { "strict_encryption": "Niekada nesiųsti šifruotų žinučių nepatvirtintiems seansams šiame kambaryje iš šio seanso", "join_rule_invite": "Privatus (tik su pakvietimu)", "join_rule_invite_description": "Tik pakviesti žmonės gali prisijungti.", - "join_rule_public_description": "Bet kas gali rasti ir prisijungti." + "join_rule_public_description": "Bet kas gali rasti ir prisijungti.", + "enable_encryption_public_room_confirm_title": "Ar tikrai norite įtraukti šifravimą į šį viešąjį kambarį?", + "enable_encryption_public_room_confirm_description_1": "Į viešuosius kambarius nerekomenduojama įtraukti šifravimo. Kiekvienas gali rasti viešąjį kambarį ir prie jo prisijungti, todėl bet kas gali skaityti jame esančias žinutes. Jūs negausite jokių šifravimo privalumų ir vėliau negalėsite jo išjungti. Užšifravus žinutes viešajame kambaryje, žinučių gavimas ir siuntimas taps lėtesnis.", + "enable_encryption_public_room_confirm_description_2": "Kad išvengtumėte šių problemų, planuojamam pokalbiui sukurkite naują šifruotą kambarį.", + "enable_encryption_confirm_title": "Įjungti šifravimą?", + "enable_encryption_confirm_description": "Įjungus kambario šifravimą jo išjungti negalima. Žinutės, siunčiamos šifruotame kambaryje, nėra matomos serverio. Jas gali matyti tik kambario dalyviai. Įjungus šifravimą, daugelis botų ir tiltų gali veikti netinkamai. Sužinoti daugiau apie šifravimą.", + "public_without_alias_warning": "Norėdami pateikti nuorodą į šį kambarį, pridėkite adresą.", + "join_rule_description": "Nuspręskite, kas gali prisijungti prie %(roomName)s.", + "encrypted_room_public_confirm_title": "Ar tikrai norite, padaryti šį užšifruotą kambarį viešu?", + "encrypted_room_public_confirm_description_1": "Nepatartina šifruotus kambarius padaryti viešais. Tai reiškia, kad bet kas gali rasti kambarį ir prie jo prisijungti, taigi bet kas gali skaityti žinutes. Jūs negausite jokių šifravimo privalumų. Užšifravus žinutes viešame kambaryje, žinučių priėmimas ir siuntimas taps lėtesnis.", + "encrypted_room_public_confirm_description_2": "Kad išvengtumėte šių problemų, sukurkite naują viešą kambarį planuojamam pokalbiui.", + "history_visibility": {}, + "history_visibility_warning": "Kas gali skaityti istoriją nustatymų pakeitimai bus taikomi tik būsimoms šio kambario žinutėms. Esamos istorijos matomumas nepakis.", + "history_visibility_legend": "Kas gali skaityti istoriją?", + "guest_access_warning": "Žmonės su palaikomais klientais galės prisijungti prie kambario neturėdami registruotos paskyros.", + "title": "Saugumas ir Privatumas", + "encryption_permanent": "Įjungus šifravimą jo nebus galima išjungti.", + "history_visibility_shared": "Tik nariai (nuo šios parinkties pasirinkimo momento)", + "history_visibility_invited": "Tik nariai (nuo jų pakvietimo)", + "history_visibility_joined": "Tik nariai (nuo jų prisijungimo)", + "history_visibility_world_readable": "Bet kas" + }, + "general": { + "publish_toggle": "Paskelbti šį kambarį viešai %(domain)s kambarių kataloge?", + "user_url_previews_default_on": "Jūs įjungėte URL nuorodų peržiūras kaip numatytasias.", + "user_url_previews_default_off": "Jūs išjungėte URL nuorodų peržiūras kaip numatytasias.", + "default_url_previews_on": "URL nuorodų peržiūros šio kambario dalyviams yra įjungtos kaip numatytosios.", + "default_url_previews_off": "URL nuorodų peržiūros šio kambario dalyviams yra išjungtos kaip numatytosios.", + "url_preview_encryption_warning": "Šifruotuose kambariuose, tokiuose kaip šis, URL nuorodų peržiūros pagal numatymą yra išjungtos, kad būtų užtikrinta, jog jūsų serveris (kur yra generuojamos peržiūros) negali rinkti informacijos apie jūsų šiame kambaryje peržiūrėtas nuorodas.", + "url_preview_explainer": "Kai kas nors į savo žinutę įtraukia URL, gali būti rodoma URL peržiūra, suteikianti daugiau informacijos apie tą nuorodą, tokios kaip pavadinimas, aprašymas ir vaizdas iš svetainės.", + "url_previews_section": "URL nuorodų peržiūros" } }, "encryption": { @@ -2552,7 +2536,9 @@ "server_picker_custom": "Kitas namų serveris", "server_picker_explainer": "Naudokite pageidaujamą Matrix namų serverį, jei tokį turite, arba talpinkite savo.", "server_picker_learn_more": "Apie namų serverius", - "incorrect_credentials": "Neteisingas vartotojo vardas ir/arba slaptažodis." + "incorrect_credentials": "Neteisingas vartotojo vardas ir/arba slaptažodis.", + "registration_username_validation": "Naudokite tik mažąsias raides, brūkšnelius ir pabraukimus", + "phone_label": "Telefonas" }, "room_list": { "sort_unread_first": "Pirmiausia rodyti kambarius su neperskaitytomis žinutėmis", @@ -2692,5 +2678,41 @@ "public_heading": "Jūsų vieša erdvė", "private_heading": "Jūsų privati erdvė", "add_details_prompt": "Pridėkite šiek tiek detalių, kad žmonės galėtų ją atpažinti." + }, + "room": { + "drop_file_prompt": "Norėdami įkelti, vilkite failą čia", + "intro": { + "send_message_start_dm": "Siųskite pirmąją žinutę kad pakviestumėte į pokalbį", + "start_of_dm_history": "Tai yra jūsų tiesioginių žinučių su istorijos pradžia.", + "dm_caption": "Šiame pokalbyje esate tik jūs dviese, nebent kuris nors iš jūsų pakvies ką nors prisijungti.", + "topic_edit": "Tema: %(topic)s (redaguoti)", + "topic": "Tema: %(topic)s ", + "no_topic": "Pridėkite temą, kad žmonės žinotų, apie ką tai yra.", + "you_created": "Jūs sukūrėte šį kambarį.", + "user_created": "%(displayName)s sukūrė šį kambarį.", + "room_invite": "Pakviesti tik į šį kambarį", + "no_avatar_label": "Pridėkite nuotrauką, kad žmonės galėtų lengvai pastebėti jūsų kambarį.", + "start_of_room": "Tai yra pradžia.", + "private_unencrypted_warning": "Jūsų asmeninės žinutės paprastai yra šifruojamos, tačiau šis kambarys nėra šifruojamas. Paprastai taip nutinka dėl nepalaikomo įrenginio arba naudojamo metodo, pvz., kvietimai el. paštu.", + "enable_encryption_prompt": "Įjunkite šifravimą nustatymuose.", + "unencrypted_warning": "Visapusis šifravimas nėra įjungtas" + } + }, + "file_panel": { + "peek_note": "Norėdami pamatyti jo failus, turite prisijungti prie kambario" + }, + "space": { + "context_menu": { + "explore": "Žvalgyti kambarius", + "manage_and_explore": "Valdyti & tyrinėti kambarius" + } + }, + "terms": { + "integration_manager": "Naudoti botus, tiltus, valdiklius ir lipdukų pakuotes", + "tos": "Paslaugų Teikimo Sąlygos", + "intro": "Norėdami tęsti, turite sutikti su šios paslaugos sąlygomis.", + "column_service": "Paslauga", + "column_summary": "Santrauka", + "column_document": "Dokumentas" } } diff --git a/src/i18n/strings/lv.json b/src/i18n/strings/lv.json index 90f9aba57e..cbd593df82 100644 --- a/src/i18n/strings/lv.json +++ b/src/i18n/strings/lv.json @@ -10,15 +10,12 @@ "%(items)s and %(lastItem)s": "%(items)s un %(lastItem)s", "A new password must be entered.": "Nepieciešams ievadīt jauno paroli.", "An error has occurred.": "Notikusi kļūda.", - "Anyone": "Ikviens", "Are you sure?": "Vai tiešām to vēlaties?", "Are you sure you want to leave the room '%(roomName)s'?": "Vai tiešām vēlaties pamest istabu: '%(roomName)s'?", "Are you sure you want to reject the invitation?": "Vai tiešām vēlaties noraidīt šo uzaicinājumu?", - "Banned users": "Lietotāji, kuriem liegta pieeja", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Neizdodas savienoties ar bāzes serveri. Pārbaudi tīkla savienojumu un pārliecinies, ka bāzes servera SSL sertifikāts ir uzticams, kā arī pārlūkā instalētie paplašinājumi nebloķē pieprasījumus.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Neizdodas savienoties ar bāzes serveri izmantojot HTTP protokolu, kad pārlūka adreses laukā norādīts HTTPS protokols. Tā vietā izmanto HTTPS vai iespējo nedrošos skriptus.", "Change Password": "Nomainīt paroli", - "Commands": "Komandas", "Confirm password": "Apstipriniet paroli", "Cryptography": "Kriptogrāfija", "Current password": "Pašreizējā parole", @@ -72,13 +69,10 @@ "": "", "No display name": "Nav parādāmā vārda", "No more results": "Vairāk nekādu rezultātu nav", - "No users have specific privileges in this room": "Šajā istabā nav lietotāju ar īpašām privilēģijām", "Operation failed": "Darbība neizdevās", "Passwords can't be empty": "Paroles nevar būt tukšas", - "Permissions": "Atļaujas", "Phone": "Telefons", "Please check your email and click on the link it contains. Once this is done, click continue.": "Lūdzu, pārbaudi savu epastu un noklikšķini tajā esošo saiti. Tiklīdz tas ir izdarīts, klikšķini \"turpināt\".", - "Privileged Users": "Priviliģētie lietotāji", "Profile": "Profils", "Reason": "Iemesls", "Reject invitation": "Noraidīt uzaicinājumu", @@ -127,18 +121,13 @@ "Unban": "Atcelt pieejas liegumu", "unknown error code": "nezināms kļūdas kods", "Create new room": "Izveidot jaunu istabu", - "You have enabled URL previews by default.": "URL priekšskatījumi pēc noklusējuma jums iriespējoti .", "Upload avatar": "Augšupielādēt avataru", "Upload Failed": "Augšupielāde (nosūtīšana) neizdevās", - "Users": "Lietotāji", "Verification Pending": "Gaida verifikāciju", "Verified key": "Verificēta atslēga", "Warning!": "Brīdinājums!", - "Who can read history?": "Kas var lasīt vēsturi?", "You cannot place a call with yourself.": "Nav iespējams piezvanīt sev.", "You do not have permission to post to this room": "Tev nav vajadzīgo atļauju, lai rakstītu ziņas šajā istabā", - "You have disabled URL previews by default.": "URL priekšskatījumi pēc noklusējuma jums ir atspējoti.", - "You must register to use this functionality": "Lai izmantotu šo funkcionalitāti, Tev ir jāreģistrējas", "You need to be able to invite users to do that.": "Lai to darītu, Tev ir jāspēj uzaicināt lietotājus.", "You need to be logged in.": "Tev ir jāpierakstās.", "You seem to be in a call, are you sure you want to quit?": "Izskatās, ka atrodies zvana režīmā. Vai tiešām vēlies iziet?", @@ -174,7 +163,6 @@ "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Šī darbība ļauj Tev uz lokālo failu eksportēt atslēgas priekš tām ziņām, kuras Tu saņēmi šifrētās istabās. Tu varēsi importēt šo failu citā Matrix klientā, lai tajā būtu iespējams lasīt šīs ziņas atšifrētas.", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Šis process ļaus Tev importēt šifrēšanas atslēgas, kuras Tu iepriekš eksportēji no cita Matrix klienta. Tas ļaus Tev atšifrēt čata vēsturi.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Eksporta fails būs aizsargāts ar frāzveida paroli. Tā ir jāievada šeit, lai atšifrētu failu.", - "You must join the room to see its files": "Tev ir jāpievienojas istabai, lai redzētu tās failus", "Failed to invite": "Neizdevās uzaicināt", "Confirm Removal": "Apstipriniet dzēšanu", "Unknown error": "Nezināma kļūda", @@ -185,8 +173,6 @@ "Error decrypting image": "Kļūda atšifrējot attēlu", "Error decrypting video": "Kļūda atšifrējot video", "Add an Integration": "Pievienot integrāciju", - "URL Previews": "URL priekšskatījumi", - "Drop file here to upload": "Ievelc šeit failu augšupielādei", "Check for update": "Pārbaudīt atjauninājumus", "Something went wrong!": "Kaut kas nogāja greizi!", "Your browser does not support the required cryptography extensions": "Jūsu pārlūks neatbalsta vajadzīgos kriptogrāfijas paplašinājumus", @@ -198,7 +184,6 @@ "one": "un vēl viens cits..." }, "Delete widget": "Dzēst vidžetu", - "Publish this room to the public in %(domain)s's room directory?": "Publicēt šo istabu publiskajā %(domain)s katalogā?", "AM": "AM", "PM": "PM", "Unable to create widget.": "Neizdevās izveidot widžetu.", @@ -221,11 +206,6 @@ "%(duration)sd": "%(duration)s dienas", "Replying": "Atbildot uz", "Banned by %(displayName)s": "%(displayName)s liedzis pieeju", - "Members only (since the point in time of selecting this option)": "Tikai dalībnieki (no šī parametra iestatīšanas brīža)", - "Members only (since they were invited)": "Tikai dalībnieki (no to uzaicināšanas brīža)", - "Members only (since they joined)": "Tikai dalībnieki (kopš pievienošanās)", - "URL previews are enabled by default for participants in this room.": "URL priekšskatījumi šīs istabas dalībniekiem pēc noklusējuma ir iespējoti.", - "URL previews are disabled by default for participants in this room.": "ULR priekšskatījumi šīs istabas dalībniekiem pēc noklusējuma ir atspējoti.", "Copied!": "Nokopēts!", "Failed to copy": "Nokopēt neizdevās", "A text message has been sent to %(msisdn)s": "Teksta ziņa tika nosūtīta uz %(msisdn)s", @@ -241,8 +221,6 @@ "Old cryptography data detected": "Tika uzieti novecojuši šifrēšanas dati", "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Uzieti dati no vecākas %(brand)s versijas. Tas novedīs pie \"end-to-end\" šifrēšanas problēmām vecākajā versijā. Šajā versijā nevar tikt atšifrēti ziņojumi, kuri radīti izmantojot vecākajā versijā \"end-to-end\" šifrētas ziņas. Tas var arī novest pie ziņapmaiņas, kas veikta ar šo versiju, neizdošanās. Ja rodas ķibeles, izraksties un par jaunu pieraksties sistēmā. Lai saglabātu ziņu vēsturi, eksportē un tad importē savas šifrēšanas atslēgas.", "Please note you are logging into the %(hs)s server, not matrix.org.": "Lūdzu ņem vērā, ka Tu pieraksties %(hs)s serverī, nevis matrix.org serverī.", - "Notify the whole room": "Paziņot visai istabai", - "Room Notification": "Istabas paziņojums", "%(items)s and %(count)s others": { "one": "%(items)s un viens cits", "other": "%(items)s un %(count)s citus" @@ -303,19 +281,12 @@ "one": "%(count)s sesija", "other": "%(count)s sesijas" }, - "Once enabled, encryption cannot be disabled.": "Šifrēšana nevar tikt atspējota, ja reiz tikusi iespējota.", "Encryption not enabled": "Šifrēšana nav iespējota", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Tikai jūs abi esat šajā sarakstē, ja vien kāds no jums neuzaicina citus pievienoties.", - "This is the beginning of your direct message history with .": "Šis ir sākums jūsu tiešās sarakstes vēsturei ar .", "Use the Desktop app to search encrypted messages": "Izmantojiet lietotni, lai veiktu šifrētu ziņu meklēšanu", - "%(creator)s created this DM.": "%(creator)s uzsāka šo tiešo saraksti.", "None": "Neviena", "Room options": "Istabas opcijas", "All settings": "Visi iestatījumi", - "Security & Privacy": "Drošība un konfidencialitāte", "Change notification settings": "Mainīt paziņojumu iestatījumus", - "Switch to dark mode": "Pārslēgt tumšo režīmu", - "Switch to light mode": "Pārslēgt gaišo režīmu", "Favourited": "Izlasē", "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Saziņa ar šo lietotāju ir nodrošināta ar pilnīgu šifrēšanu un nav nolasāma trešajām pusēm.", "Encrypted by a deleted session": "Šifrēts ar dzēstu sesiju", @@ -335,7 +306,6 @@ "Lebanon": "Libāna", "Bangladesh": "Bangladeša", "Albania": "Albānija", - "Muted Users": "Apklusinātie lietotāji", "Confirm to continue": "Apstipriniet, lai turpinātu", "Confirm account deactivation": "Apstipriniet konta deaktivizēšanu", "Enter username": "Ievadiet lietotājvārdu", @@ -363,8 +333,6 @@ "Server Options": "Servera parametri", " invited you": " uzaicināja jūs", " wants to chat": " vēlas sarakstīties", - "Add a photo, so people can easily spot your room.": "Pievienojiet foto, lai padarītu istabu vieglāk pamanāmu citiem cilvēkiem.", - "Add a topic to help people know what it is about.": "Pievienot tematu, lai dotu cilvēkiem priekšstatu.", "You do not have permission to invite people to this room.": "Jums nav atļaujas uzaicināt cilvēkus šajā istabā.", "Afghanistan": "Afganistāna", "United States": "Amerikas Savienotās Valstis", @@ -388,7 +356,6 @@ "You accepted": "Jūs akceptējāt", "Rotate Right": "Rotēt pa labi", "Rotate Left": "Rotēt pa kreisi", - "%(displayName)s created this room.": "%(displayName)s izveidoja šo istabu.", "IRC display name width": "IRC parādāmā vārda platums", "%(displayName)s cancelled verification.": "%(displayName)s atcēla verificēšanu.", "Your display name": "Jūsu parādāmais vārds", @@ -404,10 +371,7 @@ "Phone numbers": "Tālruņa numuri", "Email Address": "Epasta adrese", "Email addresses": "Epasta adreses", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Izmaiņas attiecībā uz to, kas var lasīt vēsturi, attieksies tikai uz nākamajiem ziņām šajā istabā. Esošās vēstures redzamība nemainīsies.", - "Enable encryption?": "Iespējot šifrēšanu?", "Encryption": "Šifrēšana", - "Roles & Permissions": "Lomas un atļaujas", "Room version:": "Istabas versija:", "The server does not support the room version specified.": "Serveris neatbalsta norādīto istabas versiju.", "Browse": "Pārlūkot", @@ -415,8 +379,6 @@ "Uploaded sound": "Augšupielādētie skaņas signāli", "Sounds": "Skaņas signāli", "Set a new custom sound": "Iestatīt jaunu pielāgotu skaņas signālu", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Šifrētās istabās, ieskaitot arī šo, URL priekšskatījumi pēc noklusējuma ir atspējoti, lai nodrošinātu, ka jūsu bāzes serveris, kurā notiek priekšskatījumu ģenerēšana, nevar apkopot informāciju par saitēm, kuras redzat šajā istabā.", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Kad kāds savā ziņā ievieto URL, priekšskatījums ar virsrakstu, aprakstu un vietnes attēlu var tikt parādīts, tādējādi sniedzot vairāk informācijas par šo vietni.", "Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "Iestatiet istabai adresi, lai lietotāji var atrast šo istabu jūsu bāzes serverī (%(localDomain)s)", "Local Addresses": "Lokālās adreses", "New published address (e.g. #alias:server)": "Jauna publiska adrese (piemēram, #alias:server)", @@ -435,11 +397,6 @@ "General failure": "Vispārīga kļūda", "General": "Vispārīgi", "Recently Direct Messaged": "Nesenās tiešās sarakstes", - "Topic: %(topic)s (edit)": "Temats: %(topic)s (redigēt)", - "Topic: %(topic)s ": "Temats: %(topic)s ", - "This is the start of .": "Šis ir istabas pats sākums.", - "You created this room.": "Jūs izveidojāt šo istabu.", - "%(creator)s created and configured the room.": "%(creator)s izveidoja un nokonfigurēja istabu.", "e.g. my-room": "piem., mana-istaba", "Room address": "Istabas adrese", "Show advanced": "Rādīt papildu iestatījumus", @@ -476,11 +433,6 @@ "Go back to set it again.": "Atgriezties, lai iestatītu atkārtoti.", "That doesn't match.": "Nesakrīt.", "That matches!": "Sakrīt!", - "User Autocomplete": "Lietotāju automātiska pabeigšana", - "Room Autocomplete": "Istabu automātiska pabeigšana", - "Notification Autocomplete": "Paziņojumu automātiska pabeigšana", - "Emoji Autocomplete": "Emocijzīmju automātiska pabeigšana", - "Command Autocomplete": "Komandu automātiska pabeigšana", "Clear personal data": "Dzēst personas datus", "Failed to re-authenticate due to a homeserver problem": "Bāzes servera problēmas dēļ atkārtoti autentificēties neizdevās", "Create account": "Izveidot kontu", @@ -492,11 +444,6 @@ }, "Couldn't load page": "Neizdevās ielādēt lapu", "Sign in with SSO": "Pierakstieties, izmantojot SSO", - "Use email to optionally be discoverable by existing contacts.": "Izmantojiet epasta adresi, lai pēc izvēles jūs varētu atrast esošie kontakti.", - "Use email or phone to optionally be discoverable by existing contacts.": "Izmantojiet epasta adresi vai tālruņa numuru, lai pēc izvēles jūs varētu atrast esošie kontakti.", - "Add an email to be able to reset your password.": "Pievienojiet epasta adresi, lai varētu atiestatīt paroli.", - "Phone (optional)": "Tālruņa numurs (izvēles)", - "Use lowercase letters, numbers, dashes and underscores only": "Izmantojiet tikai mazos burtus, ciparus, domuzīmes un pasvītrojumus", "Enter phone number (required on this homeserver)": "Ievadiet tālruņa numuru (obligāts šajā bāzes serverī)", "Other users can invite you to rooms using your contact details": "Citi lietotāji var jūs uzaicināt uz istabām, izmantojot jūsu kontaktinformāciju", "Enter email address (required on this homeserver)": "Ievadiet epasta adresi (obligāta šajā bāzes serverī)", @@ -589,13 +536,9 @@ "American Samoa": "Amerikāņu Samoa", "Algeria": "Alžīrija", "Original event source": "Oriģinālais notikuma pirmkods", - "Decrypted event source": "Atšifrēt notikuma pirmkods", "You don't have permission": "Jums nav atļaujas", - "Attach files from chat or just drag and drop them anywhere in a room.": "Pievienojiet failus no čata vai vienkārši velciet un nometiet tos jebkur istabā.", - "No files visible in this room": "Šajā istabā nav redzamu failu", "Remove for everyone": "Dzēst visiem", "Share User": "Dalīties ar lietotāja kontaktdatiem", - "Verify session": "Verificēt sesiju", "Verifying this device will mark it as trusted, and users who have verified with you will trust this device.": "Verificējot šo ierīci, tā tiks atzīmēta kā uzticama, un ierīci verificējušie lietotāji tai uzticēsies.", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Verificējot šo lietotāju, tā sesija tiks atzīmēta kā uzticama, kā arī jūsu sesija viņiem tiks atzīmēta kā uzticama.", "Removing…": "Dzēš…", @@ -941,15 +884,11 @@ "Join the discussion": "Pievienoties diskusijai", "Forget this room": "Aizmirst šo istabu", "Explore public rooms": "Pārlūkot publiskas istabas", - "Enable encryption in settings.": "Iespējot šifrēšanu iestatījumos.", "Show %(count)s other previews": { "one": "Rādīt %(count)s citu priekšskatījumu", "other": "Rādīt %(count)s citus priekšskatījumus" }, "Access": "Piekļuve", - "People with supported clients will be able to join the room without having a registered account.": "Cilvēki ar atbalstītām lietotnēm varēs pievienoties istabai bez reģistrēta konta.", - "Decide who can join %(roomName)s.": "Nosakiet, kas var pievienoties %(roomName)s.", - "Select the roles required to change various parts of the room": "Izvēlieties lomas, kas nepieciešamas, lai mainītu dažādus istabas parametrus", "Enter a new identity server": "Ievadiet jaunu identitāšu serveri", "Mentions & keywords": "Pieminēšana un atslēgvārdi", "New keyword": "Jauns atslēgvārds", @@ -968,7 +907,6 @@ "other": "Pamatojoties uz %(count)s balsīm" }, "No votes cast": "Nav balsojumu", - "Proxy URL (optional)": "Proxy URL (izvēles)", "Write an option": "Uzrakstiet variantu", "Add option": "Pievienot variantu", "Option %(number)s": "Variants %(number)s", @@ -1052,8 +990,6 @@ "To avoid losing your chat history, you must export your room keys before logging out. You will need to go back to the newer version of %(brand)s to do this": "Lai nezaudētu čata vēsturi, pirms izrakstīšanās no konta jums ir jāeksportē istabas atslēgas. Lai to izdarītu, jums būs jāatgriežas jaunākajā %(brand)s versijā", "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "Pārtraukt lietotāju runāšanu vecajā istabas versijā un publicēt ziņojumu, kurā lietotājiem tiek ieteikts pāriet uz jauno istabu", "Put a link back to the old room at the start of the new room so people can see old messages": "Jaunās istabas sākumā ievietojiet saiti uz veco istabu, lai cilvēki varētu apskatīt vecās ziņas", - "To avoid these issues, create a new public room for the conversation you plan to have.": "Lai izvairītos no šīm problēmām, izveidojiet jaunu publisku istabu plānotajai sarunai.", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "Lai izvairītos no šīm problēmām, izveidojiet jaunu šifrētu istabu plānotajai sarunai.", "Automatically invite members from this room to the new one": "Automātiski uzaicināt dalībniekus no šīs istabas uz jauno", "Want to add a new room instead?": "Vai tā vietā vēlaties pievienot jaunu istabu?", "New video room": "Jauna video istaba", @@ -1068,8 +1004,6 @@ "Recent searches": "Nesenie meklējumi", "To search messages, look for this icon at the top of a room ": "Lai meklētu ziņas, istabas augšpusē meklējiet šo ikonu ", "Other searches": "Citi meklējumi", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "Šifrētas istabas nav ieteicams padarīt publiski pieejamas. Tas nozīmē, ka jebkurš var atrast istabu un pievienoties tai, tātad jebkurš var lasīt ziņojumus. Jūs negūsiet nevienu no šifrēšanas priekšrocībām. Šifrējot ziņojumus publiskā telpā, ziņojumu saņemšana un nosūtīšana kļūs lēnāka.", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "Nav ieteicams pievienot šifrēšanu publiskām istabām . Jebkurš var atrast un pievienoties publiskām istabām, tāpēc ikviens var lasīt tajās esošās ziņas. Jūs negūsiet nekādas šifrēšanas priekšrocības, un vēlāk to nevarēsiet izslēgt. Šifrējot ziņojumus publiskā telpā, ziņojumu saņemšana un sūtīšana kļūs lēnāka.", "Public rooms": "Publiskas istabas", "If you can't find the room you're looking for, ask for an invite or create a new room.": "Ja nevarat atrast meklēto istabu, palūdziet uzaicinājumu vai izveidojiet jaunu istabu.", "If you can't see who you're looking for, send them your invite link below.": "Ja neredzat meklēto personu, nosūtiet tai uzaicinājuma saiti zemāk.", @@ -1094,7 +1028,6 @@ "Who will you chat to the most?": "Ar ko jūs sarakstīsieties visvairāk?", "Start new chat": "Uzsākt jaunu čatu", "Start a group chat": "Uzsākt grupas čatu", - "Send your first message to invite to chat": "Nosūtiet savu pirmo ziņu, lai uzaicinātu uz čatu", "Messages in this chat will be end-to-end encrypted.": "Ziņām šajā istabā tiek piemērota pilnīga šifrēšana.", "Export chat": "Eksportēt čatu", "Back to chat": "Atgriezties uz čatu", @@ -1237,7 +1170,8 @@ "video_rooms_faq1_question": "Kā izveidot video istabu?", "group_profile": "Profils", "group_rooms": "Istabas", - "group_encryption": "Šifrēšana" + "group_encryption": "Šifrēšana", + "sliding_sync_proxy_url_optional_label": "Proxy URL (izvēles)" }, "keyboard": { "home": "Mājup", @@ -1252,7 +1186,18 @@ "placeholder_reply_encrypted": "Sūtīt šifrētu atbildi…", "placeholder_reply": "Nosūtīt atbildi…", "placeholder_encrypted": "Sūtīt šifrētu ziņu…", - "placeholder": "Nosūtīt ziņu…" + "placeholder": "Nosūtīt ziņu…", + "autocomplete": { + "command_description": "Komandas", + "command_a11y": "Komandu automātiska pabeigšana", + "emoji_a11y": "Emocijzīmju automātiska pabeigšana", + "@room_description": "Paziņot visai istabai", + "notification_description": "Istabas paziņojums", + "notification_a11y": "Paziņojumu automātiska pabeigšana", + "room_a11y": "Istabu automātiska pabeigšana", + "user_description": "Lietotāji", + "user_a11y": "Lietotāju automātiska pabeigšana" + } }, "Code": "Kods", "power_level": { @@ -1372,6 +1317,10 @@ "show_polls_button": "Rādīt aptauju pogu", "surround_text": "Iekļaut iezīmēto tekstu, rakstot speciālās rakstzīmes", "always_show_menu_bar": "Vienmēr parādīt loga izvēlnes joslu" + }, + "sessions": { + "session_id": "Sesijas ID", + "verify_session": "Verificēt sesiju" } }, "devtools": { @@ -1383,7 +1332,8 @@ "developer_tools": "Izstrādātāja rīki", "category_room": "Istaba", "category_other": "Citi", - "show_hidden_events": "Rādīt slēptos notikumus laika skalā" + "show_hidden_events": "Rādīt slēptos notikumus laika skalā", + "view_source_decrypted_event_source": "Atšifrēt notikuma pirmkods" }, "export_chat": { "creator_summary": "%(creatorName)s izveidoja šo istabu.", @@ -1652,7 +1602,9 @@ "lightbox_title": "%(senderDisplayName)s nomainīja %(roomName)s istabas avataru", "removed": "%(senderDisplayName)s dzēsa istabas avataru.", "changed_img": "%(senderDisplayName)s nomainīja istabas avataru uz " - } + }, + "creation_summary_dm": "%(creator)s uzsāka šo tiešo saraksti.", + "creation_summary_room": "%(creator)s izveidoja un nokonfigurēja istabu." }, "slash_command": { "spoiler": "Nosūta norādīto ziņu kā spoileri", @@ -1772,13 +1724,46 @@ "state_default": "Mainīt iestatījumus", "ban": "Pieejas liegumi lietotājiem", "redact": "Dzēst citu sūtītas ziņas", - "notifications.room": "Apziņot visus" + "notifications.room": "Apziņot visus", + "no_privileged_users": "Šajā istabā nav lietotāju ar īpašām privilēģijām", + "privileged_users_section": "Priviliģētie lietotāji", + "muted_users_section": "Apklusinātie lietotāji", + "banned_users_section": "Lietotāji, kuriem liegta pieeja", + "title": "Lomas un atļaujas", + "permissions_section": "Atļaujas", + "permissions_section_description_room": "Izvēlieties lomas, kas nepieciešamas, lai mainītu dažādus istabas parametrus" }, "security": { "strict_encryption": "Nesūtīt šifrētas ziņas no šīs sesijas neverificētām sesijām šajā istabā", "join_rule_invite": "Privāta (tikai ar ielūgumiem)", "join_rule_invite_description": "Tikai uzaicināti cilvēki var pievienoties.", - "join_rule_public_description": "Ikviens var atrast un pievienoties." + "join_rule_public_description": "Ikviens var atrast un pievienoties.", + "enable_encryption_public_room_confirm_description_1": "Nav ieteicams pievienot šifrēšanu publiskām istabām . Jebkurš var atrast un pievienoties publiskām istabām, tāpēc ikviens var lasīt tajās esošās ziņas. Jūs negūsiet nekādas šifrēšanas priekšrocības, un vēlāk to nevarēsiet izslēgt. Šifrējot ziņojumus publiskā telpā, ziņojumu saņemšana un sūtīšana kļūs lēnāka.", + "enable_encryption_public_room_confirm_description_2": "Lai izvairītos no šīm problēmām, izveidojiet jaunu šifrētu istabu plānotajai sarunai.", + "enable_encryption_confirm_title": "Iespējot šifrēšanu?", + "join_rule_description": "Nosakiet, kas var pievienoties %(roomName)s.", + "encrypted_room_public_confirm_description_1": "Šifrētas istabas nav ieteicams padarīt publiski pieejamas. Tas nozīmē, ka jebkurš var atrast istabu un pievienoties tai, tātad jebkurš var lasīt ziņojumus. Jūs negūsiet nevienu no šifrēšanas priekšrocībām. Šifrējot ziņojumus publiskā telpā, ziņojumu saņemšana un nosūtīšana kļūs lēnāka.", + "encrypted_room_public_confirm_description_2": "Lai izvairītos no šīm problēmām, izveidojiet jaunu publisku istabu plānotajai sarunai.", + "history_visibility": {}, + "history_visibility_warning": "Izmaiņas attiecībā uz to, kas var lasīt vēsturi, attieksies tikai uz nākamajiem ziņām šajā istabā. Esošās vēstures redzamība nemainīsies.", + "history_visibility_legend": "Kas var lasīt vēsturi?", + "guest_access_warning": "Cilvēki ar atbalstītām lietotnēm varēs pievienoties istabai bez reģistrēta konta.", + "title": "Drošība un konfidencialitāte", + "encryption_permanent": "Šifrēšana nevar tikt atspējota, ja reiz tikusi iespējota.", + "history_visibility_shared": "Tikai dalībnieki (no šī parametra iestatīšanas brīža)", + "history_visibility_invited": "Tikai dalībnieki (no to uzaicināšanas brīža)", + "history_visibility_joined": "Tikai dalībnieki (kopš pievienošanās)", + "history_visibility_world_readable": "Ikviens" + }, + "general": { + "publish_toggle": "Publicēt šo istabu publiskajā %(domain)s katalogā?", + "user_url_previews_default_on": "URL priekšskatījumi pēc noklusējuma jums iriespējoti .", + "user_url_previews_default_off": "URL priekšskatījumi pēc noklusējuma jums ir atspējoti.", + "default_url_previews_on": "URL priekšskatījumi šīs istabas dalībniekiem pēc noklusējuma ir iespējoti.", + "default_url_previews_off": "ULR priekšskatījumi šīs istabas dalībniekiem pēc noklusējuma ir atspējoti.", + "url_preview_encryption_warning": "Šifrētās istabās, ieskaitot arī šo, URL priekšskatījumi pēc noklusējuma ir atspējoti, lai nodrošinātu, ka jūsu bāzes serveris, kurā notiek priekšskatījumu ģenerēšana, nevar apkopot informāciju par saitēm, kuras redzat šajā istabā.", + "url_preview_explainer": "Kad kāds savā ziņā ievieto URL, priekšskatījums ar virsrakstu, aprakstu un vietnes attēlu var tikt parādīts, tādējādi sniedzot vairāk informācijas par šo vietni.", + "url_previews_section": "URL priekšskatījumi" } }, "encryption": { @@ -1836,7 +1821,13 @@ "register_action": "Izveidot kontu", "server_picker_learn_more": "Par bāzes serveriem", "incorrect_credentials": "Nepareizs lietotājvārds un/vai parole.", - "account_deactivated": "Šis konts ir deaktivizēts." + "account_deactivated": "Šis konts ir deaktivizēts.", + "registration_username_validation": "Izmantojiet tikai mazos burtus, ciparus, domuzīmes un pasvītrojumus", + "phone_label": "Telefons", + "phone_optional_label": "Tālruņa numurs (izvēles)", + "email_help_text": "Pievienojiet epasta adresi, lai varētu atiestatīt paroli.", + "email_phone_discovery_text": "Izmantojiet epasta adresi vai tālruņa numuru, lai pēc izvēles jūs varētu atrast esošie kontakti.", + "email_discovery_text": "Izmantojiet epasta adresi, lai pēc izvēles jūs varētu atrast esošie kontakti." }, "room_list": { "sort_unread_first": "Rādīt istabas ar nelasītām ziņām augšpusē", @@ -1955,7 +1946,10 @@ "show_thread_filter": "Rādīt:" }, "space": { - "landing_welcome": "Laipni lūdzam uz " + "landing_welcome": "Laipni lūdzam uz ", + "context_menu": { + "explore": "Pārlūkot istabas" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "Šis bāzes serveris nav konfigurēts karšu attēlošanai.", @@ -1982,5 +1976,31 @@ "private_space_description": "Privāta vieta jums un jūsu komandas dalībniekiem", "setup_rooms_community_description": "Izveidojam katram no tiem savu istabu!", "setup_rooms_private_description": "Mēs izveidosim istabas katram no tiem." + }, + "user_menu": { + "switch_theme_light": "Pārslēgt gaišo režīmu", + "switch_theme_dark": "Pārslēgt tumšo režīmu" + }, + "room": { + "drop_file_prompt": "Ievelc šeit failu augšupielādei", + "intro": { + "send_message_start_dm": "Nosūtiet savu pirmo ziņu, lai uzaicinātu uz čatu", + "start_of_dm_history": "Šis ir sākums jūsu tiešās sarakstes vēsturei ar .", + "dm_caption": "Tikai jūs abi esat šajā sarakstē, ja vien kāds no jums neuzaicina citus pievienoties.", + "topic_edit": "Temats: %(topic)s (redigēt)", + "topic": "Temats: %(topic)s ", + "no_topic": "Pievienot tematu, lai dotu cilvēkiem priekšstatu.", + "you_created": "Jūs izveidojāt šo istabu.", + "user_created": "%(displayName)s izveidoja šo istabu.", + "no_avatar_label": "Pievienojiet foto, lai padarītu istabu vieglāk pamanāmu citiem cilvēkiem.", + "start_of_room": "Šis ir istabas pats sākums.", + "enable_encryption_prompt": "Iespējot šifrēšanu iestatījumos." + } + }, + "file_panel": { + "guest_note": "Lai izmantotu šo funkcionalitāti, Tev ir jāreģistrējas", + "peek_note": "Tev ir jāpievienojas istabai, lai redzētu tās failus", + "empty_heading": "Šajā istabā nav redzamu failu", + "empty_description": "Pievienojiet failus no čata vai vienkārši velciet un nometiet tos jebkur istabā." } -} \ No newline at end of file +} diff --git a/src/i18n/strings/ml.json b/src/i18n/strings/ml.json index 4441a49d82..8b4a0e5be0 100644 --- a/src/i18n/strings/ml.json +++ b/src/i18n/strings/ml.json @@ -89,5 +89,10 @@ "update": { "see_changes_button": "എന്തൊക്കെ പുതിയ വിശേഷങ്ങള്‍ ?", "release_notes_toast_title": "പുതിയ വിശേഷങ്ങള്‍" + }, + "space": { + "context_menu": { + "explore": "മുറികൾ കണ്ടെത്തുക" + } } } diff --git a/src/i18n/strings/mn.json b/src/i18n/strings/mn.json index a2d753abd3..6d0375ea65 100644 --- a/src/i18n/strings/mn.json +++ b/src/i18n/strings/mn.json @@ -6,5 +6,10 @@ }, "auth": { "register_action": "Хэрэглэгч үүсгэх" + }, + "space": { + "context_menu": { + "explore": "Өрөөнүүд үзэх" + } } } diff --git a/src/i18n/strings/nb_NO.json b/src/i18n/strings/nb_NO.json index ae84715b03..6460b6e4b5 100644 --- a/src/i18n/strings/nb_NO.json +++ b/src/i18n/strings/nb_NO.json @@ -132,12 +132,8 @@ "Language and region": "Språk og område", "General": "Generelt", "None": "Ingen", - "Security & Privacy": "Sikkerhet og personvern", "Browse": "Bla", "Unban": "Opphev utestengelse", - "Banned users": "Bannlyste brukere", - "Permissions": "Tillatelser", - "Anyone": "Alle", "Encryption": "Kryptering", "Unable to verify phone number.": "Klarte ikke å verifisere telefonnummeret.", "Verification code": "Verifikasjonskode", @@ -169,10 +165,6 @@ "An error has occurred.": "En feil har oppstått.", "Email address": "E-postadresse", "Share Room Message": "Del rommelding", - "Terms of Service": "Vilkår for bruk", - "Service": "Tjeneste", - "Summary": "Oppsummering", - "Document": "Dokument", "Cancel All": "Avbryt alt", "Home": "Hjem", "Email": "E-post", @@ -182,8 +174,6 @@ "Explore rooms": "Se alle rom", "Your password has been reset.": "Passordet ditt har blitt tilbakestilt.", "Create account": "Opprett konto", - "Commands": "Kommandoer", - "Users": "Brukere", "Success!": "Suksess!", "Set up": "Sett opp", "Identity server has no terms of service": "Identitetstjeneren har ingen brukervilkår", @@ -249,14 +239,10 @@ "Room version": "Romversjon", "Room version:": "Romversjon:", "Room Addresses": "Rom-adresser", - "URL Previews": "URL-forhåndsvisninger", "Sounds": "Lyder", "Notification sound": "Varslingslyd", "Set a new custom sound": "Velg en ny selvvalgt lyd", "Banned by %(displayName)s": "Bannlyst av %(displayName)s", - "Roles & Permissions": "Roller og tillatelser", - "Enable encryption?": "Vil du skru på kryptering?", - "Drop file here to upload": "Slipp ned en fil her for å laste opp", "Edit message": "Rediger meldingen", "Unencrypted": "Ukryptert", "Deactivate user?": "Vil du deaktivere brukeren?", @@ -321,7 +307,6 @@ "Sign in with": "Logg inn med", "Passwords don't match": "Passordene samsvarer ikke", "Email (optional)": "E-post (valgfritt)", - "Phone (optional)": "Telefonnummer (valgfritt)", "Upload avatar": "Last opp en avatar", "Terms and Conditions": "Betingelser og vilkår", "Add room": "Legg til et rom", @@ -353,15 +338,6 @@ "Enter a new identity server": "Skriv inn en ny identitetstjener", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "For å rapportere inn et Matrix-relatert sikkerhetsproblem, vennligst less Matrix.org sine Retningslinjer for sikkerhetspublisering.", "Import E2E room keys": "Importer E2E-romnøkler", - "Privileged Users": "Priviligerte brukere", - "Send %(eventType)s events": "Send %(eventType)s-hendelser", - "Select the roles required to change various parts of the room": "Velg rollene som kreves for å endre på diverse deler av rommet", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Endringer for hvem som kan lese historikken, vil kun bli benyttet for fremtidige meldinger i dette rommet. Synligheten til den eksisterende historikken vil forbli uendret.", - "Members only (since the point in time of selecting this option)": "Kun medlemmer (f.o.m. da denne innstillingen ble valgt)", - "Members only (since they were invited)": "Kun medlemmer (f.o.m. da de ble invitert)", - "Members only (since they joined)": "Kun medlemmer (f.o.m. de ble med)", - "Once enabled, encryption cannot be disabled.": "Dersom dette først har blitt skrudd på, kan kryptering aldri bli skrudd av.", - "Who can read history?": "Hvem kan lese historikken?", "Scroll to most recent messages": "Hopp bort til de nyeste meldingene", "Share Link to User": "Del en lenke til brukeren", "Filter room members": "Filtrer rommets medlemmer", @@ -375,10 +351,6 @@ "Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "Velg adresser for dette rommet slik at brukere kan finne dette rommet gjennom hjemmetjeneren din (%(localDomain)s)", "Room Name": "Rommets navn", "Room Topic": "Rommets tema", - "Publish this room to the public in %(domain)s's room directory?": "Vil du publisere dette rommet til offentligheten i %(domain)s sitt rom-arkiv?", - "You have enabled URL previews by default.": "Du har skrudd på URL-forhåndsvisninger som standard.", - "You have disabled URL previews by default.": "Du har skrudd av URL-forhåndsvisninger som standard.", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Når noen legger til en URL i meldingene deres, kan en URL-forhåndsvisning bli vist for å gi mere informasjonen om den lenken, f.eks. tittelen, beskrivelsen, og et bilde fra nettstedet.", "Encryption not enabled": "Kryptering er ikke skrudd på", "Something went wrong!": "Noe gikk galt!", "No update available.": "Ingen oppdateringer er tilgjengelige.", @@ -395,17 +367,13 @@ "Show advanced": "Vis avansert", "Recent Conversations": "Nylige samtaler", "Room Settings - %(roomName)s": "Rominnstillinger - %(roomName)s", - "To continue you need to accept the terms of this service.": "For å gå videre må du akseptere brukervilkårene til denne tjenesten.", "Confirm your identity by entering your account password below.": "Bekreft identiteten din ved å skrive inn kontopassordet ditt nedenfor.", "Use an email address to recover your account": "Bruk en E-postadresse til å gjenopprette kontoen din", "Enter email address (required on this homeserver)": "Skriv inn en E-postadresse (Påkrevd på denne hjemmetjeneren)", "Doesn't look like a valid email address": "Det ser ikke ut som en gyldig E-postadresse", "Password is allowed, but unsafe": "Passordet er tillatt, men er ikke trygt", "Nice, strong password!": "Strålende, passordet er sterkt!", - "Use lowercase letters, numbers, dashes and underscores only": "Bruk kun småbokstaver, numre, streker og understreker", - "You must join the room to see its files": "Du må bli med i rommet for å se filene dens", "Signed Out": "Avlogget", - "%(creator)s created and configured the room.": "%(creator)s opprettet og satte opp rommet.", "Export room keys": "Eksporter romnøkler", "Import room keys": "Importer romnøkler", "Go to Settings": "Gå til Innstillinger", @@ -438,7 +406,6 @@ "Failed to copy": "Mislyktes i å kopiere", "Submit logs": "Send inn loggføringer", "Clear all data": "Tøm alle data", - "Verify session": "Verifiser økten", "Upload completed": "Opplasting fullført", "Unable to upload": "Mislyktes i å laste opp", "Remove for everyone": "Fjern for alle", @@ -448,9 +415,6 @@ "User signing private key:": "Brukersignert privat nøkkel:", "Secret storage public key:": "Offentlig nøkkel for hemmelig lagring:", "Homeserver feature support:": "Hjemmetjener-funksjonsstøtte:", - "URL previews are enabled by default for participants in this room.": "URL-forhåndsvisninger er skrudd på som standard for deltakerene i dette rommet.", - "URL previews are disabled by default for participants in this room.": "URL-forhåndsvisninger er skrudd av som standard for deltakerene i dette rommet.", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "I krypterte rom som denne, er URL-forhåndsvisninger skrudd av som standard for å sikre at hjemmetjeneren din (der forhåndsvisningene blir generert) ikke kan samle inn informasjon om lenkene som du ser i dette rommet.", "Confirm adding email": "Bekreft tillegging av E-postadresse", "Confirm adding phone number": "Bekreft tillegging av telefonnummer", "Setting up keys": "Setter opp nøkler", @@ -471,7 +435,6 @@ "You have not ignored anyone.": "Du har ikke ignorert noen.", "You are not subscribed to any lists": "Du er ikke abonnert på noen lister", "Uploaded sound": "Lastet opp lyd", - "Muted Users": "Dempede brukere", "Incorrect verification code": "Ugyldig verifiseringskode", "Unable to add email address": "Klarte ikke å legge til E-postadressen", "Close preview": "Lukk forhåndsvisning", @@ -527,7 +490,6 @@ "Santa": "Julenisse", "wait and try again later": "vent og prøv igjen senere", "eg: @bot:* or example.org": "f.eks.: @bot:* eller example.org", - "To link to this room, please add an address.": "For å lenke til dette rommet, vennligst legg til en adresse.", "Remove %(phone)s?": "Vil du fjerne %(phone)s?", "Message preview": "Meldingsforhåndsvisning", "This room has no local addresses": "Dette rommet har ikke noen lokale adresser", @@ -567,11 +529,8 @@ "Review terms and conditions": "Gå gjennom betingelser og vilkår", "Jump to first invite.": "Hopp til den første invitasjonen.", "You seem to be uploading files, are you sure you want to quit?": "Du ser til å laste opp filer, er du sikker på at du vil avslutte?", - "Switch to light mode": "Bytt til lys modus", - "Switch to dark mode": "Bytt til mørk modus", "Switch theme": "Bytt tema", "All settings": "Alle innstillinger", - "Emoji Autocomplete": "Auto-fullfør emojier", "Confirm encryption setup": "Bekreft krypteringsoppsett", "Create key backup": "Opprett nøkkelsikkerhetskopi", "Set up Secure Messages": "Sett opp sikre meldinger", @@ -610,8 +569,6 @@ "Unable to revoke sharing for phone number": "Klarte ikke trekke tilbake deling for telefonnummer", "Unable to revoke sharing for email address": "Klarte ikke å trekke tilbake deling for denne e-postadressen", "Put a link back to the old room at the start of the new room so people can see old messages": "Legg inn en lenke tilbake til det gamle rommet i starten av det nye rommet slik at folk kan finne eldre meldinger", - "Add a photo, so people can easily spot your room.": "Legg til et bilde så folk lettere kan finne rommet ditt.", - "Add a topic to help people know what it is about.": "Legg til et tema for hjelpe folk å forstå hva dette handler om.", "Invite people": "Inviter personer", "You do not have permission to invite people to this room.": "Du har ikke tilgang til å invitere personer til dette rommet.", "Click the button below to confirm adding this email address.": "Klikk på knappen under for å bekrefte at du vil legge til denne e-postadressen.", @@ -677,7 +634,6 @@ "No results found": "Ingen resultater ble funnet", "Public space": "Offentlig område", "Private space": "Privat område", - "Suggested": "Anbefalte", "%(deviceId)s from %(ip)s": "%(deviceId)s fra %(ip)s", "Leave Space": "Forlat området", "Save Changes": "Lagre endringer", @@ -705,8 +661,6 @@ "Uruguay": "Uruguay", "Remember this": "Husk dette", "Move right": "Gå til høyre", - "Notify the whole room": "Varsle hele rommet", - "You created this room.": "Du opprettet dette rommet.", "Security Phrase": "Sikkerhetsfrase", "Open dial pad": "Åpne nummerpanelet", "Enter email address": "Legg inn e-postadresse", @@ -1202,7 +1156,13 @@ "placeholder_reply_encrypted": "Send et kryptert svar …", "placeholder_reply": "Send et svar …", "placeholder_encrypted": "Send en kryptert beskjed …", - "placeholder": "Send en melding …" + "placeholder": "Send en melding …", + "autocomplete": { + "command_description": "Kommandoer", + "emoji_a11y": "Auto-fullfør emojier", + "@room_description": "Varsle hele rommet", + "user_description": "Brukere" + } }, "Bold": "Fet", "Code": "Kode", @@ -1308,6 +1268,10 @@ "autocomplete_delay": "Autofullføringsforsinkelse (ms)", "rm_lifetime": "Lesemarkørens visningstid (ms)", "rm_lifetime_offscreen": "Lesemarkørens visningstid utenfor skjermen (ms)" + }, + "sessions": { + "session_id": "Økt-ID", + "verify_session": "Verifiser økten" } }, "devtools": { @@ -1493,7 +1457,8 @@ }, "m.room.create": { "see_older_messages": "Klikk for å se eldre meldinger." - } + }, + "creation_summary_room": "%(creator)s opprettet og satte opp rommet." }, "slash_command": { "shrug": "Føyer til ¯\\_(ツ)_/¯ på en råtekstmelding", @@ -1592,10 +1557,38 @@ "invite": "Inviter brukere", "state_default": "Endre innstillinger", "ban": "Bannlys brukere", - "notifications.room": "Varsle alle" + "notifications.room": "Varsle alle", + "privileged_users_section": "Priviligerte brukere", + "muted_users_section": "Dempede brukere", + "banned_users_section": "Bannlyste brukere", + "send_event_type": "Send %(eventType)s-hendelser", + "title": "Roller og tillatelser", + "permissions_section": "Tillatelser", + "permissions_section_description_room": "Velg rollene som kreves for å endre på diverse deler av rommet" }, "security": { - "strict_encryption": "Aldri send krypterte meldinger til uverifiserte økter i dette rommet fra denne økten" + "strict_encryption": "Aldri send krypterte meldinger til uverifiserte økter i dette rommet fra denne økten", + "enable_encryption_confirm_title": "Vil du skru på kryptering?", + "public_without_alias_warning": "For å lenke til dette rommet, vennligst legg til en adresse.", + "history_visibility": {}, + "history_visibility_warning": "Endringer for hvem som kan lese historikken, vil kun bli benyttet for fremtidige meldinger i dette rommet. Synligheten til den eksisterende historikken vil forbli uendret.", + "history_visibility_legend": "Hvem kan lese historikken?", + "title": "Sikkerhet og personvern", + "encryption_permanent": "Dersom dette først har blitt skrudd på, kan kryptering aldri bli skrudd av.", + "history_visibility_shared": "Kun medlemmer (f.o.m. da denne innstillingen ble valgt)", + "history_visibility_invited": "Kun medlemmer (f.o.m. da de ble invitert)", + "history_visibility_joined": "Kun medlemmer (f.o.m. de ble med)", + "history_visibility_world_readable": "Alle" + }, + "general": { + "publish_toggle": "Vil du publisere dette rommet til offentligheten i %(domain)s sitt rom-arkiv?", + "user_url_previews_default_on": "Du har skrudd på URL-forhåndsvisninger som standard.", + "user_url_previews_default_off": "Du har skrudd av URL-forhåndsvisninger som standard.", + "default_url_previews_on": "URL-forhåndsvisninger er skrudd på som standard for deltakerene i dette rommet.", + "default_url_previews_off": "URL-forhåndsvisninger er skrudd av som standard for deltakerene i dette rommet.", + "url_preview_encryption_warning": "I krypterte rom som denne, er URL-forhåndsvisninger skrudd av som standard for å sikre at hjemmetjeneren din (der forhåndsvisningene blir generert) ikke kan samle inn informasjon om lenkene som du ser i dette rommet.", + "url_preview_explainer": "Når noen legger til en URL i meldingene deres, kan en URL-forhåndsvisning bli vist for å gi mere informasjonen om den lenken, f.eks. tittelen, beskrivelsen, og et bilde fra nettstedet.", + "url_previews_section": "URL-forhåndsvisninger" } }, "encryption": { @@ -1642,7 +1635,10 @@ "server_picker_invalid_url": "Ugyldig URL", "server_picker_learn_more": "Om hjemmetjenere", "incorrect_credentials": "Feil brukernavn og/eller passord.", - "account_deactivated": "Denne kontoen har blitt deaktivert." + "account_deactivated": "Denne kontoen har blitt deaktivert.", + "registration_username_validation": "Bruk kun småbokstaver, numre, streker og understreker", + "phone_label": "Telefon", + "phone_optional_label": "Telefonnummer (valgfritt)" }, "room_list": { "show_previews": "Vis forhåndsvisninger av meldinger", @@ -1728,5 +1724,33 @@ "share_heading": "Del %(name)s", "personal_space": "Bare meg selv", "invite_teammates_by_username": "Inviter etter brukernavn" + }, + "user_menu": { + "switch_theme_light": "Bytt til lys modus", + "switch_theme_dark": "Bytt til mørk modus" + }, + "space": { + "suggested": "Anbefalte", + "context_menu": { + "explore": "Se alle rom" + } + }, + "room": { + "drop_file_prompt": "Slipp ned en fil her for å laste opp", + "intro": { + "no_topic": "Legg til et tema for hjelpe folk å forstå hva dette handler om.", + "you_created": "Du opprettet dette rommet.", + "no_avatar_label": "Legg til et bilde så folk lettere kan finne rommet ditt." + } + }, + "file_panel": { + "peek_note": "Du må bli med i rommet for å se filene dens" + }, + "terms": { + "tos": "Vilkår for bruk", + "intro": "For å gå videre må du akseptere brukervilkårene til denne tjenesten.", + "column_service": "Tjeneste", + "column_summary": "Oppsummering", + "column_document": "Dokument" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/nl.json b/src/i18n/strings/nl.json index 1981b98243..9d4114a765 100644 --- a/src/i18n/strings/nl.json +++ b/src/i18n/strings/nl.json @@ -10,10 +10,8 @@ "An error has occurred.": "Er is een fout opgetreden.", "Are you sure?": "Weet je het zeker?", "Are you sure you want to reject the invitation?": "Weet je zeker dat je de uitnodiging wilt weigeren?", - "Banned users": "Verbannen personen", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Kan geen verbinding maken met de homeserver via HTTP wanneer er een HTTPS-URL in je browserbalk staat. Gebruik HTTPS of schakel onveilige scripts in.", "Change Password": "Wachtwoord wijzigen", - "Commands": "Opdrachten", "Confirm password": "Bevestig wachtwoord", "Admin Tools": "Beheerdersgereedschap", "No Microphones detected": "Geen microfoons gevonden", @@ -21,7 +19,6 @@ "No media permissions": "Geen mediatoestemmingen", "You may need to manually permit %(brand)s to access your microphone/webcam": "Je moet %(brand)s wellicht handmatig toestaan je microfoon/webcam te gebruiken", "Default Device": "Standaardapparaat", - "Anyone": "Iedereen", "Are you sure you want to leave the room '%(roomName)s'?": "Weet je zeker dat je de kamer ‘%(roomName)s’ wil verlaten?", "Create new room": "Nieuwe kamer aanmaken", "Failed to forget room %(errCode)s": "Vergeten van kamer is mislukt %(errCode)s", @@ -35,11 +32,8 @@ "": "", "No display name": "Geen weergavenaam", "No more results": "Geen resultaten meer", - "No users have specific privileges in this room": "Geen enkele persoon heeft specifieke bevoegdheden in deze kamer", "Passwords can't be empty": "Wachtwoorden kunnen niet leeg zijn", - "Permissions": "Rechten", "Phone": "Telefoonnummer", - "Privileged Users": "Bevoegde personen", "Profile": "Profiel", "Reason": "Reden", "Reject invitation": "Uitnodiging weigeren", @@ -144,16 +138,11 @@ "Upload avatar": "Afbeelding uploaden", "Upload Failed": "Uploaden mislukt", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (macht %(powerLevelNumber)s)", - "Users": "Personen", "Verification Pending": "Verificatie in afwachting", "Verified key": "Geverifieerde sleutel", "Warning!": "Let op!", - "Who can read history?": "Wie kan de geschiedenis lezen?", "You cannot place a call with yourself.": "Je kan jezelf niet bellen.", "You do not have permission to post to this room": "Je hebt geen toestemming actief aan deze kamer deel te nemen", - "You have disabled URL previews by default.": "Je hebt URL-voorvertoningen standaard uitgeschakeld.", - "You have enabled URL previews by default.": "Je hebt URL-voorvertoningen standaard ingeschakeld.", - "You must register to use this functionality": "Je dient je te registreren om deze functie te gebruiken", "You need to be able to invite users to do that.": "Dit vereist de bevoegdheid om personen uit te nodigen.", "You need to be logged in.": "Hiervoor dien je ingelogd te zijn.", "You seem to be in a call, are you sure you want to quit?": "Het ziet er naar uit dat je in gesprek bent, weet je zeker dat je wil afsluiten?", @@ -175,7 +164,6 @@ "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Hiermee kan je de sleutels van je ontvangen berichten in versleutelde kamers naar een lokaal bestand wegschrijven. Als je dat bestand dan in een andere Matrix-cliënt inleest kan het ook die berichten ontcijferen.", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Hiermee kan je vanuit een andere Matrix-cliënt weggeschreven versleutelingssleutels inlezen, zodat je alle berichten die de andere cliënt kon ontcijferen ook hier kan lezen.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Het weggeschreven bestand is beveiligd met een wachtwoord. Voer dat wachtwoord hier in om het bestand te ontsleutelen.", - "You must join the room to see its files": "Pas na toetreding tot de kamer zal je de bestanden kunnen zien", "Reject all %(invitedRooms)s invites": "Alle %(invitedRooms)s de uitnodigingen weigeren", "Failed to invite": "Uitnodigen is mislukt", "Confirm Removal": "Verwijdering bevestigen", @@ -188,8 +176,6 @@ "Error decrypting video": "Fout bij het ontsleutelen van de video", "Add an Integration": "Voeg een integratie toe", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Je wordt zo dadelijk naar een derdepartijwebsite gebracht zodat je de account kunt legitimeren voor gebruik met %(integrationsUrl)s. Wil je doorgaan?", - "URL Previews": "URL-voorvertoningen", - "Drop file here to upload": "Versleep het bestand naar hier om het te uploaden", "Check for update": "Controleren op updates", "Something went wrong!": "Er is iets misgegaan!", "Your browser does not support the required cryptography extensions": "Jouw browser ondersteunt de benodigde cryptografie-extensies niet", @@ -198,7 +184,6 @@ "Do you want to set an email address?": "Wil je een e-mailadres instellen?", "This will allow you to reset your password and receive notifications.": "Zo kan je een nieuw wachtwoord instellen en meldingen ontvangen.", "Delete widget": "Widget verwijderen", - "Publish this room to the public in %(domain)s's room directory?": "Deze kamer vermelden in de publieke kamersgids van %(domain)s?", "AM": "AM", "PM": "PM", "Unable to create widget.": "Kan widget niet aanmaken.", @@ -225,11 +210,6 @@ "Replying": "Aan het beantwoorden", "Unnamed room": "Naamloze kamer", "Banned by %(displayName)s": "Verbannen door %(displayName)s", - "Members only (since the point in time of selecting this option)": "Alleen deelnemers (vanaf het moment dat deze optie wordt geselecteerd)", - "Members only (since they were invited)": "Alleen deelnemers (vanaf het moment dat ze uitgenodigd zijn)", - "Members only (since they joined)": "Alleen deelnemers (vanaf het moment dat ze toegetreden zijn)", - "URL previews are enabled by default for participants in this room.": "URL-voorvertoningen zijn voor deelnemers van deze kamer standaard ingeschakeld.", - "URL previews are disabled by default for participants in this room.": "URL-voorvertoningen zijn voor deelnemers van deze kamer standaard uitgeschakeld.", "A text message has been sent to %(msisdn)s": "Er is een sms naar %(msisdn)s verstuurd", "%(items)s and %(count)s others": { "other": "%(items)s en %(count)s andere", @@ -243,8 +223,6 @@ "Old cryptography data detected": "Oude cryptografiegegevens gedetecteerd", "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Er zijn gegevens van een oudere versie van %(brand)s gevonden, die problemen veroorzaakt hebben met de eind-tot-eind-versleuteling in de oude versie. Onlangs vanuit de oude versie verzonden eind-tot-eind-versleutelde berichten zijn mogelijk onontsleutelbaar in deze versie. Ook kunnen berichten die met deze versie uitgewisseld zijn falen. Mocht je problemen ervaren, log dan opnieuw in. Exporteer je sleutels en importeer ze weer om je berichtgeschiedenis te behouden.", "Please note you are logging into the %(hs)s server, not matrix.org.": "Let op dat je inlogt bij de %(hs)s-server, niet matrix.org.", - "Notify the whole room": "Laat dit aan het hele kamer weten", - "Room Notification": "Kamermelding", "In reply to ": "Als antwoord op ", "This room is not public. You will not be able to rejoin without an invite.": "Dit is geen publieke kamer. Slechts op uitnodiging zal je opnieuw kunnen toetreden.", "You don't currently have any stickerpacks enabled": "Je hebt momenteel geen stickerpakketten ingeschakeld", @@ -276,7 +254,6 @@ "Failed to send logs: ": "Versturen van logs mislukt: ", "Preparing to send logs": "Logs voorbereiden voor versturen", "Missing roomId.": "roomId ontbreekt.", - "Muted Users": "Gedempte personen", "Popout widget": "Widget in nieuw venster openen", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Kan de gebeurtenis waarop gereageerd was niet laden. Wellicht bestaat die niet, of je hebt geen toestemming die te bekijken.", "Clear Storage and Sign Out": "Opslag wissen en uitloggen", @@ -295,8 +272,6 @@ "Demote": "Degraderen", "Share Link to User": "Koppeling naar persoon delen", "Share room": "Kamer delen", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "In versleutelde kamers zoals deze zijn URL-voorvertoningen standaard uitgeschakeld, om te voorkomen dat jouw homeserver (waar de voorvertoningen worden gemaakt) informatie kan verzamelen over de koppelingen die je hier ziet.", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Als iemand een URL in een bericht invoegt, kan er een URL-voorvertoning weergegeven worden met meer informatie over de koppeling, zoals de titel, omschrijving en een afbeelding van de website.", "Share Room": "Kamer delen", "Link to most recent message": "Koppeling naar meest recente bericht", "Share User": "Persoon delen", @@ -404,7 +379,6 @@ "Account management": "Accountbeheer", "General": "Algemeen", "Accept all %(invitedRooms)s invites": "Alle %(invitedRooms)s de uitnodigingen aannemen", - "Security & Privacy": "Veiligheid & privacy", "Missing media permissions, click the button below to request.": "Mediatoestemmingen ontbreken, klik op de knop hieronder om deze aan te vragen.", "Request media permissions": "Mediatoestemmingen verzoeken", "Voice & Video": "Spraak & video", @@ -412,14 +386,7 @@ "Room version": "Kamerversie", "Room version:": "Kamerversie:", "Room Addresses": "Kameradressen", - "Send %(eventType)s events": "%(eventType)s-gebeurtenissen versturen", - "Roles & Permissions": "Rollen & rechten", - "Select the roles required to change various parts of the room": "Selecteer de vereiste rollen om verschillende delen van de kamer te wijzigen", - "Enable encryption?": "Versleuteling inschakelen?", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Kamerversleuteling is onomkeerbaar. Berichten in versleutelde kamers zijn niet leesbaar voor de server; enkel voor de deelnemers. Veel robots en bruggen werken niet correct in versleutelde kamers. Lees meer over versleuteling.", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Wijzigingen aan de leesregels van de geschiedenis gelden alleen voor toekomstige berichten in deze kamer. De zichtbaarheid van de bestaande geschiedenis blijft ongewijzigd.", "Encryption": "Versleuteling", - "Once enabled, encryption cannot be disabled.": "Eenmaal ingeschakeld kan versleuteling niet meer worden uitgeschakeld.", "This room has been replaced and is no longer active.": "Deze kamer is vervangen en niet langer actief.", "The conversation continues here.": "Het gesprek gaat hier verder.", "Only room administrators will see this warning": "Enkel kamerbeheerders zullen deze waarschuwing zien", @@ -470,7 +437,6 @@ "Please review and accept all of the homeserver's policies": "Gelieve het beleid van de homeserver door te nemen en te aanvaarden", "Please review and accept the policies of this homeserver:": "Gelieve het beleid van deze homeserver door te nemen en te aanvaarden:", "Email (optional)": "E-mailadres (optioneel)", - "Phone (optional)": "Telefoonnummer (optioneel)", "Join millions for free on the largest public server": "Neem deel aan de grootste publieke server samen met miljoenen anderen", "Couldn't load page": "Kon pagina niet laden", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Je bericht is niet verstuurd omdat deze homeserver zijn limiet voor maandelijks actieve personen heeft bereikt. Neem contact op met je beheerder om de dienst te blijven gebruiken.", @@ -577,7 +543,6 @@ "Your %(brand)s is misconfigured": "Je %(brand)s is onjuist geconfigureerd", "Ask your %(brand)s admin to check your config for incorrect or duplicate entries.": "Vraag jouw %(brand)s-beheerder je configuratie na te kijken op onjuiste of dubbele items.", "Unexpected error resolving identity server configuration": "Onverwachte fout bij het oplossen van de identiteitsserverconfiguratie", - "Use lowercase letters, numbers, dashes and underscores only": "Gebruik enkel letters, cijfers, streepjes en underscores", "Cannot reach identity server": "Kan identiteitsserver niet bereiken", "You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Je kan jezelf registreren, maar sommige functies zullen pas beschikbaar zijn wanneer de identiteitsserver weer online is. Als je deze waarschuwing blijft zien, controleer dan je configuratie of neem contact op met een serverbeheerder.", "You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Je kan jouw wachtwoord opnieuw instellen, maar sommige functies zullen pas beschikbaar komen wanneer de identiteitsserver weer online is. Als je deze waarschuwing blijft zien, controleer dan je configuratie of neem contact op met een serverbeheerder.", @@ -595,10 +560,6 @@ "Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Laat ons weten wat er verkeerd is gegaan, of nog beter, maak een foutrapport aan op GitHub, waarin je het probleem beschrijft.", "Find others by phone or email": "Vind anderen via telefoonnummer of e-mailadres", "Be found by phone or email": "Wees vindbaar via telefoonnummer of e-mailadres", - "Use bots, bridges, widgets and sticker packs": "Gebruik robots, bruggen, widgets en stickerpakketten", - "Terms of Service": "Gebruiksvoorwaarden", - "Service": "Dienst", - "Summary": "Samenvatting", "Checking server": "Server wordt gecontroleerd", "Disconnect from the identity server ?": "Wil je de verbinding met de identiteitsserver verbreken?", "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Om bekenden te kunnen vinden en voor hen vindbaar te zijn gebruik je momenteel . Je kan die identiteitsserver hieronder wijzigen.", @@ -669,18 +630,11 @@ "Close dialog": "Dialoog sluiten", "Hide advanced": "Geavanceerde info verbergen", "Show advanced": "Geavanceerde info tonen", - "To continue you need to accept the terms of this service.": "Om door te gaan dien je de dienstvoorwaarden te aanvaarden.", - "Document": "Document", "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Publieke sleutel van captcha ontbreekt in homeserverconfiguratie. Meld dit aan de beheerder van je homeserver.", - "Emoji Autocomplete": "Emoji autoaanvullen", - "Notification Autocomplete": "Meldingen autoaanvullen", - "Room Autocomplete": "Kamers autoaanvullen", - "User Autocomplete": "Personen autoaanvullen", "Add Email Address": "E-mailadres toevoegen", "Add Phone Number": "Telefoonnummer toevoegen", "Your email address hasn't been verified yet": "Jouw e-mailadres is nog niet geverifieerd", "Click the link in the email you received to verify and then click continue again.": "Open de koppeling in de ontvangen verificatie-e-mail, en klik dan op ‘Doorgaan’.", - "%(creator)s created and configured the room.": "Kamer gestart en ingesteld door %(creator)s.", "Setting up keys": "Sleutelconfiguratie", "Verify this session": "Verifieer deze sessie", "Encryption upgrade available": "Versleutelingsupgrade beschikbaar", @@ -839,7 +793,6 @@ "Clear cross-signing keys": "Sleutels voor kruiselings ondertekenen wissen", "Clear all data in this session?": "Alle gegevens in deze sessie verwijderen?", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Het verwijderen van alle gegevens in deze sessie is niet terug te draaien. Versleutelde berichten zullen verloren gaan, tenzij je een back-up van de sleutels hebt.", - "Verify session": "Sessie verifiëren", "Session name": "Sessienaam", "Session key": "Sessiesleutel", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Deze persoon verifiëren zal de sessie als vertrouwd markeren voor jullie beide.", @@ -864,7 +817,6 @@ "Confirm your identity by entering your account password below.": "Bevestig je identiteit door hieronder je wachtwoord in te voeren.", "Jump to first unread room.": "Ga naar het eerste ongelezen kamer.", "Jump to first invite.": "Ga naar de eerste uitnodiging.", - "Command Autocomplete": "Opdrachten autoaanvullen", "Enter your account password to confirm the upgrade:": "Voer je wachtwoord in om het upgraden te bevestigen:", "Restore your key backup to upgrade your encryption": "Herstel je sleutelback-up om je versleuteling te upgraden", "You'll need to authenticate with the server to confirm the upgrade.": "Je zal moeten inloggen bij de server om het upgraden te bevestigen.", @@ -1152,9 +1104,6 @@ "Explore public rooms": "Publieke kamers ontdekken", "Room options": "Kameropties", "Start a conversation with someone using their name, email address or username (like ).": "Start een kamer met iemand door hun naam, e-mailadres of inlognaam (zoals ) te typen.", - "%(creator)s created this DM.": "%(creator)s maakte deze directe chat.", - "Switch to dark mode": "Naar donkere modus wisselen", - "Switch to light mode": "Naar lichte modus wisselen", "All settings": "Instellingen", "Error removing address": "Fout bij verwijderen van adres", "There was an error removing that address. It may no longer exist or a temporary error occurred.": "Er is een fout opgetreden bij het verwijderen van dit adres. Deze bestaat mogelijk niet meer, of er is een tijdelijke fout opgetreden.", @@ -1166,16 +1115,9 @@ "Forget Room": "Kamer vergeten", "Show Widgets": "Widgets tonen", "Hide Widgets": "Widgets verbergen", - "This is the start of .": "Dit is het begin van .", - "%(displayName)s created this room.": "%(displayName)s heeft deze kamer aangemaakt.", - "You created this room.": "Jij hebt deze kamer gemaakt.", - "Topic: %(topic)s ": "Onderwerp: %(topic)s ", - "Topic: %(topic)s (edit)": "Onderwerp: %(topic)s (bewerken)", - "This is the beginning of your direct message history with .": "Dit is het begin van je direct gesprek met .", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "De beheerder van je server heeft eind-tot-eind-versleuteling standaard uitgeschakeld in alle privékamers en directe gesprekken.", "Scroll to most recent messages": "Spring naar meest recente bericht", "The authenticity of this encrypted message can't be guaranteed on this device.": "De echtheid van dit versleutelde bericht kan op dit apparaat niet worden gegarandeerd.", - "To link to this room, please add an address.": "Voeg een adres toe om naar deze kamer te kunnen verwijzen.", "New version available. Update now.": "Nieuwe versie beschikbaar. Nu updaten.", "not ready": "Niet gereed", "ready": "Gereed", @@ -1289,13 +1231,7 @@ "Enter a Security Phrase": "Veiligheidswachtwoord invoeren", "There was a problem communicating with the homeserver, please try again later.": "Er was een communicatieprobleem met de homeserver, probeer het later opnieuw.", "Switch theme": "Thema wisselen", - "You have no visible notifications.": "Je hebt geen zichtbare meldingen.", - "Attach files from chat or just drag and drop them anywhere in a room.": "Voeg bestanden toe of sleep ze in de kamer.", - "No files visible in this room": "Geen bestanden zichtbaar in deze kamer", "Sign in with SSO": "Inloggen met SSO", - "Use email to optionally be discoverable by existing contacts.": "Optioneel kan je jouw e-mail ook gebruiken om ontdekt te worden door al bestaande contacten.", - "Use email or phone to optionally be discoverable by existing contacts.": "Gebruik e-mail of telefoon om optioneel ontdekt te kunnen worden door bestaande contacten.", - "Add an email to be able to reset your password.": "Voeg een e-mail toe om je wachtwoord te kunnen resetten.", "That phone number doesn't look quite right, please check and try again": "Dat telefoonnummer ziet er niet goed uit, controleer het en probeer het opnieuw", "Enter phone number": "Telefoonnummer invoeren", "Enter email address": "E-mailadres invoeren", @@ -1371,8 +1307,6 @@ "Published Addresses": "Gepubliceerde adressen", "Open dial pad": "Kiestoetsen openen", "Recently visited rooms": "Onlangs geopende kamers", - "Add a photo, so people can easily spot your room.": "Voeg een foto toe, zodat personen je gemakkelijk kunnen herkennen in de kamer.", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Alleen jullie beiden nemen deel aan deze kamer, tenzij een van jullie beiden iemand uitnodigt om deel te nemen.", "Room ID or address of ban list": "Kamer-ID of het adres van de banlijst", "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Voeg hier personen en servers toe die je wil negeren. Gebruik asterisken om %(brand)s met alle tekens te laten overeenkomen. Bijvoorbeeld, @bot:* zou alle personen negeren die de naam 'bot' hebben op elke server.", "Please verify the room ID or address and try again.": "Controleer het kamer-ID of het adres en probeer het opnieuw.", @@ -1396,14 +1330,11 @@ "IRC display name width": "Breedte IRC-weergavenaam", "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Als je nu annuleert, kan je versleutelde berichten en gegevens verliezen als je geen toegang meer hebt tot je login.", "To continue, use Single Sign On to prove your identity.": "Om verder te gaan, gebruik je eenmalige aanmelding om je identiteit te bewijzen.", - "Add a topic to help people know what it is about.": "Stel een kameronderwerp in zodat de personen weten waar het over gaat.", "Original event source": "Originele gebeurtenisbron", - "Decrypted event source": "Ontsleutel de gebeurtenisbron", "%(count)s members": { "other": "%(count)s personen", "one": "%(count)s persoon" }, - "Your server does not support showing space hierarchies.": "Jouw server heeft geen ondersteuning voor het weergeven van Space-indelingen.", "Are you sure you want to leave the space '%(spaceName)s'?": "Weet je zeker dat je de Space '%(spaceName)s' wilt verlaten?", "This space is not public. You will not be able to rejoin without an invite.": "Deze Space is niet publiek. Zonder uitnodiging zal je niet opnieuw kunnen toetreden.", "Start audio stream": "Audiostream starten", @@ -1438,11 +1369,6 @@ " invites you": " nodigt je uit", "You may want to try a different search or check for typos.": "Je kan een andere zoekterm proberen of controleren op een typefout.", "No results found": "Geen resultaten gevonden", - "Mark as suggested": "Markeer als aanbeveling", - "Mark as not suggested": "Markeer als geen aanbeveling", - "Failed to remove some rooms. Try again later": "Het verwijderen van sommige kamers is mislukt. Probeer het opnieuw", - "Suggested": "Aanbevolen", - "This room is suggested as a good one to join": "Dit is een aanbevolen kamer om aan deel te nemen", "%(count)s rooms": { "one": "%(count)s kamer", "other": "%(count)s kamers" @@ -1467,8 +1393,6 @@ "one": "%(count)s persoon die je kent is al geregistreerd", "other": "%(count)s personen die je kent hebben zich al geregistreerd" }, - "Invite to just this room": "Uitnodigen voor alleen deze kamer", - "Manage & explore rooms": "Beheer & ontdek kamers", "unknown person": "onbekend persoon", "%(deviceId)s from %(ip)s": "%(deviceId)s van %(ip)s", "Review to ensure your account is safe": "Controleer ze zodat jouw account veilig is", @@ -1492,7 +1416,6 @@ "Failed to send": "Versturen is mislukt", "Enter your Security Phrase a second time to confirm it.": "Voer je veiligheidswachtwoord een tweede keer in om het te bevestigen.", "You have no ignored users.": "Je hebt geen persoon genegeerd.", - "Select a room below first": "Start met selecteren van een kamer hieronder", "Want to add a new room instead?": "Wil je anders een nieuwe kamer toevoegen?", "Adding rooms... (%(progress)s out of %(count)s)": { "one": "Kamer toevoegen...", @@ -1511,7 +1434,6 @@ "You may contact me if you have any follow up questions": "Je mag contact met mij opnemen als je nog vervolg vragen heeft", "To leave the beta, visit your settings.": "Om de beta te verlaten, ga naar je instellingen.", "Add reaction": "Reactie toevoegen", - "Space Autocomplete": "Space autocomplete", "Currently joining %(count)s rooms": { "one": "Momenteel aan het toetreden tot %(count)s kamer", "other": "Momenteel aan het toetreden tot %(count)s kamers" @@ -1529,12 +1451,10 @@ "Pinned messages": "Vastgeprikte berichten", "If you have permissions, open the menu on any message and select Pin to stick them here.": "Als je de rechten hebt, open dan het menu op elk bericht en selecteer Vastprikken om ze hier te zetten.", "Nothing pinned, yet": "Nog niks vastgeprikt", - "End-to-end encryption isn't enabled": "Eind-tot-eind-versleuteling is uitgeschakeld", "Report": "Melden", "Collapse reply thread": "Antwoorddraad invouwen", "Show preview": "Preview weergeven", "View source": "Bron bekijken", - "Settings - %(spaceName)s": "Instellingen - %(spaceName)s", "Please provide an address": "Geef een adres op", "Message search initialisation failed, check your settings for more information": "Bericht zoeken initialisatie mislukt, controleer je instellingen voor meer informatie", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Stel adressen in voor deze Space zodat personen deze Space kunnen vinden via jouw homeserver (%(localDomain)s)", @@ -1602,8 +1522,6 @@ "Upgrade required": "Upgrade noodzakelijk", "This upgrade will allow members of selected spaces access to this room without an invite.": "Deze upgrade maakt het mogelijk voor leden van geselecteerde spaces om toegang te krijgen tot deze kamer zonder een uitnodiging.", "Access": "Toegang", - "People with supported clients will be able to join the room without having a registered account.": "Personen met geschikte apps zullen aan de kamer kunnen deelnemen zonder een account te hebben.", - "Decide who can join %(roomName)s.": "Kies wie kan deelnemen aan %(roomName)s.", "Space members": "Space leden", "Anyone in a space can find and join. You can select multiple spaces.": "Iedereen in een space kan hem vinden en deelnemen. Je kan meerdere spaces selecteren.", "Public room": "Publieke kamer", @@ -1652,19 +1570,11 @@ "Unknown failure: %(reason)s": "Onbekende fout: %(reason)s", "Rooms and spaces": "Kamers en Spaces", "Results": "Resultaten", - "Enable encryption in settings.": "Versleuteling inschakelen in instellingen.", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Je privéberichten zijn versleuteld, maar deze kamer niet. Dit komt vaak doordat je een niet ondersteund apparaat of methode gebruikt, zoals e-mailuitnodigingen.", - "To avoid these issues, create a new public room for the conversation you plan to have.": "Om problemen te voorkomen, maak eennieuwe publieke kamer voor de gesprekken die je wil voeren.", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "Het wordt afgeraden om publieke kamers te versleutelen. Het betekent dat iedereen je kan vinden en aan deelnemen, dus iedereen kan al de berichten lezen. Je krijgt dus geen voordelen bij versleuteling. Versleutelde berichten in een publieke kamer maakt het ontvangen en versturen van berichten langzamer.", - "Are you sure you want to make this encrypted room public?": "Weet je zeker dat je deze publieke kamer wil versleutelen?", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "Om deze problemen te voorkomen, maak een nieuwe versleutelde kamer voor de gesprekken die je wil voeren.", - "Are you sure you want to add encryption to this public room?": "Weet je zeker dat je versleuteling wil inschakelen voor deze publieke kamer?", "Cross-signing is ready but keys are not backed up.": "Kruiselings ondertekenen is klaar, maar de sleutels zijn nog niet geback-upt.", "Some encryption parameters have been changed.": "Enkele versleutingsparameters zijn gewijzigd.", "Role in ": "Rol in ", "Unknown failure": "Onbekende fout", "Failed to update the join rules": "Het updaten van de deelname regels is mislukt", - "Select the roles required to change various parts of the space": "Selecteer de rollen die vereist zijn om onderdelen van de space te wijzigen", "Anyone in can find and join. You can select other spaces too.": "Iedereen in kan hem vinden en deelnemen. Je kan ook andere spaces selecteren.", "Message didn't send. Click for info.": "Bericht is niet verstuur. Klik voor meer info.", "To join a space you'll need an invite.": "Om te kunnen deelnemen aan een space heb je een uitnodiging nodig.", @@ -1676,7 +1586,6 @@ "MB": "MB", "In reply to this message": "In antwoord op dit bericht", "Export chat": "Chat exporteren", - "See room timeline (devtools)": "Kamer tijdlijn bekijken (dev tools)", "View in room": "In kamer bekijken", "Enter your Security Phrase or to continue.": "Voer uw veiligheidswachtwoord in of om door te gaan.", "Downloading": "Downloaden", @@ -1715,22 +1624,6 @@ "Joined": "Toegetreden", "Insert link": "Koppeling invoegen", "Joining": "Toetreden", - "Select all": "Allemaal selecteren", - "Deselect all": "Allemaal deselecteren", - "Sign out devices": { - "one": "Apparaat uitloggen", - "other": "Apparaten uitloggen" - }, - "Click the button below to confirm signing out these devices.": { - "one": "Klik op onderstaande knop om het uitloggen van dit apparaat te bevestigen.", - "other": "Klik op onderstaande knop om het uitloggen van deze apparaten te bevestigen." - }, - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "Bevestig je identiteit met eenmalig inloggen om dit apparaat uit te loggen.", - "other": "Bevestig je identiteit met eenmalig inloggen om deze apparaten uit te loggen." - }, - "You're all caught up": "Je bent helemaal bij", - "Someone already has that username. Try another or if it is you, sign in below.": "Iemand heeft die inlognaam al. Probeer een andere of als je het bent, log dan hieronder in.", "Copy link to thread": "Kopieer link naar draad", "Thread options": "Draad opties", "Mentions only": "Alleen vermeldingen", @@ -1820,7 +1713,6 @@ "one": "Einduitslag gebaseerd op %(count)s stem", "other": "Einduitslag gebaseerd op %(count)s stemmen" }, - "Failed to load list of rooms.": "Het laden van de kamerslijst is mislukt.", "Open in OpenStreetMap": "In OpenStreetMap openen", "Recent searches": "Recente zoekopdrachten", "To search messages, look for this icon at the top of a room ": "Om berichten te zoeken, zoek naar dit icoon bovenaan een kamer ", @@ -1857,7 +1749,6 @@ "Back to chat": "Terug naar chat", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Onbekend paar (persoon, sessie): (%(userId)s, %(deviceId)s)", "Unrecognised room address: %(roomAlias)s": "Niet herkend kameradres: %(roomAlias)s", - "Space home": "Space home", "Could not fetch location": "Kan locatie niet ophalen", "Message pending moderation": "Bericht in afwachting van moderatie", "Message pending moderation: %(reason)s": "Bericht in afwachting van moderatie: %(reason)s", @@ -1869,10 +1760,7 @@ "You were removed from %(roomName)s by %(memberName)s": "Je bent verwijderd uit %(roomName)s door %(memberName)s", "From a thread": "Uit een conversatie", "Internal room ID": "Interne ruimte ID", - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Als je weet wat je doet, Element is open-source, bekijk dan zeker onze GitHub (https://github.com/vector-im/element-web/) en draag bij!", - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Als iemand je heeft gezegd iets hier te kopiëren/plakken, is de kans groot dat je wordt opgelicht!", "Wait!": "Wacht!", - "Unable to check if username has been taken. Try again later.": "Kan niet controleren of inlognaam is gebruikt. Probeer het later nog eens.", "This address does not point at this room": "Dit adres verwijst niet naar deze kamer", "Pick a date to jump to": "Kies een datum om naar toe te springen", "Jump to date": "Spring naar datum", @@ -1981,10 +1869,6 @@ "Disinvite from room": "Uitnodiging van kamer afwijzen", "Remove from space": "Verwijder van space", "Disinvite from space": "Uitnodiging van space afwijzen", - "Confirm signing out these devices": { - "one": "Uitloggen van dit apparaat bevestigen", - "other": "Uitloggen van deze apparaten bevestigen" - }, "You have been logged out of all devices and will no longer receive push notifications. To re-enable notifications, sign in again on each device.": "Je bent afgemeld op al je apparaten en zal geen pushmeldingen meer ontvangen. Meld je op elk apparaat opnieuw aan om weer meldingen te ontvangen.", "If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "Als je toegang tot je berichten wilt behouden, stel dan sleutelback-up in of exporteer je sleutels vanaf een van je andere apparaten voordat je verder gaat.", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Jouw apparaten uitloggen zal de ertoe behorende encryptiesleutels verwijderen, wat versleutelde berichten onleesbaar zal maken.", @@ -2062,7 +1946,6 @@ "Show: %(instance)s rooms (%(server)s)": "Toon: %(instance)s kamers (%(server)s)", "Add new server…": "Nieuwe server toevoegen…", "Remove server “%(roomServer)s”": "Verwijder server “%(roomServer)s”", - "Video rooms are a beta feature": "Videokamers zijn een bètafunctie", "You cannot search for rooms that are neither a room nor a space": "U kunt niet zoeken naar kamers die geen kamer of een space zijn", "Show spaces": "Toon spaces", "Show rooms": "Toon kamers", @@ -2085,40 +1968,12 @@ "In spaces %(space1Name)s and %(space2Name)s.": "In spaces %(space1Name)s en %(space2Name)s.", "Messages in this chat will be end-to-end encrypted.": "Berichten in deze chat worden eind-tot-eind versleuteld.", "Saved Items": "Opgeslagen items", - "Send your first message to invite to chat": "Stuur je eerste bericht om uit te nodigen om te chatten", "We're creating a room with %(names)s": "We maken een kamer aan met %(names)s", "Choose a locale": "Kies een landinstelling", "Spell check": "Spellingscontrole", "Interactively verify by emoji": "Interactief verifiëren door emoji", "Manually verify by text": "Handmatig verifiëren via tekst", - "Security recommendations": "Beveiligingsaanbevelingen", - "Filter devices": "Filter apparaten", - "Inactive for %(inactiveAgeDays)s days or longer": "Inactief gedurende %(inactiveAgeDays)s dagen of langer", - "Inactive": "Inactief", - "Not ready for secure messaging": "Niet klaar voor veilig berichtenverkeer", - "Ready for secure messaging": "Klaar voor beveiligd berichtenverkeer", - "All": "Alles", - "No sessions found.": "Geen sessies gevonden.", - "No inactive sessions found.": "Geen inactieve sessies gevonden.", - "No unverified sessions found.": "Geen niet-geverifieerde sessies gevonden.", - "No verified sessions found.": "Geen geverifieerde sessies gevonden.", - "Inactive sessions": "Inactieve sessies", - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Verifieer je sessies voor verbeterde beveiligde berichtenuitwisseling of meld je af bij sessies die je niet meer herkent of gebruikt.", - "Unverified sessions": "Niet geverifieerde sessies", - "For best security, sign out from any session that you don't recognize or use anymore.": "Meld je voor de beste beveiliging af bij elke sessie die je niet meer herkent of gebruikt.", - "Verified sessions": "Geverifieerde sessies", - "Verify or sign out from this session for best security and reliability.": "Verifieer of meld je af bij deze sessie voor de beste beveiliging en betrouwbaarheid.", - "Unverified session": "Niet-geverifieerde sessie", - "This session is ready for secure messaging.": "Deze sessie is klaar voor beveiligde berichtenuitwisseling.", - "Verified session": "Geverifieerde sessie", - "Inactive for %(inactiveAgeDays)s+ days": "Inactief gedurende %(inactiveAgeDays)s+ dagen", - "Session details": "Sessie details", - "IP address": "IP adres", - "Last activity": "Laatste activiteit", - "Current session": "Huidige sessie", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "Het wordt niet aanbevolen om versleuteling toe te voegen aan openbare ruimten. Iedereen kan openbare ruimten vinden en er lid van worden, dus iedereen kan berichten erin lezen. Je profiteert niet van de voordelen van versleuteling en kunt deze later niet uitschakelen. Het versleutelen van berichten in een openbare ruimte zal het ontvangen en verzenden van berichten langzamer maken.", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Voor de beste beveiliging verifieer je jouw sessies en meldt je jezelf af bij elke sessie die je niet meer herkent of gebruikt.", - "Other sessions": "Andere sessies", "Sessions": "Sessies", "Empty room (was %(oldName)s)": "Lege ruimte (was %(oldName)s)", "Inviting %(user)s and %(count)s others": { @@ -2133,13 +1988,6 @@ "%(user1)s and %(user2)s": "%(user1)s en %(user2)s", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s of %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s of %(recoveryFile)s", - "Proxy URL": "Proxy URL", - "Proxy URL (optional)": "Proxy-URL (optioneel)", - "To disable you will need to log out and back in, use with caution!": "Om uit te schakelen moet je uitloggen en weer inloggen, wees voorzichtig!", - "Sliding Sync configuration": "Scrollende Synchronisatie-configuratie", - "Your server lacks native support, you must specify a proxy": "Jouw server heeft geen native ondersteuning, je moet een proxy opgeven", - "Your server lacks native support": "Jouw server heeft geen native ondersteuning", - "Your server has native support": "Jouw server heeft native ondersteuning", "Completing set up of your new device": "De configuratie van je nieuwe apparaat voltooien", "Waiting for device to sign in": "Wachten op apparaat om in te loggen", "Review and approve the sign in": "Controleer en keur de aanmelding goed", @@ -2173,30 +2021,6 @@ "Video call (Jitsi)": "Videogesprek (Jitsi)", "Show formatting": "Opmaak tonen", "Failed to set pusher state": "Kan de pusher status niet instellen", - "Show QR code": "QR-code tonen", - "You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.": "U kunt dit apparaat gebruiken om in te loggen op een nieuw apparaat met een QR-code. U moet de QR-code die op dit apparaat wordt weergegeven, scannen met uw apparaat dat is uitgelogd.", - "Sign in with QR code": "Log in met QR-code", - "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Overweeg om u af te melden bij oude sessies (%(inactiveAgeDays)s dagen of ouder) die u niet meer gebruikt.", - "Unknown session type": "Onbekende sessietype", - "Web session": "Web sessie", - "Mobile session": "Mobiele sessie", - "Desktop session": "Desktop sessie", - "Removing inactive sessions improves security and performance, and makes it easier for you to identify if a new session is suspicious.": "Het verwijderen van inactieve sessies verbetert de beveiliging en prestaties en maakt het voor u gemakkelijker om te identificeren of een nieuwe sessie verdacht is.", - "Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.": "Inactieve sessies zijn sessies die u al een tijdje niet hebt gebruikt, maar ze blijven vesleutelingssleutels ontvangen.", - "You should make especially certain that you recognise these sessions as they could represent an unauthorised use of your account.": "U moet er vooral zeker van zijn dat u deze sessies herkent, omdat ze een ongeoorloofd gebruik van uw account kunnen vertegenwoordigen.", - "Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.": "Niet geverifieerde sessies zijn sessies die zijn aangemeld met uw inloggegevens, maar niet zijn geverifieerd.", - "Sign out of this session": "Afmelden voor deze sessie", - "Receive push notifications on this session.": "Ontvang pushmeldingen voor deze sessie.", - "Push notifications": "Pushmeldingen", - "Toggle push notifications on this session.": "Schakel pushmeldingen in voor deze sessie.", - "Browser": "Browser", - "Operating system": "Besturingssysteem", - "URL": "URL", - "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "Dit geeft ze het vertrouwen dat ze echt met u praten, maar het betekent ook dat ze de sessienaam kunnen zien die u hier invoert.", - "Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "Andere gebruikers in privéchats en chatruimten waaraan u deelneemt, kunnen een volledige lijst van uw sessies bekijken.", - "Renaming sessions": "Sessies hernoemen", - "Please be aware that session names are also visible to people you communicate with.": "Houd er rekening mee dat sessienamen ook zichtbaar zijn voor mensen met wie u communiceert.", - "Rename session": "Sessie hernoemen", "Call type": "Oproeptype", "You do not have sufficient permissions to change this.": "U heeft niet voldoende rechten om dit te wijzigen.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s is eind-tot-eind versleuteld, maar is momenteel beperkt tot kleinere aantallen gebruikers.", @@ -2303,7 +2127,9 @@ "orphan_rooms": "Andere kamers", "on": "Aan", "off": "Uit", - "all_rooms": "Alle kamers" + "all_rooms": "Alle kamers", + "deselect_all": "Allemaal deselecteren", + "select_all": "Allemaal selecteren" }, "action": { "continue": "Doorgaan", @@ -2456,7 +2282,15 @@ "join_beta": "Beta inschakelen", "automatic_debug_logs_key_backup": "Automatisch foutopsporingslogboeken versturen wanneer de sleutelback-up niet werkt", "automatic_debug_logs_decryption": "Automatisch foutopsporingslogboeken versturen bij decoderingsfouten", - "automatic_debug_logs": "Automatisch foutenlogboek versturen bij een fout" + "automatic_debug_logs": "Automatisch foutenlogboek versturen bij een fout", + "sliding_sync_server_support": "Jouw server heeft native ondersteuning", + "sliding_sync_server_no_support": "Jouw server heeft geen native ondersteuning", + "sliding_sync_server_specify_proxy": "Jouw server heeft geen native ondersteuning, je moet een proxy opgeven", + "sliding_sync_configuration": "Scrollende Synchronisatie-configuratie", + "sliding_sync_disable_warning": "Om uit te schakelen moet je uitloggen en weer inloggen, wees voorzichtig!", + "sliding_sync_proxy_url_optional_label": "Proxy-URL (optioneel)", + "sliding_sync_proxy_url_label": "Proxy URL", + "video_rooms_beta": "Videokamers zijn een bètafunctie" }, "keyboard": { "home": "Home", @@ -2541,7 +2375,19 @@ "placeholder_reply_encrypted": "Verstuur een versleuteld antwoord…", "placeholder_reply": "Verstuur een antwoord…", "placeholder_encrypted": "Verstuur een versleuteld bericht…", - "placeholder": "Verstuur een bericht…" + "placeholder": "Verstuur een bericht…", + "autocomplete": { + "command_description": "Opdrachten", + "command_a11y": "Opdrachten autoaanvullen", + "emoji_a11y": "Emoji autoaanvullen", + "@room_description": "Laat dit aan het hele kamer weten", + "notification_description": "Kamermelding", + "notification_a11y": "Meldingen autoaanvullen", + "room_a11y": "Kamers autoaanvullen", + "space_a11y": "Space autocomplete", + "user_description": "Personen", + "user_a11y": "Personen autoaanvullen" + } }, "Bold": "Vet", "Code": "Code", @@ -2777,6 +2623,76 @@ }, "keyboard": { "title": "Toetsenbord" + }, + "sessions": { + "rename_form_heading": "Sessie hernoemen", + "rename_form_caption": "Houd er rekening mee dat sessienamen ook zichtbaar zijn voor mensen met wie u communiceert.", + "rename_form_learn_more": "Sessies hernoemen", + "rename_form_learn_more_description_1": "Andere gebruikers in privéchats en chatruimten waaraan u deelneemt, kunnen een volledige lijst van uw sessies bekijken.", + "rename_form_learn_more_description_2": "Dit geeft ze het vertrouwen dat ze echt met u praten, maar het betekent ook dat ze de sessienaam kunnen zien die u hier invoert.", + "session_id": "Sessie-ID", + "last_activity": "Laatste activiteit", + "url": "URL", + "os": "Besturingssysteem", + "browser": "Browser", + "ip": "IP adres", + "details_heading": "Sessie details", + "push_toggle": "Schakel pushmeldingen in voor deze sessie.", + "push_heading": "Pushmeldingen", + "push_subheading": "Ontvang pushmeldingen voor deze sessie.", + "sign_out": "Afmelden voor deze sessie", + "inactive_days": "Inactief gedurende %(inactiveAgeDays)s+ dagen", + "verified_sessions": "Geverifieerde sessies", + "unverified_sessions": "Niet geverifieerde sessies", + "unverified_sessions_explainer_1": "Niet geverifieerde sessies zijn sessies die zijn aangemeld met uw inloggegevens, maar niet zijn geverifieerd.", + "unverified_sessions_explainer_2": "U moet er vooral zeker van zijn dat u deze sessies herkent, omdat ze een ongeoorloofd gebruik van uw account kunnen vertegenwoordigen.", + "unverified_session": "Niet-geverifieerde sessie", + "inactive_sessions": "Inactieve sessies", + "inactive_sessions_explainer_1": "Inactieve sessies zijn sessies die u al een tijdje niet hebt gebruikt, maar ze blijven vesleutelingssleutels ontvangen.", + "inactive_sessions_explainer_2": "Het verwijderen van inactieve sessies verbetert de beveiliging en prestaties en maakt het voor u gemakkelijker om te identificeren of een nieuwe sessie verdacht is.", + "desktop_session": "Desktop sessie", + "mobile_session": "Mobiele sessie", + "web_session": "Web sessie", + "unknown_session": "Onbekende sessietype", + "device_verified_description": "Deze sessie is klaar voor beveiligde berichtenuitwisseling.", + "verified_session": "Geverifieerde sessie", + "device_unverified_description": "Verifieer of meld je af bij deze sessie voor de beste beveiliging en betrouwbaarheid.", + "verify_session": "Sessie verifiëren", + "verified_sessions_list_description": "Meld je voor de beste beveiliging af bij elke sessie die je niet meer herkent of gebruikt.", + "unverified_sessions_list_description": "Verifieer je sessies voor verbeterde beveiligde berichtenuitwisseling of meld je af bij sessies die je niet meer herkent of gebruikt.", + "inactive_sessions_list_description": "Overweeg om u af te melden bij oude sessies (%(inactiveAgeDays)s dagen of ouder) die u niet meer gebruikt.", + "no_verified_sessions": "Geen geverifieerde sessies gevonden.", + "no_unverified_sessions": "Geen niet-geverifieerde sessies gevonden.", + "no_inactive_sessions": "Geen inactieve sessies gevonden.", + "no_sessions": "Geen sessies gevonden.", + "filter_all": "Alles", + "filter_verified_description": "Klaar voor beveiligd berichtenverkeer", + "filter_unverified_description": "Niet klaar voor veilig berichtenverkeer", + "filter_inactive": "Inactief", + "filter_inactive_description": "Inactief gedurende %(inactiveAgeDays)s dagen of langer", + "filter_label": "Filter apparaten", + "sign_in_with_qr": "Log in met QR-code", + "sign_in_with_qr_description": "U kunt dit apparaat gebruiken om in te loggen op een nieuw apparaat met een QR-code. U moet de QR-code die op dit apparaat wordt weergegeven, scannen met uw apparaat dat is uitgelogd.", + "sign_in_with_qr_button": "QR-code tonen", + "other_sessions_heading": "Andere sessies", + "current_session": "Huidige sessie", + "confirm_sign_out_sso": { + "one": "Bevestig je identiteit met eenmalig inloggen om dit apparaat uit te loggen.", + "other": "Bevestig je identiteit met eenmalig inloggen om deze apparaten uit te loggen." + }, + "confirm_sign_out": { + "one": "Uitloggen van dit apparaat bevestigen", + "other": "Uitloggen van deze apparaten bevestigen" + }, + "confirm_sign_out_body": { + "one": "Klik op onderstaande knop om het uitloggen van dit apparaat te bevestigen.", + "other": "Klik op onderstaande knop om het uitloggen van deze apparaten te bevestigen." + }, + "confirm_sign_out_continue": { + "one": "Apparaat uitloggen", + "other": "Apparaten uitloggen" + }, + "security_recommendations": "Beveiligingsaanbevelingen" } }, "devtools": { @@ -2848,7 +2764,8 @@ "widget_screenshots": "Widget-schermafbeeldingen inschakelen op ondersteunde widgets", "title": "Ontwikkelaarstools", "show_hidden_events": "Verborgen gebeurtenissen op de tijdslijn weergeven", - "developer_mode": "Ontwikkelaar mode" + "developer_mode": "Ontwikkelaar mode", + "view_source_decrypted_event_source": "Ontsleutel de gebeurtenisbron" }, "export_chat": { "html": "HTML", @@ -3219,7 +3136,9 @@ "m.room.create": { "continuation": "Deze kamer is een voortzetting van een ander gesprek.", "see_older_messages": "Klik hier om oudere berichten te bekijken." - } + }, + "creation_summary_dm": "%(creator)s maakte deze directe chat.", + "creation_summary_room": "Kamer gestart en ingesteld door %(creator)s." }, "slash_command": { "spoiler": "Verstuurt het bericht als een spoiler", @@ -3400,13 +3319,52 @@ "kick": "Personen verwijderen", "ban": "Personen verbannen", "redact": "Berichten van anderen verwijderen", - "notifications.room": "Iedereen melden" + "notifications.room": "Iedereen melden", + "no_privileged_users": "Geen enkele persoon heeft specifieke bevoegdheden in deze kamer", + "privileged_users_section": "Bevoegde personen", + "muted_users_section": "Gedempte personen", + "banned_users_section": "Verbannen personen", + "send_event_type": "%(eventType)s-gebeurtenissen versturen", + "title": "Rollen & rechten", + "permissions_section": "Rechten", + "permissions_section_description_space": "Selecteer de rollen die vereist zijn om onderdelen van de space te wijzigen", + "permissions_section_description_room": "Selecteer de vereiste rollen om verschillende delen van de kamer te wijzigen" }, "security": { "strict_encryption": "Vanaf deze sessie nooit versleutelde berichten naar ongeverifieerde sessies in deze kamer versturen", "join_rule_invite": "Privé (alleen op uitnodiging)", "join_rule_invite_description": "Alleen uitgenodigde personen kunnen deelnemen.", - "join_rule_public_description": "Iedereen kan hem vinden en deelnemen." + "join_rule_public_description": "Iedereen kan hem vinden en deelnemen.", + "enable_encryption_public_room_confirm_title": "Weet je zeker dat je versleuteling wil inschakelen voor deze publieke kamer?", + "enable_encryption_public_room_confirm_description_1": "Het wordt niet aanbevolen om versleuteling toe te voegen aan openbare ruimten. Iedereen kan openbare ruimten vinden en er lid van worden, dus iedereen kan berichten erin lezen. Je profiteert niet van de voordelen van versleuteling en kunt deze later niet uitschakelen. Het versleutelen van berichten in een openbare ruimte zal het ontvangen en verzenden van berichten langzamer maken.", + "enable_encryption_public_room_confirm_description_2": "Om deze problemen te voorkomen, maak een nieuwe versleutelde kamer voor de gesprekken die je wil voeren.", + "enable_encryption_confirm_title": "Versleuteling inschakelen?", + "enable_encryption_confirm_description": "Kamerversleuteling is onomkeerbaar. Berichten in versleutelde kamers zijn niet leesbaar voor de server; enkel voor de deelnemers. Veel robots en bruggen werken niet correct in versleutelde kamers. Lees meer over versleuteling.", + "public_without_alias_warning": "Voeg een adres toe om naar deze kamer te kunnen verwijzen.", + "join_rule_description": "Kies wie kan deelnemen aan %(roomName)s.", + "encrypted_room_public_confirm_title": "Weet je zeker dat je deze publieke kamer wil versleutelen?", + "encrypted_room_public_confirm_description_1": "Het wordt afgeraden om publieke kamers te versleutelen. Het betekent dat iedereen je kan vinden en aan deelnemen, dus iedereen kan al de berichten lezen. Je krijgt dus geen voordelen bij versleuteling. Versleutelde berichten in een publieke kamer maakt het ontvangen en versturen van berichten langzamer.", + "encrypted_room_public_confirm_description_2": "Om problemen te voorkomen, maak eennieuwe publieke kamer voor de gesprekken die je wil voeren.", + "history_visibility": {}, + "history_visibility_warning": "Wijzigingen aan de leesregels van de geschiedenis gelden alleen voor toekomstige berichten in deze kamer. De zichtbaarheid van de bestaande geschiedenis blijft ongewijzigd.", + "history_visibility_legend": "Wie kan de geschiedenis lezen?", + "guest_access_warning": "Personen met geschikte apps zullen aan de kamer kunnen deelnemen zonder een account te hebben.", + "title": "Veiligheid & privacy", + "encryption_permanent": "Eenmaal ingeschakeld kan versleuteling niet meer worden uitgeschakeld.", + "history_visibility_shared": "Alleen deelnemers (vanaf het moment dat deze optie wordt geselecteerd)", + "history_visibility_invited": "Alleen deelnemers (vanaf het moment dat ze uitgenodigd zijn)", + "history_visibility_joined": "Alleen deelnemers (vanaf het moment dat ze toegetreden zijn)", + "history_visibility_world_readable": "Iedereen" + }, + "general": { + "publish_toggle": "Deze kamer vermelden in de publieke kamersgids van %(domain)s?", + "user_url_previews_default_on": "Je hebt URL-voorvertoningen standaard ingeschakeld.", + "user_url_previews_default_off": "Je hebt URL-voorvertoningen standaard uitgeschakeld.", + "default_url_previews_on": "URL-voorvertoningen zijn voor deelnemers van deze kamer standaard ingeschakeld.", + "default_url_previews_off": "URL-voorvertoningen zijn voor deelnemers van deze kamer standaard uitgeschakeld.", + "url_preview_encryption_warning": "In versleutelde kamers zoals deze zijn URL-voorvertoningen standaard uitgeschakeld, om te voorkomen dat jouw homeserver (waar de voorvertoningen worden gemaakt) informatie kan verzamelen over de koppelingen die je hier ziet.", + "url_preview_explainer": "Als iemand een URL in een bericht invoegt, kan er een URL-voorvertoning weergegeven worden met meer informatie over de koppeling, zoals de titel, omschrijving en een afbeelding van de website.", + "url_previews_section": "URL-voorvertoningen" } }, "encryption": { @@ -3513,7 +3471,15 @@ "server_picker_explainer": "Gebruik de Matrix-homeserver van je voorkeur als je er een hebt, of host je eigen.", "server_picker_learn_more": "Over homeservers", "incorrect_credentials": "Onjuiste inlognaam en/of wachtwoord.", - "account_deactivated": "Dit account is gesloten." + "account_deactivated": "Dit account is gesloten.", + "registration_username_validation": "Gebruik enkel letters, cijfers, streepjes en underscores", + "registration_username_unable_check": "Kan niet controleren of inlognaam is gebruikt. Probeer het later nog eens.", + "registration_username_in_use": "Iemand heeft die inlognaam al. Probeer een andere of als je het bent, log dan hieronder in.", + "phone_label": "Telefoonnummer", + "phone_optional_label": "Telefoonnummer (optioneel)", + "email_help_text": "Voeg een e-mail toe om je wachtwoord te kunnen resetten.", + "email_phone_discovery_text": "Gebruik e-mail of telefoon om optioneel ontdekt te kunnen worden door bestaande contacten.", + "email_discovery_text": "Optioneel kan je jouw e-mail ook gebruiken om ontdekt te worden door al bestaande contacten." }, "room_list": { "sort_unread_first": "Kamers met ongelezen berichten als eerste tonen", @@ -3707,7 +3673,21 @@ "light_high_contrast": "Lichte hoog contrast" }, "space": { - "landing_welcome": "Welkom in " + "landing_welcome": "Welkom in ", + "suggested_tooltip": "Dit is een aanbevolen kamer om aan deel te nemen", + "suggested": "Aanbevolen", + "select_room_below": "Start met selecteren van een kamer hieronder", + "unmark_suggested": "Markeer als geen aanbeveling", + "mark_suggested": "Markeer als aanbeveling", + "failed_remove_rooms": "Het verwijderen van sommige kamers is mislukt. Probeer het opnieuw", + "failed_load_rooms": "Het laden van de kamerslijst is mislukt.", + "incompatible_server_hierarchy": "Jouw server heeft geen ondersteuning voor het weergeven van Space-indelingen.", + "context_menu": { + "devtools_open_timeline": "Kamer tijdlijn bekijken (dev tools)", + "home": "Space home", + "explore": "Kamers ontdekken", + "manage_and_explore": "Beheer & ontdek kamers" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "Deze server is niet geconfigureerd om kaarten weer te geven.", @@ -3761,5 +3741,51 @@ "setup_rooms_description": "Je kan er later nog meer toevoegen, inclusief al bestaande kamers.", "setup_rooms_private_heading": "Aan welke projecten werkt jouw team?", "setup_rooms_private_description": "We zullen kamers voor elk van hen maken." + }, + "user_menu": { + "switch_theme_light": "Naar lichte modus wisselen", + "switch_theme_dark": "Naar donkere modus wisselen" + }, + "notif_panel": { + "empty_heading": "Je bent helemaal bij", + "empty_description": "Je hebt geen zichtbare meldingen." + }, + "console_scam_warning": "Als iemand je heeft gezegd iets hier te kopiëren/plakken, is de kans groot dat je wordt opgelicht!", + "console_dev_note": "Als je weet wat je doet, Element is open-source, bekijk dan zeker onze GitHub (https://github.com/vector-im/element-web/) en draag bij!", + "room": { + "drop_file_prompt": "Versleep het bestand naar hier om het te uploaden", + "intro": { + "send_message_start_dm": "Stuur je eerste bericht om uit te nodigen om te chatten", + "start_of_dm_history": "Dit is het begin van je direct gesprek met .", + "dm_caption": "Alleen jullie beiden nemen deel aan deze kamer, tenzij een van jullie beiden iemand uitnodigt om deel te nemen.", + "topic_edit": "Onderwerp: %(topic)s (bewerken)", + "topic": "Onderwerp: %(topic)s ", + "no_topic": "Stel een kameronderwerp in zodat de personen weten waar het over gaat.", + "you_created": "Jij hebt deze kamer gemaakt.", + "user_created": "%(displayName)s heeft deze kamer aangemaakt.", + "room_invite": "Uitnodigen voor alleen deze kamer", + "no_avatar_label": "Voeg een foto toe, zodat personen je gemakkelijk kunnen herkennen in de kamer.", + "start_of_room": "Dit is het begin van .", + "private_unencrypted_warning": "Je privéberichten zijn versleuteld, maar deze kamer niet. Dit komt vaak doordat je een niet ondersteund apparaat of methode gebruikt, zoals e-mailuitnodigingen.", + "enable_encryption_prompt": "Versleuteling inschakelen in instellingen.", + "unencrypted_warning": "Eind-tot-eind-versleuteling is uitgeschakeld" + } + }, + "file_panel": { + "guest_note": "Je dient je te registreren om deze functie te gebruiken", + "peek_note": "Pas na toetreding tot de kamer zal je de bestanden kunnen zien", + "empty_heading": "Geen bestanden zichtbaar in deze kamer", + "empty_description": "Voeg bestanden toe of sleep ze in de kamer." + }, + "terms": { + "integration_manager": "Gebruik robots, bruggen, widgets en stickerpakketten", + "tos": "Gebruiksvoorwaarden", + "intro": "Om door te gaan dien je de dienstvoorwaarden te aanvaarden.", + "column_service": "Dienst", + "column_summary": "Samenvatting", + "column_document": "Document" + }, + "space_settings": { + "title": "Instellingen - %(spaceName)s" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/nn.json b/src/i18n/strings/nn.json index 84d6eae8b0..89e887d5f5 100644 --- a/src/i18n/strings/nn.json +++ b/src/i18n/strings/nn.json @@ -78,7 +78,6 @@ "Authentication": "Authentisering", "Failed to set display name": "Fekk ikkje til å setja visningsnamn", "Notification targets": "Varselmål", - "Drop file here to upload": "Slipp ein fil her for å lasta opp", "This event could not be displayed": "Denne hendingen kunne ikkje visast", "Unban": "Slepp inn att", "Failed to ban user": "Fekk ikkje til å stenge ute brukaren", @@ -122,30 +121,13 @@ "Banned by %(displayName)s": "Stengd ute av %(displayName)s", "unknown error code": "ukjend feilkode", "Failed to forget room %(errCode)s": "Fekk ikkje til å gløyma rommet %(errCode)s", - "No users have specific privileges in this room": "Ingen brukarar har spesifikke rettigheiter i dette rommet", - "Privileged Users": "Privilegerte brukarar", - "Muted Users": "Dempa brukarar", - "Banned users": "Utestengde brukarar", "Favourite": "Yndling", - "Publish this room to the public in %(domain)s's room directory?": "Gjer dette rommet offentleg i %(domain)s sin romkatalog?", - "Who can read history?": "Kven kan lesa historia?", - "Anyone": "Kven som helst", - "Members only (since the point in time of selecting this option)": "Berre medlemmar (frå då denne innstillinga vart skrudd på)", - "Members only (since they were invited)": "Berre medlemmar (frå då dei vart inviterte inn)", - "Members only (since they joined)": "Berre medlemmar (frå då dei kom inn)", - "Permissions": "Tillatelsar", "Search…": "Søk…", "This Room": "Dette rommet", "All Rooms": "Alle rom", "You don't currently have any stickerpacks enabled": "Du har for tida ikkje skrudd nokre klistremerkepakkar på", "Jump to first unread message.": "Hopp til den fyrste uleste meldinga.", "This room has no local addresses": "Dette rommet har ingen lokale adresser", - "You have enabled URL previews by default.": "Du har skrudd URL-førehandsvisingar på i utgangspunktet.", - "You have disabled URL previews by default.": "Du har skrudd URL-førehandsvisingar av i utgangspunktet.", - "URL previews are enabled by default for participants in this room.": "URL-førehandsvisingar er skrudd på i utgangspunktet for dette rommet.", - "URL previews are disabled by default for participants in this room.": "URL-førehandsvisingar er skrudd av i utgangspunktet for dette rommet.", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "I krypterte rom, slik som denne, er URL-førehandsvisingar skrudd av i utgangspunktet for å forsikra at heimtenaren din (der førehandsvisinger lagast) ikkje kan samla informasjon om lenkjer som du ser i dette rommet.", - "URL Previews": "URL-førehandsvisingar", "Sunday": "søndag", "Monday": "måndag", "Tuesday": "tysdag", @@ -223,8 +205,6 @@ "Source URL": "Kjelde-URL", "All messages": "Alle meldingar", "Low Priority": "Lågrett", - "You must register to use this functionality": "Du må melda deg inn for å bruka denne funksjonen", - "You must join the room to see its files": "Du må fare inn i rommet for å sjå filene dets", "Failed to reject invitation": "Fekk ikkje til å seia nei til innbyding", "This room is not public. You will not be able to rejoin without an invite.": "Dette rommet er ikkje offentleg. Du kjem ikkje til å kunna koma inn att utan ei innbyding.", "Are you sure you want to leave the room '%(roomName)s'?": "Er du sikker på at du vil forlate rommet '%(roomName)s'?", @@ -276,10 +256,6 @@ "Please note you are logging into the %(hs)s server, not matrix.org.": "Merk deg at du loggar inn på %(hs)s-tenaren, ikkje matrix.org.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Kan ikkje kobla til heimetenaren via HTTP fordi URL-adressa i nettlesaren er HTTPS. Bruk HTTPS, eller aktiver usikre skript.", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Kan ikkje kopla til heimtenaren - ver venleg og sjekk tilkoplinga di, og sjå til at heimtenaren din sitt CCL-sertifikat er stolt på og at ein nettlesartillegg ikkje hindrar førespurnader.", - "Commands": "Kommandoar", - "Notify the whole room": "Varsle heile rommet", - "Room Notification": "Romvarsel", - "Users": "Brukarar", "Session ID": "Økt-ID", "Passphrases must match": "Passfrasane må vere identiske", "Passphrase must not be empty": "Passfrasefeltet kan ikkje stå tomt", @@ -288,7 +264,6 @@ "Export E2E room keys": "Hent E2E-romnøklar ut", "Jump to read receipt": "Hopp til lesen-lappen", "Filter room members": "Filtrer rommedlemmar", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Når nokon legg ein URL med i meldinga si, kan ei URL-førehandsvising visast for å gje meir info om lenkja slik som tittelen, skildringa, og eit bilete frå nettsida.", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Du held på å verta teken til ei tredje-partisside so du kan godkjenna brukaren din til bruk med %(integrationsUrl)s. Vil du gå fram?", "Token incorrect": "Teiknet er gale", "This room is not accessible by remote Matrix servers": "Rommet er ikkje tilgjengeleg for andre Matrix-heimtenarar", @@ -375,7 +350,6 @@ "Email addresses": "E-postadresser", "Phone numbers": "Telefonnummer", "Accept all %(invitedRooms)s invites": "Aksepter alle invitasjonar frå %(invitedRooms)s", - "Security & Privacy": "Tryggleik og personvern", "Error changing power level requirement": "Feil under endring av krav for tilgangsnivå", "Error changing power level": "Feil under endring av tilgangsnivå", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Ein feil skjedde under endring av tilgangsnivå. Sjekk at du har lov til dette, deretter prøv på nytt.", @@ -451,10 +425,6 @@ "Room Addresses": "Romadresser", "Sounds": "Lydar", "Browse": "Bla gjennom", - "Send %(eventType)s events": "Sende %(eventType)s hendelsar", - "Roles & Permissions": "Roller & Tilgangsrettar", - "Select the roles required to change various parts of the room": "Juster roller som er påkrevd for å endre ulike deler av rommet", - "Once enabled, encryption cannot be disabled.": "Etter aktivering, kan ikkje kryptering bli deaktivert.", "Your display name": "Ditt visningsnamn", "Can't find this server or its room list": "Klarde ikkje å finna tenaren eller romkatalogen til den", "Upload completed": "Opplasting fullført", @@ -474,7 +444,6 @@ "Enter the name of a new server you want to explore.": "Skriv inn namn på ny tenar du ynskjer å utforske.", "Command Help": "Kommandohjelp", "To help us prevent this in future, please send us logs.": "For å bistå med å forhindre dette i framtida, gjerne send oss loggar.", - "%(creator)s created and configured the room.": "%(creator)s oppretta og konfiguerte dette rommet.", "Jump to first unread room.": "Hopp til fyrste uleste rom.", "Jump to first invite.": "Hopp til fyrste invitasjon.", "Unable to set up secret storage": "Oppsett av hemmeleg lager feila", @@ -492,7 +461,6 @@ "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "For å rapportere eit Matrix-relatert sikkerheitsproblem, les Matrix.org sin Security Disclosure Policy.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Tenaradministratoren din har deaktivert ende-til-ende kryptering som standard i direktemeldingar og private rom.", "Set a new custom sound": "Set ein ny tilpassa lyd", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Når kryptering er aktivert for eit rom, kan ein ikkje deaktivere det. Meldingar som blir sende i eit kryptert rom kan ikkje bli lesne av tenaren, men berre av deltakarane i rommet. Aktivering av kryptering kan hindre mange botar og bruer frå å fungera på rett måte. Les meir om kryptering her.", "This room is end-to-end encrypted": "Dette rommet er ende-til-ende kryptert", "Encrypted by an unverified session": "Kryptert av ein ikkje-verifisert sesjon", "Encrypted by a deleted session": "Kryptert av ein sletta sesjon", @@ -579,15 +547,6 @@ "Expand quotes": "Utvid sitat", "Deactivate account": "Avliv brukarkontoen", "Enter a new identity server": "Skriv inn ein ny identitetstenar", - "Click the button below to confirm signing out these devices.": { - "one": "Trykk på knappen under for å stadfesta utlogging frå denne eininga." - }, - "Confirm signing out these devices": { - "one": "Stadfest utlogging frå denne eininga" - }, - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "Stadfest utlogging av denne eininga ved å nytta Single-sign-on for å bevise identiteten din." - }, "Verify this device by confirming the following number appears on its screen.": "Verifiser denne eininga ved å stadfeste det følgjande talet når det kjem til syne på skjermen.", "Quick settings": "Hurtigval", "More options": "Fleire val", @@ -732,7 +691,13 @@ "placeholder_reply_encrypted": "Send eit kryptert svar…", "placeholder_reply": "Send eit svar…", "placeholder_encrypted": "Send ei kryptert melding…", - "placeholder": "Send melding…" + "placeholder": "Send melding…", + "autocomplete": { + "command_description": "Kommandoar", + "@room_description": "Varsle heile rommet", + "notification_description": "Romvarsel", + "user_description": "Brukarar" + } }, "Bold": "Feit", "Code": "Kode", @@ -852,6 +817,18 @@ }, "keyboard": { "title": "Tastatur" + }, + "sessions": { + "session_id": "Økt-ID", + "confirm_sign_out_sso": { + "one": "Stadfest utlogging av denne eininga ved å nytta Single-sign-on for å bevise identiteten din." + }, + "confirm_sign_out": { + "one": "Stadfest utlogging frå denne eininga" + }, + "confirm_sign_out_body": { + "one": "Trykk på knappen under for å stadfesta utlogging frå denne eininga." + } } }, "devtools": { @@ -1033,7 +1010,8 @@ "lightbox_title": "%(senderDisplayName)s endra avataren til %(roomName)s", "removed": "%(senderDisplayName)s fjerna romavataren.", "changed_img": "%(senderDisplayName)s endra romavataren til " - } + }, + "creation_summary_room": "%(creator)s oppretta og konfiguerte dette rommet." }, "slash_command": { "shrug": "Sett inn ¯\\_(ツ)_/¯ i ein rein-tekst melding", @@ -1130,10 +1108,37 @@ "invite": "Inviter brukarar", "state_default": "Endre innstillingar", "ban": "Stenge ute brukarar", - "notifications.room": "Varsle alle" + "notifications.room": "Varsle alle", + "no_privileged_users": "Ingen brukarar har spesifikke rettigheiter i dette rommet", + "privileged_users_section": "Privilegerte brukarar", + "muted_users_section": "Dempa brukarar", + "banned_users_section": "Utestengde brukarar", + "send_event_type": "Sende %(eventType)s hendelsar", + "title": "Roller & Tilgangsrettar", + "permissions_section": "Tillatelsar", + "permissions_section_description_room": "Juster roller som er påkrevd for å endre ulike deler av rommet" }, "security": { - "strict_encryption": "Aldri send krypterte meldingar i dette rommet til ikkje-verifiserte sesjonar frå denne sesjonen" + "strict_encryption": "Aldri send krypterte meldingar i dette rommet til ikkje-verifiserte sesjonar frå denne sesjonen", + "enable_encryption_confirm_description": "Når kryptering er aktivert for eit rom, kan ein ikkje deaktivere det. Meldingar som blir sende i eit kryptert rom kan ikkje bli lesne av tenaren, men berre av deltakarane i rommet. Aktivering av kryptering kan hindre mange botar og bruer frå å fungera på rett måte. Les meir om kryptering her.", + "history_visibility": {}, + "history_visibility_legend": "Kven kan lesa historia?", + "title": "Tryggleik og personvern", + "encryption_permanent": "Etter aktivering, kan ikkje kryptering bli deaktivert.", + "history_visibility_shared": "Berre medlemmar (frå då denne innstillinga vart skrudd på)", + "history_visibility_invited": "Berre medlemmar (frå då dei vart inviterte inn)", + "history_visibility_joined": "Berre medlemmar (frå då dei kom inn)", + "history_visibility_world_readable": "Kven som helst" + }, + "general": { + "publish_toggle": "Gjer dette rommet offentleg i %(domain)s sin romkatalog?", + "user_url_previews_default_on": "Du har skrudd URL-førehandsvisingar på i utgangspunktet.", + "user_url_previews_default_off": "Du har skrudd URL-førehandsvisingar av i utgangspunktet.", + "default_url_previews_on": "URL-førehandsvisingar er skrudd på i utgangspunktet for dette rommet.", + "default_url_previews_off": "URL-førehandsvisingar er skrudd av i utgangspunktet for dette rommet.", + "url_preview_encryption_warning": "I krypterte rom, slik som denne, er URL-førehandsvisingar skrudd av i utgangspunktet for å forsikra at heimtenaren din (der førehandsvisinger lagast) ikkje kan samla informasjon om lenkjer som du ser i dette rommet.", + "url_preview_explainer": "Når nokon legg ein URL med i meldinga si, kan ei URL-førehandsvising visast for å gje meir info om lenkja slik som tittelen, skildringa, og eit bilete frå nettsida.", + "url_previews_section": "URL-førehandsvisingar" } }, "auth": { @@ -1161,7 +1166,8 @@ "sign_in_or_register_description": "Bruk kontoen din eller opprett ein ny for å halda fram.", "register_action": "Opprett konto", "incorrect_credentials": "Feil brukarnamn og/eller passord.", - "account_deactivated": "Denne kontoen har blitt deaktivert." + "account_deactivated": "Denne kontoen har blitt deaktivert.", + "phone_label": "Telefon" }, "export_chat": { "messages": "Meldingar" @@ -1212,5 +1218,17 @@ "labs_mjolnir": { "room_name": "Mi blokkeringsliste", "room_topic": "Dette er di liste over brukarar/tenarar du har blokkert - ikkje forlat rommet!" + }, + "room": { + "drop_file_prompt": "Slipp ein fil her for å lasta opp" + }, + "file_panel": { + "guest_note": "Du må melda deg inn for å bruka denne funksjonen", + "peek_note": "Du må fare inn i rommet for å sjå filene dets" + }, + "space": { + "context_menu": { + "explore": "Utforsk romma" + } } -} \ No newline at end of file +} diff --git a/src/i18n/strings/oc.json b/src/i18n/strings/oc.json index daf87a947e..5d3af70b39 100644 --- a/src/i18n/strings/oc.json +++ b/src/i18n/strings/oc.json @@ -81,13 +81,11 @@ "Account": "Compte", "General": "General", "Unignore": "Ignorar pas", - "Security & Privacy": "Seguretat e vida privada", "Audio Output": "Sortida àudio", "Bridges": "Bridges", "Sounds": "Sons", "Browse": "Percórrer", "Unban": "Reabilitar", - "Permissions": "Permissions", "Encryption": "Chiframent", "Phone Number": "Numèro de telefòn", "Unencrypted": "Pas chifrat", @@ -123,10 +121,6 @@ "An error has occurred.": "Una error s'es producha.", "Session name": "Nom de session", "Email address": "Adreça de corrièl", - "Terms of Service": "Terms of Service", - "Service": "Servici", - "Summary": "Resumit", - "Document": "Document", "Upload files": "Mandar de fichièrs", "Home": "Dorsièr personal", "Enter password": "Sasissètz lo senhal", @@ -135,8 +129,6 @@ "Passwords don't match": "Los senhals correspondon pas", "Unknown error": "Error desconeguda", "Search failed": "La recèrca a fracassat", - "Commands": "Comandas", - "Users": "Utilizaires", "Success!": "Capitada !", "Explore rooms": "Percórrer las salas", "Click the button below to confirm adding this email address.": "Clicatz sus lo boton aicí dejós per confirmar l'adicion de l'adreça e-mail.", @@ -268,7 +260,11 @@ "placeholder_reply_encrypted": "Enviar una responsa chifrada …", "placeholder_reply": "Enviar una responsa…", "placeholder_encrypted": "Enviar un messatge chifrat…", - "placeholder": "Enviar un messatge…" + "placeholder": "Enviar un messatge…", + "autocomplete": { + "command_description": "Comandas", + "user_description": "Utilizaires" + } }, "Bold": "Gras", "power_level": { @@ -340,7 +336,8 @@ "auth": { "sso": "Autentificacion unica", "incorrect_password": "Senhal incorrècte", - "register_action": "Crear un compte" + "register_action": "Crear un compte", + "phone_label": "Telefòn" }, "export_chat": { "messages": "Messatges" @@ -356,5 +353,24 @@ "help_about": { "versions": "Versions" } + }, + "space": { + "context_menu": { + "explore": "Percórrer las salas" + } + }, + "terms": { + "tos": "Terms of Service", + "column_service": "Servici", + "column_summary": "Resumit", + "column_document": "Document" + }, + "room_settings": { + "permissions": { + "permissions_section": "Permissions" + }, + "security": { + "title": "Seguretat e vida privada" + } } } diff --git a/src/i18n/strings/pl.json b/src/i18n/strings/pl.json index 64e4a6c7d1..a7bf730937 100644 --- a/src/i18n/strings/pl.json +++ b/src/i18n/strings/pl.json @@ -24,13 +24,10 @@ "Fri": "Pt", "Sat": "Sob", "Sun": "Nd", - "Who can read history?": "Kto może czytać historię?", "Warning!": "Uwaga!", - "Users": "Użytkownicy", "Unban": "Odbanuj", "Account": "Konto", "Are you sure?": "Czy jesteś pewien?", - "Banned users": "Zbanowani użytkownicy", "Change Password": "Zmień Hasło", "Confirm password": "Potwierdź hasło", "Cryptography": "Kryptografia", @@ -51,7 +48,6 @@ "%(items)s and %(lastItem)s": "%(items)s i %(lastItem)s", "A new password must be entered.": "Musisz wprowadzić nowe hasło.", "An error has occurred.": "Wystąpił błąd.", - "Anyone": "Każdy", "Are you sure you want to leave the room '%(roomName)s'?": "Czy na pewno chcesz opuścić pokój '%(roomName)s'?", "Are you sure you want to reject the invitation?": "Czy na pewno chcesz odrzucić zaproszenie?", "and %(count)s others...": { @@ -60,7 +56,6 @@ }, "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Nie można nawiązać połączenia z serwerem - proszę sprawdź twoje połączenie, upewnij się, że certyfikat SSL serwera jest zaufany, i że dodatki przeglądarki nie blokują żądania.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Nie można nawiązać połączenia z serwerem przy użyciu HTTP podczas korzystania z HTTPS dla bieżącej strony. Użyj HTTPS lub włącz niebezpieczne skrypty.", - "Commands": "Polecenia", "Custom level": "Własny poziom", "Deactivate Account": "Dezaktywuj konto", "Decrypt %(text)s": "Odszyfruj %(text)s", @@ -95,7 +90,6 @@ "Sign in with": "Zaloguj się używając", "Join Room": "Dołącz do pokoju", "Jump to first unread message.": "Przeskocz do pierwszej nieprzeczytanej wiadomości.", - "Publish this room to the public in %(domain)s's room directory?": "Czy opublikować ten pokój dla ogółu w spisie pokojów domeny %(domain)s?", "Low priority": "Niski priorytet", "Missing room_id in request": "Brakujące room_id w żądaniu", "Missing user_id in request": "Brakujące user_id w żądaniu", @@ -108,13 +102,10 @@ "PM": "PM", "No display name": "Brak nazwy ekranowej", "No more results": "Nie ma więcej wyników", - "No users have specific privileges in this room": "Żadni użytkownicy w tym pokoju nie mają specyficznych uprawnień", "Passwords can't be empty": "Hasła nie mogą być puste", - "Permissions": "Uprawnienia", "Phone": "Telefon", "Please check your email and click on the link it contains. Once this is done, click continue.": "Sprawdź swój e-mail i kliknij link w nim zawarty. Kiedy już to zrobisz, kliknij \"kontynuuj\".", "Power level must be positive integer.": "Poziom uprawnień musi być liczbą dodatnią.", - "Privileged Users": "Użytkownicy uprzywilejowani", "Profile": "Profil", "Reason": "Powód", "Reject invitation": "Odrzuć zaproszenie", @@ -158,8 +149,6 @@ "You do not have permission to do that in this room.": "Nie masz pozwolenia na wykonanie tej akcji w tym pokoju.", "You cannot place a call with yourself.": "Nie możesz wykonać połączenia do siebie.", "You do not have permission to post to this room": "Nie masz uprawnień do pisania w tym pokoju", - "You have disabled URL previews by default.": "Masz domyślnie wyłączone podglądy linków.", - "You must register to use this functionality": "Musisz się zarejestrować aby móc używać tej funkcji", "You need to be able to invite users to do that.": "Aby to zrobić, musisz mieć możliwość zapraszania użytkowników.", "You need to be logged in.": "Musisz być zalogowany.", "You seem to be in a call, are you sure you want to quit?": "Wygląda na to, że prowadzisz z kimś rozmowę; jesteś pewien że chcesz wyjść?", @@ -185,14 +174,12 @@ "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Ten proces pozwala na eksport kluczy do wiadomości otrzymanych w zaszyfrowanych pokojach do pliku lokalnego. Wtedy będzie można importować plik do innego klienta Matrix w przyszłości, tak aby ów klient także mógł rozszyfrować te wiadomości.", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Ten proces pozwala na import zaszyfrowanych kluczy, które wcześniej zostały eksportowane z innego klienta Matrix. Będzie można odszyfrować każdą wiadomość, którą ów inny klient mógł odszyfrować.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Eksportowany plik będzie chroniony hasłem szyfrującym. Aby odszyfrować plik, wpisz hasło szyfrujące tutaj.", - "You must join the room to see its files": "Należy dołączyć do pokoju by zobaczyć jego pliki", "Reject all %(invitedRooms)s invites": "Odrzuć wszystkie zaproszenia do %(invitedRooms)s", "Failed to invite": "Wysłanie zaproszenia nie powiodło się", "Confirm Removal": "Potwierdź usunięcie", "Unable to restore session": "Przywrócenie sesji jest niemożliwe", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Jeśli wcześniej używałeś/aś nowszej wersji %(brand)s, Twoja sesja może być niekompatybilna z tą wersją. Zamknij to okno i powróć do nowszej wersji.", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Nastąpiła próba załadowania danego punktu w historii tego pokoju, lecz nie masz uprawnień, by zobaczyć określoną wiadomość.", - "You have enabled URL previews by default.": "Masz domyślnie włączone podglądy linków.", "Please enter the code it contains:": "Wpisz kod, który jest tam zawarty:", "Error decrypting image": "Błąd deszyfrowania obrazu", "Error decrypting video": "Błąd deszyfrowania wideo", @@ -201,9 +188,7 @@ "Not a valid %(brand)s keyfile": "Niepoprawny plik klucza %(brand)s", "Authentication check failed: incorrect password?": "Próba autentykacji nieudana: nieprawidłowe hasło?", "Do you want to set an email address?": "Czy chcesz ustawić adres e-mail?", - "Drop file here to upload": "Upuść plik tutaj, aby go przesłać", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Za chwilę zostaniesz przekierowany/a na zewnętrzną stronę w celu powiązania Twojego konta z %(integrationsUrl)s. Czy chcesz kontynuować?", - "URL Previews": "Podglądy linków", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", "Restricted": "Ograniczony", "Ignored user": "Ignorowany użytkownik", @@ -243,9 +228,6 @@ "%(duration)sm": "%(duration)sm", "%(duration)sh": "%(duration)sg", "%(duration)sd": "%(duration)sd", - "Members only (since the point in time of selecting this option)": "Tylko członkowie (od momentu włączenia tej opcji)", - "Members only (since they were invited)": "Tylko członkowie (od kiedy zostali zaproszeni)", - "Members only (since they joined)": "Tylko członkowie (od kiedy dołączyli)", "Copied!": "Skopiowano!", "Failed to copy": "Kopiowanie nieudane", "A text message has been sent to %(msisdn)s": "Wysłano wiadomość tekstową do %(msisdn)s", @@ -261,9 +243,6 @@ "Replying": "Odpowiadanie", "Share room": "Udostępnij pokój", "Banned by %(displayName)s": "Zbanowany przez %(displayName)s", - "Muted Users": "Wyciszeni użytkownicy", - "URL previews are enabled by default for participants in this room.": "Podglądy linków są domyślnie włączone dla uczestników tego pokoju.", - "URL previews are disabled by default for participants in this room.": "Podglądy linków są domyślnie wyłączone dla uczestników tego pokoju.", "Clear Storage and Sign Out": "Wyczyść pamięć i wyloguj się", "Send Logs": "Wyślij dzienniki", "We encountered an error trying to restore your previous session.": "Napotkaliśmy błąd podczas przywracania poprzedniej sesji.", @@ -284,8 +263,6 @@ "No Audio Outputs detected": "Nie wykryto wyjść audio", "Audio Output": "Wyjście audio", "Please note you are logging into the %(hs)s server, not matrix.org.": "Zauważ proszę, że logujesz się na serwer %(hs)s, nie matrix.org.", - "Notify the whole room": "Powiadom cały pokój", - "Room Notification": "Powiadomienia pokoju", "Demote yourself?": "Zdegradować siebie?", "Demote": "Degraduj", "Permission Required": "Wymagane Uprawnienia", @@ -294,8 +271,6 @@ "This homeserver has hit its Monthly Active User limit.": "Ten serwer osiągnął miesięczny limit aktywnego użytkownika.", "This homeserver has exceeded one of its resource limits.": "Ten serwer przekroczył jeden z limitów.", "Please contact your homeserver administrator.": "Proszę o kontakt z administratorem serwera.", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "W zaszyfrowanych pokojach, takich jak ten, podgląd adresów URL jest domyślnie wyłączony, aby upewnić się, że serwer (w którym generowane są podglądy) nie może zbierać informacji o linkach widocznych w tym pokoju.", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Gdy ktoś umieści URL w wiadomości, można wyświetlić podgląd adresu URL, aby podać więcej informacji o tym łączu, takich jak tytuł, opis i obraz ze strony internetowej.", "This event could not be displayed": "Ten event nie może zostać wyświetlony", "This room has been replaced and is no longer active.": "Ten pokój został zamieniony i nie jest już aktywny.", "The conversation continues here.": "Konwersacja jest kontynuowana tutaj.", @@ -389,9 +364,7 @@ "Phone numbers": "Numery telefonów", "Language and region": "Język i region", "Account management": "Zarządzanie kontem", - "Security & Privacy": "Bezpieczeństwo i prywatność", "Room Addresses": "Adresy pokoju", - "Roles & Permissions": "Role i uprawnienia", "Encryption": "Szyfrowanie", "Join the conversation with an account": "Przyłącz się do rozmowy przy użyciu konta", "Sign Up": "Zarejestruj się", @@ -421,7 +394,6 @@ "Notification sound": "Dźwięk powiadomień", "Set a new custom sound": "Ustaw nowy niestandardowy dźwięk", "Browse": "Przeglądaj", - "Once enabled, encryption cannot be disabled.": "Po włączeniu, szyfrowanie nie może zostać wyłączone.", "Call failed due to misconfigured server": "Połączenie nie udało się przez błędną konfigurację serwera", "The file '%(fileName)s' failed to upload.": "Nie udało się przesłać pliku '%(fileName)s'.", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "Plik '%(fileName)s' przekracza limit rozmiaru dla tego serwera głównego", @@ -499,8 +471,6 @@ "View older messages in %(roomName)s.": "Wyświetl starsze wiadomości w %(roomName)s.", "Room information": "Informacje pokoju", "Uploaded sound": "Przesłano dźwięk", - "Select the roles required to change various parts of the room": "Wybierz role wymagane do zmieniania różnych części pokoju", - "Enable encryption?": "Włączyć szyfrowanie?", "Your email address hasn't been verified yet": "Twój adres e-mail nie został jeszcze zweryfikowany", "Verification code": "Kod weryfikacyjny", "Remove %(email)s?": "Usunąć %(email)s?", @@ -514,7 +484,6 @@ "Do you want to join %(roomName)s?": "Czy chcesz dołączyć do %(roomName)s?", " invited you": " zaprosił Cię", "You're previewing %(roomName)s. Want to join it?": "Przeglądasz %(roomName)s. Czy chcesz dołączyć do pokoju?", - "%(creator)s created and configured the room.": "%(creator)s stworzył i skonfigurował pokój.", "Missing media permissions, click the button below to request.": "Brakuje uprawnień do mediów, kliknij przycisk poniżej, aby o nie zapytać.", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Nie zdołano wczytać zdarzenia, na które odpowiedziano, może ono nie istnieć lub nie masz uprawnienia, by je zobaczyć.", "e.g. my-room": "np. mój-pokój", @@ -587,10 +556,8 @@ "Reason: %(reason)s": "Powód: %(reason)s", "Reject & Ignore user": "Odrzuć i zignoruj użytkownika", "Show image": "Pokaż obraz", - "Verify session": "Zweryfikuj sesję", "Upload completed": "Przesyłanie zakończone", "Message edits": "Edycje wiadomości", - "Terms of Service": "Warunki użytkowania", "Upload %(count)s other files": { "other": "Prześlij %(count)s innych plików", "one": "Prześlij %(count)s inny plik" @@ -613,8 +580,6 @@ "other": "Usuń %(count)s wiadomości", "one": "Usuń 1 wiadomość" }, - "Switch to light mode": "Przełącz na tryb jasny", - "Switch to dark mode": "Przełącz na tryb ciemny", "Switch theme": "Przełącz motyw", "All settings": "Wszystkie ustawienia", "That matches!": "Zgadza się!", @@ -638,22 +603,14 @@ "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Klucz podpisujący, który podano jest taki sam jak klucz podpisujący otrzymany od %(userId)s oraz sesji %(deviceId)s. Sesja została oznaczona jako zweryfikowana.", "Are you sure you want to cancel entering passphrase?": "Czy na pewno chcesz anulować wpisywanie hasła?", "Cancel entering passphrase?": "Anulować wpisywanie hasła?", - "Attach files from chat or just drag and drop them anywhere in a room.": "Załącz pliki w rozmowie lub upuść je w dowolnym miejscu rozmowy.", "Sign in with SSO": "Zaloguj się z SSO", - "No files visible in this room": "Brak plików widocznych w tym pokoju", - "Document": "Dokument", - "Service": "Usługa", - "Summary": "Opis", - "To continue you need to accept the terms of this service.": "Aby kontynuować, musisz zaakceptować zasady użytkowania.", "Add widgets, bridges & bots": "Dodaj widżety, mostki i boty", "Forget this room": "Zapomnij o tym pokoju", "Explore public rooms": "Przeglądaj pokoje publiczne", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Zmiany tego, kto może przeglądać historię wyszukiwania dotyczą tylko przyszłych wiadomości w pokoju. Widoczność wcześniejszej historii nie zmieni się.", "No other published addresses yet, add one below": "Brak innych opublikowanych adresów, dodaj jakiś poniżej", "Other published addresses:": "Inne opublikowane adresy:", "Room settings": "Ustawienia pokoju", "Messages in this room are not end-to-end encrypted.": "Wiadomości w tym pokoju nie są szyfrowane end-to-end.", - "Add a topic to help people know what it is about.": "Dodaj temat, aby poinformować ludzi czego dotyczy.", "Start a conversation with someone using their name or username (like ).": "Rozpocznij konwersację z innymi korzystając z ich nazwy lub nazwy użytkownika (np. ).", "Start a conversation with someone using their name, email address or username (like ).": "Rozpocznij konwersację z innymi korzystając z ich nazwy, adresu e-mail lub nazwy użytkownika (np. ).", "Room options": "Ustawienia pokoju", @@ -665,7 +622,6 @@ "Unknown App": "Nieznana aplikacja", "Enable desktop notifications": "Włącz powiadomienia na pulpicie", "Don't miss a reply": "Nie przegap odpowiedzi", - "%(creator)s created this DM.": "%(creator)s utworzył tę wiadomość prywatną.", "Israel": "Izrael", "Isle of Man": "Man", "Ireland": "Irlandia", @@ -806,11 +762,6 @@ "User rules": "Zasady użytkownika", "Server rules": "Zasady serwera", "not found": "nie znaleziono", - "User Autocomplete": "Autouzupełnianie użytkowników", - "Room Autocomplete": "Autouzupełnianie pokojów", - "Notification Autocomplete": "Autouzupełnianie powiadomień", - "Emoji Autocomplete": "Autouzupełnianie emoji", - "Phone (optional)": "Telefon (opcjonalny)", "Upload Error": "Błąd wysyłania", "Close dialog": "Zamknij okno dialogowe", "Deactivate user": "Dezaktywuj użytkownika", @@ -938,14 +889,6 @@ "Mauritania": "Mauretania", "Martinique": "Martynika", "Room %(name)s": "Pokój %(name)s", - "This is the start of .": "Oto początek .", - "Add a photo, so people can easily spot your room.": "Dodaj zdjęcie, aby inni mogli łatwo zauważyć Twój pokój.", - "%(displayName)s created this room.": "%(displayName)s utworzył ten pokój.", - "You created this room.": "Utworzyłeś ten pokój.", - "Topic: %(topic)s ": "Temat: %(topic)s ", - "Topic: %(topic)s (edit)": "Temat: %(topic)s (edytuj)", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Tylko Wy jesteście w tej konwersacji, dopóki ktoś z Was nie zaprosi tu innej osoby.", - "This is the beginning of your direct message history with .": "Oto początek Twojej historii wiadomości prywatnych z .", "Start chatting": "Rozpocznij rozmowę", " wants to chat": " chce porozmawiać", "Hide Widgets": "Ukryj widżety", @@ -988,7 +931,6 @@ "Remove recent messages by %(user)s": "Usuń ostatnie wiadomości od %(user)s", "No recent messages by %(user)s found": "Nie znaleziono ostatnich wiadomości od %(user)s", "Clear personal data": "Wyczyść dane osobiste", - "Use bots, bridges, widgets and sticker packs": "Używaj botów, mostków, widżetów i zestawów naklejek", "Find others by phone or email": "Odnajdź innych z użyciem numeru telefonu lub adresu e-mail", "Clear all data": "Wyczyść wszystkie dane", "Please enter verification code sent via text.": "Wprowadź kod weryfikacyjny wysłany wiadomością tekstową.", @@ -1011,7 +953,6 @@ "Could not load user profile": "Nie udało się załadować profilu", "Your password has been reset.": "Twoje hasło zostało zresetowane.", "Are you sure you want to sign out?": "Czy na pewno chcesz się wylogować?", - "Send %(eventType)s events": "Wyślij zdarzenia %(eventType)s", "Failed to decrypt %(failedCount)s sessions!": "Nie udało się odszyfrować %(failedCount)s sesji!", "Unable to load backup status": "Nie udało się załadować stanu kopii zapasowej", "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Wysłaliśmy Ci e-mail, aby zweryfikować Twój adres. Podążaj za instrukcjami z niego, a później naciśnij poniższy przycisk.", @@ -1047,8 +988,6 @@ "The integration manager is offline or it cannot reach your homeserver.": "Menedżer integracji jest offline, lub nie może połączyć się z Twoim homeserverem.", "Cannot connect to integration manager": "Nie udało się połączyć z menedżerem integracji", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Aby zgłosić błąd związany z bezpieczeństwem Matriksa, przeczytaj Politykę odpowiedzialnego ujawniania informacji Matrix.org.", - "Use email or phone to optionally be discoverable by existing contacts.": "Użyj adresu e-mail lub numeru telefonu, aby móc być odkrywanym przez istniejące kontakty.", - "Add an email to be able to reset your password.": "Dodaj adres e-mail, aby zresetować swoje hasło.", "Server Options": "Opcje serwera", "Warning: you should only set up key backup from a trusted computer.": "Ostrzeżenie: kopia zapasowa klucza powinna być konfigurowana tylko z zaufanego komputera.", "Discovery options will appear once you have added an email above.": "Opcje odkrywania pojawią się, gdy dodasz adres e-mail powyżej.", @@ -1069,7 +1008,6 @@ "We couldn't log you in": "Nie mogliśmy Cię zalogować", "Use the Desktop app to see all encrypted files": "Użyj aplikacji desktopowej, aby zobaczyć wszystkie szyfrowane pliki", "Verification requested": "Zażądano weryfikacji", - "You have no visible notifications.": "Nie masz widocznych powiadomień.", "Connecting": "Łączenie", "Create key backup": "Utwórz kopię zapasową klucza", "Generate a Security Key": "Wygeneruj klucz bezpieczeństwa", @@ -1079,14 +1017,11 @@ "Move right": "Przenieś w prawo", "Move left": "Przenieś w lewo", "No results found": "Nie znaleziono wyników", - "Your server does not support showing space hierarchies.": "Twój serwer nie obsługuje wyświetlania hierarchii przestrzeni.", "You can select all or individual messages to retry or delete": "Możesz zaznaczyć wszystkie lub wybrane wiadomości aby spróbować ponownie lub usunąć je", "Sending": "Wysyłanie", "Delete all": "Usuń wszystkie", "Some of your messages have not been sent": "Niektóre z Twoich wiadomości nie zostały wysłane", "Retry all": "Spróbuj ponownie wszystkie", - "Suggested": "Polecany", - "This room is suggested as a good one to join": "Ten pokój jest polecany jako dobry do dołączenia", "%(count)s rooms": { "one": "%(count)s pokój", "other": "%(count)s pokojów" @@ -1096,12 +1031,9 @@ "other": "%(count)s członkowie" }, "You don't have permission": "Nie masz uprawnień", - "Failed to remove some rooms. Try again later": "Nie udało się usunąć niektórych pokojów. Spróbuj ponownie później", - "Select a room below first": "Najpierw wybierz poniższy pokój", "Spaces": "Przestrzenie", "User Busy": "Użytkownik zajęty", "The user you called is busy.": "Użytkownik, do którego zadzwoniłeś jest zajęty.", - "End-to-end encryption isn't enabled": "Szyfrowanie end-to-end nie jest włączone", "Nothing pinned, yet": "Nie przypięto tu jeszcze niczego", "If you have permissions, open the menu on any message and select Pin to stick them here.": "Jeżeli masz uprawnienia, przejdź do menu dowolnej wiadomości i wybierz Przypnij, aby przyczepić ją tutaj.", "Pinned messages": "Przypięte wiadomości", @@ -1203,8 +1135,6 @@ }, "Upgrade required": "Aktualizacja wymagana", "Message search initialisation failed": "Inicjalizacja wyszukiwania wiadomości nie powiodła się", - "Select all": "Zaznacz wszystkie", - "Deselect all": "Odznacz wszystkie", "You were disconnected from the call. (Error: %(message)s)": "Zostałeś rozłączony z rozmowy. (Błąd: %(message)s)", "Connection lost": "Utracono połączenie", "Failed to join": "Nie udało się dołączyć", @@ -1239,30 +1169,9 @@ "other": "%(user)s i %(count)s innych" }, "%(user1)s and %(user2)s": "%(user1)s i %(user2)s", - "Send your first message to invite to chat": "Wyślij pierwszą wiadomość, aby zaprosić do rozmowy", "Spell check": "Sprawdzanie pisowni", "We're creating a room with %(names)s": "Tworzymy pokój z %(names)s", - "Last activity": "Ostatnia aktywność", "Sessions": "Sesje", - "Current session": "Bieżąca sesja", - "IP address": "Adres IP", - "Session details": "Szczegóły sesji", - "Other sessions": "Inne sesje", - "Verified session": "Sesja zweryfikowana", - "Unverified session": "Sesja niezweryfikowana", - "Inactive for %(inactiveAgeDays)s+ days": "Nieaktywne przez %(inactiveAgeDays)s+ dni", - "Unverified sessions": "Sesje niezweryfikowane", - "Inactive sessions": "Sesje nieaktywne", - "Verified sessions": "Sesje zweryfikowane", - "No verified sessions found.": "Nie znaleziono zweryfikowanych sesji.", - "No unverified sessions found.": "Nie znaleziono niezweryfikowanych sesji.", - "No inactive sessions found.": "Nie znaleziono nieaktywnych sesji.", - "No sessions found.": "Nie znaleziono sesji.", - "All": "Wszystkie", - "Ready for secure messaging": "Gotowe do bezpiecznej komunikacji", - "Not ready for secure messaging": "Nieprzygotowane do bezpiecznej komunikacji", - "Inactive": "Nieaktywny", - "Inactive for %(inactiveAgeDays)s days or longer": "Nieaktywne przez %(inactiveAgeDays)s dni lub dłużej", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s lub %(recoveryFile)s", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s lub %(copyButton)s", "Channel: ": "Kanał: ", @@ -1476,7 +1385,6 @@ "Give one or multiple users in this room more privileges": "Dodaj jednemu lub więcej użytkownikom więcej uprawnień", "Add privileged users": "Dodaj użytkowników uprzywilejowanych", "Ignore (%(counter)s)": "Ignoruj (%(counter)s)", - "Space home": "Przestrzeń główna", "Home options": "Opcje głównej", "Home is useful for getting an overview of everything.": "Strona główna to przydatne miejsce dla podsumowania wszystkiego.", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Dla najlepszego bezpieczeństwa, zweryfikuj swoje sesje i wyloguj się ze wszystkich sesji, których nie rozpoznajesz lub nie używasz.", @@ -1487,50 +1395,6 @@ "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Twój administrator serwera wyłączył szyfrowanie end-to-end domyślnie w pokojach prywatnych i wiadomościach bezpośrednich.", "You have no ignored users.": "Nie posiadasz ignorowanych użytkowników.", "Subscribed lists": "Listy subskrybowanych", - "Unknown session type": "Nieznany typ sesji", - "Web session": "Sesja internetowa", - "Mobile session": "Sesja mobilna", - "Desktop session": "Sesja desktopowa", - "Removing inactive sessions improves security and performance, and makes it easier for you to identify if a new session is suspicious.": "Regularne usuwanie sesji nieaktywnych poprawia bezpieczeństwo, wydajność i upraszcza Tobie detekcje podejrzanych sesji.", - "Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.": "Sesje nieaktywne to sesje, które nie były używane przez dłuższy czas, ale wciąż otrzymują klucze szyfrujące.", - "For best security and privacy, it is recommended to use Matrix clients that support encryption.": "Dla najlepszego bezpieczeństwa i prywatności zaleca się korzystania z klientów Matrix, które wspierają szyfrowanie.", - "You won't be able to participate in rooms where encryption is enabled when using this session.": "Nie będziesz w stanie uczestniczyć w pokojach, gdzie szyfrowane jest włączone.", - "This session doesn't support encryption and thus can't be verified.": "Ta sesja nie wspiera szyfrowania, dlatego nie może zostać zweryfikowana.", - "You should make especially certain that you recognise these sessions as they could represent an unauthorised use of your account.": "W tym przypadku dokładnie się upewnij, że rozpoznajesz takie sesje, ponieważ mogą ujawnić nieautoryzowane użycie Twojego konta.", - "Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.": "Sesje niezweryfikowane to sesje, w których zalogowano się za pomocą Twoich danych, lecz nie zostały zweryfikowane inną sesją.", - "This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "To oznacza, że posiadasz wszystkie niezbędne klucze wymagane do odblokowania swoich zaszyfrowanych wiadomości i oznajmiasz innym użytkownikom, że ufasz tej sesji.", - "Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Sesje zweryfikowane są wszędzie, gdzie korzystasz z tego konta po wprowadzeniu swojego hasła lub zweryfikowaniu swojej tożsamości za pomocą innej sesji zweryfikowanej.", - "Show details": "Pokaż szczegóły", - "Hide details": "Ukryj szczegóły", - "Sign out of this session": "Wyloguj się z tej sesji", - "Receive push notifications on this session.": "Otrzymuj powiadomienia push na tej sesji.", - "Push notifications": "Powiadomienia push", - "Toggle push notifications on this session.": "Przełącz powiadomienia push dla tej sesji.", - "Browser": "Przeglądarka", - "Operating system": "System operacyjny", - "URL": "URL", - "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "Oznacza to dla nich pewność, że rzeczywiście rozmawiają z Tobą, ale jednocześnie oznacza, że widzą nazwę sesji, którą tutaj wpiszesz.", - "Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "Inni użytkownicy w wiadomościach bezpośrednich i pokojach, do których dołączasz, mogą zobaczyć pełną listę Twoich sesji.", - "Renaming sessions": "Zmienianie nazwy sesji", - "Please be aware that session names are also visible to people you communicate with.": "Należy pamiętać, że nazwy sesji są widoczne również dla osób, z którymi się komunikujesz.", - "Rename session": "Zmień nazwę sesji", - "Sign out devices": { - "one": "Wyloguj urządzenie", - "other": "Wyloguj urządzenia" - }, - "Click the button below to confirm signing out these devices.": { - "one": "Kliknij przycisk poniżej, aby potwierdzić wylogowanie tego urządzenia.", - "other": "Kliknij przycisk poniżej, aby potwierdzić wylogowanie tych urządzeń." - }, - "Confirm signing out these devices": { - "one": "Potwierdź wylogowanie z tego urządzenia", - "other": "Potwierdź wylogowanie z tych urządzeń" - }, - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "Potwierdź wylogowanie z tego urządzenia, udowadniając swoją tożsamość za pomocą pojedynczego logowania.", - "other": "Potwierdź wylogowanie z tych urządzeń, udowadniając swoją tożsamość za pomocą pojedynczego logowania." - }, - "Sign out of all other sessions (%(otherSessionsCount)s)": "Wyloguj się z wszystkich pozostałych sesji (%(otherSessionsCount)s)", "Unable to revoke sharing for phone number": "Nie można odwołać udostępniania numeru telefonu", "Verify the link in your inbox": "Zweryfikuj link w swojej skrzynce odbiorczej", "Click the link in the email you received to verify and then click continue again.": "Kliknij link w wiadomości e-mail, którą otrzymałeś, aby zweryfikować i kliknij kontynuuj ponownie.", @@ -1539,19 +1403,8 @@ "You do not have sufficient permissions to change this.": "Nie posiadasz wymaganych uprawnień, aby to zmienić.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s jest szyfrowany end-to-end, lecz jest aktualnie ograniczony do mniejszej liczby użytkowników.", "Enable %(brand)s as an additional calling option in this room": "Włącz %(brand)s jako dodatkową opcję dzwonienia w tym pokoju", - "People with supported clients will be able to join the room without having a registered account.": "Osoby ze wspieranymi klientami będą mogli dołączyć do pokoju bez posiadania konta.", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "Aby uniknąć tych problemów, utwórz nowy pokój szyfrowany dla konwersacji, które planujesz.", - "To avoid these issues, create a new public room for the conversation you plan to have.": "Aby uniknąć tych problemów, utwórz nowy pokój szyfrowany dla konwersacji, które planujesz.", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "Nie zaleca się upubliczniania pokojów szyfrowanych. Każdy może znaleźć Twój pokój, więc jest w stanie czytać wszystkie zawarte w nim wiadomości. Nie uzyskasz żadnych benefitów szyfrowania. Szyfrowanie wiadomości w pokoju publicznym sprawi, że wysyłanie i odbieranie wiadomości będzie wolniejsze.", - "Are you sure you want to make this encrypted room public?": "Czy na pewno chcesz upublicznić ten pokój szyfrowany?", "Unknown failure": "Nieznany błąd", "Failed to update the join rules": "Nie udało się zaktualizować zasad dołączania", - "Decide who can join %(roomName)s.": "Decyduj kto może dołączyć %(roomName)s.", - "To link to this room, please add an address.": "Aby powiązać ten pokój, dodaj adres.", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Po włączeniu, szyfrowania pokoju nie będzie się dało wyłączyć. Wiadomości wysłane w pokoju szyfrowanym nie mogą zostać odczytane przez serwer, tylko wyłącznie przez uczestników pokoju. Włączenie szyfrowania może uniemożliwić wielu botom i mostkom działanie. Dowiedz się więcej o szyfrowaniu.", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "Nie zaleca się dodawania szyfrowania do pokojów publicznych. Każdy może znaleźć Twój pokój, więc jest w stanie czytać wszystkie zawarte w nim wiadomości. Nie uzyskasz żadnych benefitów szyfrowania, a tej zmiany nie będzie można cofnąć. Szyfrowanie wiadomości w pokoju publicznym sprawi, że wysyłanie i odbieranie wiadomości będzie wolniejsze.", - "Are you sure you want to add encryption to this public room?": "Czy na pewno chcesz dodać szyfrowanie do tego pokoju publicznego?", - "Select the roles required to change various parts of the space": "Wybierz wymagane role wymagane do zmiany różnych części przestrzeni", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Wystąpił błąd podczas zmiany poziomu uprawnień użytkownika. Upewnij się, że posiadasz wystarczające uprawnienia i spróbuj ponownie.", "Error changing power level": "Wystąpił błąd podczas zmiany poziomu uprawnień", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Wystąpił błąd podczas zmiany wymagań poziomu uprawnień pokoju. Upewnij się, że posiadasz wystarczające uprawnienia i spróbuj ponownie.", @@ -1580,33 +1433,9 @@ "If this isn't what you want, please use a different tool to ignore users.": "Jeśli to nie jest to czego chciałeś, użyj innego narzędzia do ignorowania użytkowników.", "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Wiadomość tekstowa wysłana do %(msisdn)s. Wprowadź kod weryfikacyjny w niej zawarty.", "Failed to set pusher state": "Nie udało się ustawić stanu pushera", - "Improve your account security by following these recommendations.": "Zwiększ bezpieczeństwo swojego konta kierując się tymi rekomendacjami.", - "Security recommendations": "Rekomendacje bezpieczeństwa", "You have been logged out of all devices and will no longer receive push notifications. To re-enable notifications, sign in again on each device.": "Zostałeś wylogowany z wszystkich urządzeń i przestaniesz otrzymywać powiadomienia push. Aby włączyć powiadomienia, zaloguj się ponownie na każdym urządzeniu.", "Sign out of all devices": "Wyloguj się z wszystkich urządzeń", - "Sign out of %(count)s sessions": { - "one": "Wyloguj się z %(count)s sesji", - "other": "Wyloguj się z %(count)s sesji" - }, - "Show QR code": "Pokaż kod QR", - "You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.": "Możesz użyć tego urządzenia, aby zalogować nowe za pomocą kodu QR. Zeskanuj kod QR wyświetlany na tym urządzeniu za pomocą drugiego wylogowanego.", - "Sign in with QR code": "Zaloguj się za pomocą kodu QR", - "%(count)s sessions selected": { - "one": "Zaznaczono %(count)s sesję", - "other": "Zaznaczono %(count)s sesji" - }, - "Filter devices": "Filtruj urządzenia", - "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Rozważ wylogowanie się ze starych sesji (%(inactiveAgeDays)s dni lub starsze), jeśli już z nich nie korzystasz.", - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Dla wzmocnienia bezpiecznych wiadomości, zweryfikuj swoje sesje i wyloguj się ze wszystkich sesji, których nie rozpoznajesz lub nie używasz.", - "For best security, sign out from any session that you don't recognize or use anymore.": "Dla najlepszego bezpieczeństwa, wyloguj się ze wszystkich sesji, których nie rozpoznajesz lub nie używasz.", - "Verify or sign out from this session for best security and reliability.": "Zweryfikuj lub wyloguj się z tej sesji dla zapewnienia najlepszego bezpieczeństwa.", - "Verify your current session for enhanced secure messaging.": "Zweryfikuj swoją bieżącą sesję dla wzmocnienia bezpiecznych wiadomości.", - "This session is ready for secure messaging.": "Sesja jest gotowa do wysyłania bezpiecznych wiadomości.", "The add / bind with MSISDN flow is misconfigured": "Dodaj / binduj za pomocą MSISDN flow zostało nieprawidłowo skonfigurowane", - "Enable encryption in settings.": "Włącz szyfrowanie w ustawieniach.", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Normalnie Twoje wiadomości prywatne są szyfrowane, lecz ten pokój nie jest. Przeważnie jest to spowodowane korzystaniem z niewspieranego urządzenia lub metody, takiej jak zaproszenia e-mail.", - "Invite to just this room": "Zaproś do tylko tego pokoju", - "Once everyone has joined, you’ll be able to chat": "Kiedy wszyscy dołączą, będziesz mógł rozmawiać", "Insert link": "Wprowadź link", "Formatting": "Formatowanie", "Show formatting": "Pokaż formatowanie", @@ -1636,7 +1465,6 @@ "You have verified this user. This user has verified all of their sessions.": "Zweryfikowałeś tego użytkownika. Użytkownik zweryfikował wszystkie swoje sesje.", "You have not verified this user.": "Nie zweryfikowałeś tego użytkownika.", "This user has not verified all of their sessions.": "Ten użytkownik nie zweryfikował wszystkich swoich sesji.", - "Your current session is ready for secure messaging.": "Twoja bieżąca sesja jest gotowa do wysyłania bezpiecznych wiadomości.", "Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named '%(myBanList)s' - stay in this room to keep the ban list in effect.": "Twoja osobista lista banów zawiera wszystkich użytkowników/serwery, z których nie chcesz otrzymywać wiadomości. Po zignorowaniu swojego pierwszego użytkownika/serwera, nowy pokój pojawi się na Twojej liście pokoi z nazwą '%(myBanList)s' - nie wychodź z niego, aby lista działała.", "Failed to download source media, no source url was found": "Nie udało się pobrać media źródłowego, nie znaleziono źródłowego adresu URL", "This room has already been upgraded.": "Ten pokój został już ulepszony.", @@ -1691,7 +1519,6 @@ "Public room": "Pokój publiczny", "Public space": "Przestrzeń publiczna", "Video room": "Pokój wideo", - "Video rooms are a beta feature": "Rozmowy wideo to funkcja beta", "View chat timeline": "Wyświetl oś czasu czatu", "Close call": "Zamknij połączenie", "Change layout": "Zmień układ", @@ -2186,15 +2013,8 @@ "Manually verify by text": "Zweryfikuj ręcznie za pomocą tekstu", "Be found by phone or email": "Zostań znaleziony przez numer telefonu lub adres e-mail", "To help us prevent this in future, please send us logs.": "Aby uniknąć tego problemu w przyszłości, wyślij nam dzienniki.", - "Settings - %(spaceName)s": "Ustawienia - %(spaceName)s", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Ta funkcja grupuje Twoje czaty z członkami tej przestrzeni. Wyłączenie jej, ukryje następujące czaty %(spaceName)s.", "Sections to show": "Sekcje do pokazania", - "Proxy URL": "URL proxy", - "Proxy URL (optional)": "URL proxy (opcjonalne)", - "To disable you will need to log out and back in, use with caution!": "By wyłączyć, będziesz musiał się zalogować ponownie. Korzystaj z rozwagą!", - "Your server lacks native support, you must specify a proxy": "Twój serwer nie posiada wsparcia natywnego, musisz podać serwer proxy", - "Your server lacks native support": "Twój serwer nie posiada wsparcia natywnego", - "Your server has native support": "Twój serwer posiada wsparcie natywne", "Checking…": "Sprawdzanie…", "Command Help": "Komenda pomocy", "Link to room": "Link do pokoju", @@ -2213,8 +2033,6 @@ "The server (%(serverName)s) took too long to respond.": "Serwer (%(serverName)s) zajął zbyt dużo czasu na odpowiedź.", "Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "Serwer nie odpowiada na niektóre z Twoich żądań. Poniżej przedstawiamy niektóre z prawdopodobnych powodów.", "Server isn't responding": "Serwer nie odpowiada", - "Unable to check if username has been taken. Try again later.": "Nie można sprawdzić, czy nazwa użytkownika jest zajęta. Spróbuj ponownie później.", - "Use lowercase letters, numbers, dashes and underscores only": "Użyj tylko małych liter, cyfr, myślników i podkreśleń", "Other users can invite you to rooms using your contact details": "Inni użytkownicy mogą Cię zaprosić do pokoi za pomocą Twoich danych kontaktowych", "Enter email address (required on this homeserver)": "Wprowadź adres e-mail (wymagane na tym serwerze domowym)", "That phone number doesn't look quite right, please check and try again": "Ten numer telefonu nie wygląda dobrze, sprawdź go ponownie", @@ -2274,8 +2092,6 @@ "Failed to start livestream": "Nie udało się rozpocząć transmisji na żywo", "Unable to start audio streaming.": "Nie można rozpocząć przesyłania strumienia audio.", "Thread options": "Opcje wątków", - "Manage & explore rooms": "Zarządzaj i odkrywaj pokoje", - "See room timeline (devtools)": "Pokaż oś czasu pokoju (devtools)", "Mute room": "Wycisz pokój", "Match default setting": "Dopasuj z ustawieniami domyślnymi", "Mark as read": "Oznacz jako przeczytane", @@ -2298,7 +2114,6 @@ "Keys restored": "Klucze przywrócone", "Backup could not be decrypted with this Security Phrase: please verify that you entered the correct Security Phrase.": "Kopia zapasowa nie mogła zostać rozszyfrowana za pomocą tego Hasła bezpieczeństwa: upewnij się, że wprowadzono prawidłowe Hasło bezpieczeństwa.", "Incorrect Security Phrase": "Nieprawidłowe hasło bezpieczeństwa", - "Sliding Sync configuration": "Konfiguracja synchronizacji przesuwanej", "Spotlight": "Centrum uwagi", "If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Jeśli nie usunąłeś metody odzyskiwania, atakujący może próbować dostać się na Twoje konto. Zmień hasło konta i natychmiast ustaw nową metodę odzyskiwania w Ustawieniach.", "If you did this accidentally, you can setup Secure Messages on this session which will re-encrypt this session's message history with a new recovery method.": "Jeśli zrobiłeś to przez pomyłkę, możesz ustawić bezpieczne wiadomości w tej sesji, co zaszyfruje ponownie historię wiadomości za pomocą nowej metody odzyskiwania.", @@ -2320,8 +2135,6 @@ "Enter your Security Phrase a second time to confirm it.": "Wprowadź hasło bezpieczeństwa ponownie, aby potwierdzić.", "Great! This Security Phrase looks strong enough.": "Wspaniale! Hasło bezpieczeństwa wygląda na silne.", "Enter a Security Phrase": "Wprowadź hasło bezpieczeństwa", - "Space Autocomplete": "Przerwa autouzupełniania", - "Command Autocomplete": "Komenda autouzupełniania", "Send email": "Wyślij e-mail", "Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Ostrzeżenie: Twoje dane osobowe (włączając w to klucze szyfrujące) są wciąż przechowywane w tej sesji. Wyczyść je, jeśli chcesz zakończyć tę sesję lub chcesz zalogować się na inne konto.", "Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "Odzyskaj dostęp do swojego konta i klucze szyfrujące zachowane w tej sesji. Bez nich, nie będziesz mógł przeczytać żadnej wiadomości szyfrowanej we wszystkich sesjach.", @@ -2352,15 +2165,10 @@ "Waiting for users to join %(brand)s": "Czekanie na użytkowników %(brand)s", "Thread root ID: %(threadRootId)s": "ID root wątku: %(threadRootId)s", "Original event source": "Oryginalne źródło wydarzenia", - "Decrypted source unavailable": "Rozszyfrowane źródło niedostępne", - "Decrypted event source": "Rozszyfrowane wydarzenie źródłowe", "Search names and descriptions": "Przeszukuj nazwy i opisy", "Rooms and spaces": "Pokoje i przestrzenie", "Results": "Wyniki", "You may want to try a different search or check for typos.": "Możesz spróbować inną frazę lub sprawdzić błędy pisowni.", - "Failed to load list of rooms.": "Nie udało się wczytać listy pokoi.", - "Mark as suggested": "Oznacz jako sugerowane", - "Mark as not suggested": "Oznacz jako nie sugerowane", "Joining": "Dołączanie", "You have %(count)s unread notifications in a prior version of this room.": { "one": "Masz %(count)s nieprzeczytanych powiadomień we wcześniejszej wersji tego pokoju.", @@ -2370,20 +2178,15 @@ "Your message wasn't sent because this homeserver has been blocked by its administrator. Please contact your service administrator to continue using the service.": "Wiadomość nie została wysłana, ponieważ serwer domowy został zablokowany przez jego administratora. Skontaktuj się z administratorem serwisu, aby kontynuować.", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Wiadomość nie została wysłana, ponieważ serwer domowy przekroczył miesięczny limit aktywnych użytkowników. Skontaktuj się z administratorem serwisu, aby kontynuować.", "You can't send any messages until you review and agree to our terms and conditions.": "Nie możesz wysłać żadnej wiadomości, dopóki nie zaakceptujesz naszych warunków i kondycji.", - "You're all caught up": "Jesteś na bieżąco", "Unable to copy a link to the room to the clipboard.": "Nie można skopiować linku pokoju do schowka.", "Unable to copy room link": "Nie można skopiować linku do pokoju", "Are you sure you want to leave the space '%(spaceName)s'?": "Czy na pewno chcesz opuścić przestrzeń '%(spaceName)s'?", "This space is not public. You will not be able to rejoin without an invite.": "Ta przestrzeń nie jest publiczna. Nie będziesz w stanie dołączyć bez zaproszenia.", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Jesteś jedyną osoba tutaj. Jeśli wyjdziesz, nikt nie będzie w stanie dołączyć w przyszłości, włączając Ciebie.", - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Jeśli wiesz, co robisz, pamiętaj, że Element jest open-source. Dlatego odwiedź nas na platformie GitHub (https://github.com/vector-im/element-web/) i dodaj swoją kontrybucję!", - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Jeśli ktoś Ci powiedział, żeby coś stąd skopiować/wkleić, istnieje wysokie prawdopodobieństwo, że jesteś oszukiwany!", "Wait!": "Czekaj!", "Open dial pad": "Otwórz klawiaturę numeryczną", "Error downloading audio": "Wystąpił błąd w trakcie pobierania audio", "Unnamed audio": "Audio bez nazwy", - "Use email to optionally be discoverable by existing contacts.": "Użyj adresu e-mail, aby opcjonalnie móc być odkrywanym przez istniejące kontakty.", - "Someone already has that username. Try another or if it is you, sign in below.": "Ktoś już ma taką nazwę użytkownika. Użyj innej lub zaloguj się poniżej, jeśli to jesteś Ty.", "%(completed)s of %(total)s keys restored": "%(completed)s z %(total)s kluczy przywrócono", "Your language": "Twój język", "Your device ID": "Twoje ID urządzenia", @@ -2391,7 +2194,6 @@ "Try using %(server)s": "Spróbuj użyć %(server)s", "User is not logged in": "Użytkownik nie jest zalogowany", "Are you sure you wish to remove (delete) this event?": "Czy na pewno chcesz usunąć to wydarzenie?", - "Your server requires encryption to be disabled.": "Twój serwer wymaga wyłączenia szyfrowania.", "Note that removing room changes like this could undo the change.": "Usuwanie zmian pokoju w taki sposób może cofnąć zmianę.", "Ask to join": "Poproś o dołączenie", "People cannot join unless access is granted.": "Osoby nie mogą dołączyć, dopóki nie otrzymają zezwolenia.", @@ -2524,7 +2326,9 @@ "orphan_rooms": "Inne pokoje", "on": "Włącz", "off": "Wyłącz", - "all_rooms": "Wszystkie pokoje" + "all_rooms": "Wszystkie pokoje", + "deselect_all": "Odznacz wszystkie", + "select_all": "Zaznacz wszystkie" }, "action": { "continue": "Kontynuuj", @@ -2707,7 +2511,15 @@ "rust_crypto_disabled_notice": "Można go tylko włączyć przez config.json", "automatic_debug_logs_key_backup": "Automatycznie wysyłaj logi debugowania gdy kopia zapasowa kluczy nie działa", "automatic_debug_logs_decryption": "Automatycznie wysyłaj logi debugowania po wystąpieniu błędów deszyfrowania", - "automatic_debug_logs": "Automatycznie wysyłaj logi debugowania po wystąpieniu jakiegokolwiek błędu" + "automatic_debug_logs": "Automatycznie wysyłaj logi debugowania po wystąpieniu jakiegokolwiek błędu", + "sliding_sync_server_support": "Twój serwer posiada wsparcie natywne", + "sliding_sync_server_no_support": "Twój serwer nie posiada wsparcia natywnego", + "sliding_sync_server_specify_proxy": "Twój serwer nie posiada wsparcia natywnego, musisz podać serwer proxy", + "sliding_sync_configuration": "Konfiguracja synchronizacji przesuwanej", + "sliding_sync_disable_warning": "By wyłączyć, będziesz musiał się zalogować ponownie. Korzystaj z rozwagą!", + "sliding_sync_proxy_url_optional_label": "URL proxy (opcjonalne)", + "sliding_sync_proxy_url_label": "URL proxy", + "video_rooms_beta": "Rozmowy wideo to funkcja beta" }, "keyboard": { "home": "Strona główna", @@ -2802,7 +2614,19 @@ "placeholder_reply_encrypted": "Wyślij zaszyfrowaną odpowiedź…", "placeholder_reply": "Wyślij odpowiedź…", "placeholder_encrypted": "Wyślij zaszyfrowaną wiadomość…", - "placeholder": "Wyślij wiadomość…" + "placeholder": "Wyślij wiadomość…", + "autocomplete": { + "command_description": "Polecenia", + "command_a11y": "Komenda autouzupełniania", + "emoji_a11y": "Autouzupełnianie emoji", + "@room_description": "Powiadom cały pokój", + "notification_description": "Powiadomienia pokoju", + "notification_a11y": "Autouzupełnianie powiadomień", + "room_a11y": "Autouzupełnianie pokojów", + "space_a11y": "Przerwa autouzupełniania", + "user_description": "Użytkownicy", + "user_a11y": "Autouzupełnianie użytkowników" + } }, "Bold": "Pogrubienie", "Link": "Link", @@ -3057,6 +2881,95 @@ }, "keyboard": { "title": "Skróty klawiszowe" + }, + "sessions": { + "rename_form_heading": "Zmień nazwę sesji", + "rename_form_caption": "Należy pamiętać, że nazwy sesji są widoczne również dla osób, z którymi się komunikujesz.", + "rename_form_learn_more": "Zmienianie nazwy sesji", + "rename_form_learn_more_description_1": "Inni użytkownicy w wiadomościach bezpośrednich i pokojach, do których dołączasz, mogą zobaczyć pełną listę Twoich sesji.", + "rename_form_learn_more_description_2": "Oznacza to dla nich pewność, że rzeczywiście rozmawiają z Tobą, ale jednocześnie oznacza, że widzą nazwę sesji, którą tutaj wpiszesz.", + "session_id": "Identyfikator sesji", + "last_activity": "Ostatnia aktywność", + "url": "URL", + "os": "System operacyjny", + "browser": "Przeglądarka", + "ip": "Adres IP", + "details_heading": "Szczegóły sesji", + "push_toggle": "Przełącz powiadomienia push dla tej sesji.", + "push_heading": "Powiadomienia push", + "push_subheading": "Otrzymuj powiadomienia push na tej sesji.", + "sign_out": "Wyloguj się z tej sesji", + "hide_details": "Ukryj szczegóły", + "show_details": "Pokaż szczegóły", + "inactive_days": "Nieaktywne przez %(inactiveAgeDays)s+ dni", + "verified_sessions": "Sesje zweryfikowane", + "verified_sessions_explainer_1": "Sesje zweryfikowane są wszędzie, gdzie korzystasz z tego konta po wprowadzeniu swojego hasła lub zweryfikowaniu swojej tożsamości za pomocą innej sesji zweryfikowanej.", + "verified_sessions_explainer_2": "To oznacza, że posiadasz wszystkie niezbędne klucze wymagane do odblokowania swoich zaszyfrowanych wiadomości i oznajmiasz innym użytkownikom, że ufasz tej sesji.", + "unverified_sessions": "Sesje niezweryfikowane", + "unverified_sessions_explainer_1": "Sesje niezweryfikowane to sesje, w których zalogowano się za pomocą Twoich danych, lecz nie zostały zweryfikowane inną sesją.", + "unverified_sessions_explainer_2": "W tym przypadku dokładnie się upewnij, że rozpoznajesz takie sesje, ponieważ mogą ujawnić nieautoryzowane użycie Twojego konta.", + "unverified_session": "Sesja niezweryfikowana", + "unverified_session_explainer_1": "Ta sesja nie wspiera szyfrowania, dlatego nie może zostać zweryfikowana.", + "unverified_session_explainer_2": "Nie będziesz w stanie uczestniczyć w pokojach, gdzie szyfrowane jest włączone.", + "unverified_session_explainer_3": "Dla najlepszego bezpieczeństwa i prywatności zaleca się korzystania z klientów Matrix, które wspierają szyfrowanie.", + "inactive_sessions": "Sesje nieaktywne", + "inactive_sessions_explainer_1": "Sesje nieaktywne to sesje, które nie były używane przez dłuższy czas, ale wciąż otrzymują klucze szyfrujące.", + "inactive_sessions_explainer_2": "Regularne usuwanie sesji nieaktywnych poprawia bezpieczeństwo, wydajność i upraszcza Tobie detekcje podejrzanych sesji.", + "desktop_session": "Sesja desktopowa", + "mobile_session": "Sesja mobilna", + "web_session": "Sesja internetowa", + "unknown_session": "Nieznany typ sesji", + "device_verified_description_current": "Twoja bieżąca sesja jest gotowa do wysyłania bezpiecznych wiadomości.", + "device_verified_description": "Sesja jest gotowa do wysyłania bezpiecznych wiadomości.", + "verified_session": "Sesja zweryfikowana", + "device_unverified_description_current": "Zweryfikuj swoją bieżącą sesję dla wzmocnienia bezpiecznych wiadomości.", + "device_unverified_description": "Zweryfikuj lub wyloguj się z tej sesji dla zapewnienia najlepszego bezpieczeństwa.", + "verify_session": "Zweryfikuj sesję", + "verified_sessions_list_description": "Dla najlepszego bezpieczeństwa, wyloguj się ze wszystkich sesji, których nie rozpoznajesz lub nie używasz.", + "unverified_sessions_list_description": "Dla wzmocnienia bezpiecznych wiadomości, zweryfikuj swoje sesje i wyloguj się ze wszystkich sesji, których nie rozpoznajesz lub nie używasz.", + "inactive_sessions_list_description": "Rozważ wylogowanie się ze starych sesji (%(inactiveAgeDays)s dni lub starsze), jeśli już z nich nie korzystasz.", + "no_verified_sessions": "Nie znaleziono zweryfikowanych sesji.", + "no_unverified_sessions": "Nie znaleziono niezweryfikowanych sesji.", + "no_inactive_sessions": "Nie znaleziono nieaktywnych sesji.", + "no_sessions": "Nie znaleziono sesji.", + "filter_all": "Wszystkie", + "filter_verified_description": "Gotowe do bezpiecznej komunikacji", + "filter_unverified_description": "Nieprzygotowane do bezpiecznej komunikacji", + "filter_inactive": "Nieaktywny", + "filter_inactive_description": "Nieaktywne przez %(inactiveAgeDays)s dni lub dłużej", + "filter_label": "Filtruj urządzenia", + "n_sessions_selected": { + "one": "Zaznaczono %(count)s sesję", + "other": "Zaznaczono %(count)s sesji" + }, + "sign_in_with_qr": "Zaloguj się za pomocą kodu QR", + "sign_in_with_qr_description": "Możesz użyć tego urządzenia, aby zalogować nowe za pomocą kodu QR. Zeskanuj kod QR wyświetlany na tym urządzeniu za pomocą drugiego wylogowanego.", + "sign_in_with_qr_button": "Pokaż kod QR", + "sign_out_n_sessions": { + "one": "Wyloguj się z %(count)s sesji", + "other": "Wyloguj się z %(count)s sesji" + }, + "other_sessions_heading": "Inne sesje", + "sign_out_all_other_sessions": "Wyloguj się z wszystkich pozostałych sesji (%(otherSessionsCount)s)", + "current_session": "Bieżąca sesja", + "confirm_sign_out_sso": { + "one": "Potwierdź wylogowanie z tego urządzenia, udowadniając swoją tożsamość za pomocą pojedynczego logowania.", + "other": "Potwierdź wylogowanie z tych urządzeń, udowadniając swoją tożsamość za pomocą pojedynczego logowania." + }, + "confirm_sign_out": { + "one": "Potwierdź wylogowanie z tego urządzenia", + "other": "Potwierdź wylogowanie z tych urządzeń" + }, + "confirm_sign_out_body": { + "one": "Kliknij przycisk poniżej, aby potwierdzić wylogowanie tego urządzenia.", + "other": "Kliknij przycisk poniżej, aby potwierdzić wylogowanie tych urządzeń." + }, + "confirm_sign_out_continue": { + "one": "Wyloguj urządzenie", + "other": "Wyloguj urządzenia" + }, + "security_recommendations": "Rekomendacje bezpieczeństwa", + "security_recommendations_description": "Zwiększ bezpieczeństwo swojego konta kierując się tymi rekomendacjami." } }, "devtools": { @@ -3156,7 +3069,9 @@ "show_hidden_events": "Pokaż ukryte wydarzenia na linii czasowej", "low_bandwidth_mode_description": "Wymaga kompatybilnego serwera domowego.", "low_bandwidth_mode": "Tryb niskiej przepustowości", - "developer_mode": "Tryb programisty" + "developer_mode": "Tryb programisty", + "view_source_decrypted_event_source": "Rozszyfrowane wydarzenie źródłowe", + "view_source_decrypted_event_source_unavailable": "Rozszyfrowane źródło niedostępne" }, "export_chat": { "html": "HTML", @@ -3550,7 +3465,9 @@ "io.element.voice_broadcast_info": { "you": "Zakończyłeś transmisje głosową", "user": "%(senderName)s zakończył transmisję głosową" - } + }, + "creation_summary_dm": "%(creator)s utworzył tę wiadomość prywatną.", + "creation_summary_room": "%(creator)s stworzył i skonfigurował pokój." }, "slash_command": { "spoiler": "Wysyła podaną wiadomość jako spoiler", @@ -3745,13 +3662,53 @@ "kick": "Usuń użytkowników", "ban": "Zablokuj użytkowników", "redact": "Usuń wiadomości wysłane przez innych", - "notifications.room": "Powiadamianie wszystkich" + "notifications.room": "Powiadamianie wszystkich", + "no_privileged_users": "Żadni użytkownicy w tym pokoju nie mają specyficznych uprawnień", + "privileged_users_section": "Użytkownicy uprzywilejowani", + "muted_users_section": "Wyciszeni użytkownicy", + "banned_users_section": "Zbanowani użytkownicy", + "send_event_type": "Wyślij zdarzenia %(eventType)s", + "title": "Role i uprawnienia", + "permissions_section": "Uprawnienia", + "permissions_section_description_space": "Wybierz wymagane role wymagane do zmiany różnych części przestrzeni", + "permissions_section_description_room": "Wybierz role wymagane do zmieniania różnych części pokoju" }, "security": { "strict_encryption": "Nigdy nie wysyłaj zaszyfrowanych wiadomości do niezweryfikowanych sesji z tej sesji w tym pokoju", "join_rule_invite": "Prywatny (tylko na zaproszenie)", "join_rule_invite_description": "Tylko zaproszeni ludzie mogą dołączyć.", - "join_rule_public_description": "Każdy może znaleźć i dołączyć." + "join_rule_public_description": "Każdy może znaleźć i dołączyć.", + "enable_encryption_public_room_confirm_title": "Czy na pewno chcesz dodać szyfrowanie do tego pokoju publicznego?", + "enable_encryption_public_room_confirm_description_1": "Nie zaleca się dodawania szyfrowania do pokojów publicznych. Każdy może znaleźć Twój pokój, więc jest w stanie czytać wszystkie zawarte w nim wiadomości. Nie uzyskasz żadnych benefitów szyfrowania, a tej zmiany nie będzie można cofnąć. Szyfrowanie wiadomości w pokoju publicznym sprawi, że wysyłanie i odbieranie wiadomości będzie wolniejsze.", + "enable_encryption_public_room_confirm_description_2": "Aby uniknąć tych problemów, utwórz nowy pokój szyfrowany dla konwersacji, które planujesz.", + "enable_encryption_confirm_title": "Włączyć szyfrowanie?", + "enable_encryption_confirm_description": "Po włączeniu, szyfrowania pokoju nie będzie się dało wyłączyć. Wiadomości wysłane w pokoju szyfrowanym nie mogą zostać odczytane przez serwer, tylko wyłącznie przez uczestników pokoju. Włączenie szyfrowania może uniemożliwić wielu botom i mostkom działanie. Dowiedz się więcej o szyfrowaniu.", + "public_without_alias_warning": "Aby powiązać ten pokój, dodaj adres.", + "join_rule_description": "Decyduj kto może dołączyć %(roomName)s.", + "encrypted_room_public_confirm_title": "Czy na pewno chcesz upublicznić ten pokój szyfrowany?", + "encrypted_room_public_confirm_description_1": "Nie zaleca się upubliczniania pokojów szyfrowanych. Każdy może znaleźć Twój pokój, więc jest w stanie czytać wszystkie zawarte w nim wiadomości. Nie uzyskasz żadnych benefitów szyfrowania. Szyfrowanie wiadomości w pokoju publicznym sprawi, że wysyłanie i odbieranie wiadomości będzie wolniejsze.", + "encrypted_room_public_confirm_description_2": "Aby uniknąć tych problemów, utwórz nowy pokój szyfrowany dla konwersacji, które planujesz.", + "history_visibility": {}, + "history_visibility_warning": "Zmiany tego, kto może przeglądać historię wyszukiwania dotyczą tylko przyszłych wiadomości w pokoju. Widoczność wcześniejszej historii nie zmieni się.", + "history_visibility_legend": "Kto może czytać historię?", + "guest_access_warning": "Osoby ze wspieranymi klientami będą mogli dołączyć do pokoju bez posiadania konta.", + "title": "Bezpieczeństwo i prywatność", + "encryption_permanent": "Po włączeniu, szyfrowanie nie może zostać wyłączone.", + "encryption_forced": "Twój serwer wymaga wyłączenia szyfrowania.", + "history_visibility_shared": "Tylko członkowie (od momentu włączenia tej opcji)", + "history_visibility_invited": "Tylko członkowie (od kiedy zostali zaproszeni)", + "history_visibility_joined": "Tylko członkowie (od kiedy dołączyli)", + "history_visibility_world_readable": "Każdy" + }, + "general": { + "publish_toggle": "Czy opublikować ten pokój dla ogółu w spisie pokojów domeny %(domain)s?", + "user_url_previews_default_on": "Masz domyślnie włączone podglądy linków.", + "user_url_previews_default_off": "Masz domyślnie wyłączone podglądy linków.", + "default_url_previews_on": "Podglądy linków są domyślnie włączone dla uczestników tego pokoju.", + "default_url_previews_off": "Podglądy linków są domyślnie wyłączone dla uczestników tego pokoju.", + "url_preview_encryption_warning": "W zaszyfrowanych pokojach, takich jak ten, podgląd adresów URL jest domyślnie wyłączony, aby upewnić się, że serwer (w którym generowane są podglądy) nie może zbierać informacji o linkach widocznych w tym pokoju.", + "url_preview_explainer": "Gdy ktoś umieści URL w wiadomości, można wyświetlić podgląd adresu URL, aby podać więcej informacji o tym łączu, takich jak tytuł, opis i obraz ze strony internetowej.", + "url_previews_section": "Podglądy linków" } }, "encryption": { @@ -3875,7 +3832,15 @@ "server_picker_explainer": "Korzystaj z wybranego przez Ciebie serwera domowego Matrix lub hostuj swój własny.", "server_picker_learn_more": "O serwerach domowych", "incorrect_credentials": "Nieprawidłowa nazwa użytkownika i/lub hasło.", - "account_deactivated": "To konto zostało zdezaktywowane." + "account_deactivated": "To konto zostało zdezaktywowane.", + "registration_username_validation": "Użyj tylko małych liter, cyfr, myślników i podkreśleń", + "registration_username_unable_check": "Nie można sprawdzić, czy nazwa użytkownika jest zajęta. Spróbuj ponownie później.", + "registration_username_in_use": "Ktoś już ma taką nazwę użytkownika. Użyj innej lub zaloguj się poniżej, jeśli to jesteś Ty.", + "phone_label": "Telefon", + "phone_optional_label": "Telefon (opcjonalny)", + "email_help_text": "Dodaj adres e-mail, aby zresetować swoje hasło.", + "email_phone_discovery_text": "Użyj adresu e-mail lub numeru telefonu, aby móc być odkrywanym przez istniejące kontakty.", + "email_discovery_text": "Użyj adresu e-mail, aby opcjonalnie móc być odkrywanym przez istniejące kontakty." }, "room_list": { "sort_unread_first": "Pokazuj najpierw pokoje z nieprzeczytanymi wiadomościami", @@ -4087,7 +4052,21 @@ "light_high_contrast": "Jasny z wysokim kontrastem" }, "space": { - "landing_welcome": "Witamy w " + "landing_welcome": "Witamy w ", + "suggested_tooltip": "Ten pokój jest polecany jako dobry do dołączenia", + "suggested": "Polecany", + "select_room_below": "Najpierw wybierz poniższy pokój", + "unmark_suggested": "Oznacz jako nie sugerowane", + "mark_suggested": "Oznacz jako sugerowane", + "failed_remove_rooms": "Nie udało się usunąć niektórych pokojów. Spróbuj ponownie później", + "failed_load_rooms": "Nie udało się wczytać listy pokoi.", + "incompatible_server_hierarchy": "Twój serwer nie obsługuje wyświetlania hierarchii przestrzeni.", + "context_menu": { + "devtools_open_timeline": "Pokaż oś czasu pokoju (devtools)", + "home": "Przestrzeń główna", + "explore": "Przeglądaj pokoje", + "manage_and_explore": "Zarządzaj i odkrywaj pokoje" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "Ten serwer domowy nie jest skonfigurowany by wyświetlać mapy.", @@ -4144,5 +4123,52 @@ "setup_rooms_description": "W przyszłości będziesz mógł dodać więcej, włączając już istniejące.", "setup_rooms_private_heading": "Nad jakimi projektami pracuje Twój zespół?", "setup_rooms_private_description": "Utworzymy pokój dla każdego z nich." + }, + "user_menu": { + "switch_theme_light": "Przełącz na tryb jasny", + "switch_theme_dark": "Przełącz na tryb ciemny" + }, + "notif_panel": { + "empty_heading": "Jesteś na bieżąco", + "empty_description": "Nie masz widocznych powiadomień." + }, + "console_scam_warning": "Jeśli ktoś Ci powiedział, żeby coś stąd skopiować/wkleić, istnieje wysokie prawdopodobieństwo, że jesteś oszukiwany!", + "console_dev_note": "Jeśli wiesz, co robisz, pamiętaj, że Element jest open-source. Dlatego odwiedź nas na platformie GitHub (https://github.com/vector-im/element-web/) i dodaj swoją kontrybucję!", + "room": { + "drop_file_prompt": "Upuść plik tutaj, aby go przesłać", + "intro": { + "send_message_start_dm": "Wyślij pierwszą wiadomość, aby zaprosić do rozmowy", + "encrypted_3pid_dm_pending_join": "Kiedy wszyscy dołączą, będziesz mógł rozmawiać", + "start_of_dm_history": "Oto początek Twojej historii wiadomości prywatnych z .", + "dm_caption": "Tylko Wy jesteście w tej konwersacji, dopóki ktoś z Was nie zaprosi tu innej osoby.", + "topic_edit": "Temat: %(topic)s (edytuj)", + "topic": "Temat: %(topic)s ", + "no_topic": "Dodaj temat, aby poinformować ludzi czego dotyczy.", + "you_created": "Utworzyłeś ten pokój.", + "user_created": "%(displayName)s utworzył ten pokój.", + "room_invite": "Zaproś do tylko tego pokoju", + "no_avatar_label": "Dodaj zdjęcie, aby inni mogli łatwo zauważyć Twój pokój.", + "start_of_room": "Oto początek .", + "private_unencrypted_warning": "Normalnie Twoje wiadomości prywatne są szyfrowane, lecz ten pokój nie jest. Przeważnie jest to spowodowane korzystaniem z niewspieranego urządzenia lub metody, takiej jak zaproszenia e-mail.", + "enable_encryption_prompt": "Włącz szyfrowanie w ustawieniach.", + "unencrypted_warning": "Szyfrowanie end-to-end nie jest włączone" + } + }, + "file_panel": { + "guest_note": "Musisz się zarejestrować aby móc używać tej funkcji", + "peek_note": "Należy dołączyć do pokoju by zobaczyć jego pliki", + "empty_heading": "Brak plików widocznych w tym pokoju", + "empty_description": "Załącz pliki w rozmowie lub upuść je w dowolnym miejscu rozmowy." + }, + "terms": { + "integration_manager": "Używaj botów, mostków, widżetów i zestawów naklejek", + "tos": "Warunki użytkowania", + "intro": "Aby kontynuować, musisz zaakceptować zasady użytkowania.", + "column_service": "Usługa", + "column_summary": "Opis", + "column_document": "Dokument" + }, + "space_settings": { + "title": "Ustawienia - %(spaceName)s" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/pt.json b/src/i18n/strings/pt.json index d5a961b3fe..50138bd77f 100644 --- a/src/i18n/strings/pt.json +++ b/src/i18n/strings/pt.json @@ -3,8 +3,6 @@ "New passwords don't match": "As novas palavras-passe não coincidem", "A new password must be entered.": "Deve ser introduzida uma nova palavra-passe.", "Are you sure you want to reject the invitation?": "Você tem certeza que deseja rejeitar este convite?", - "Banned users": "Usuárias/os banidas/os", - "Commands": "Comandos", "Confirm password": "Confirmar palavra-passe", "Cryptography": "Criptografia", "Current password": "Palavra-passe atual", @@ -27,12 +25,9 @@ "New passwords must match each other.": "Novas palavras-passe devem coincidir.", "Notifications": "Notificações", "": "", - "No users have specific privileges in this room": "Nenhum/a usuário/a possui privilégios específicos nesta sala", "Passwords can't be empty": "As palavras-passe não podem estar vazias", - "Permissions": "Permissões", "Phone": "Telefone", "Please check your email and click on the link it contains. Once this is done, click continue.": "Por favor verifique seu email e clique no link enviado. Quando finalizar este processo, clique para continuar.", - "Privileged Users": "Usuárias/os privilegiadas/os", "Profile": "Perfil", "Reject invitation": "Rejeitar convite", "Return to login screen": "Retornar à tela de login", @@ -48,9 +43,7 @@ "Unban": "Desfazer banimento", "unknown error code": "código de erro desconhecido", "Upload avatar": "Enviar icone de perfil de usuário", - "Users": "Usuários", "Verification Pending": "Verificação pendente", - "Who can read history?": "Quem pode ler o histórico da sala?", "You do not have permission to post to this room": "Você não tem permissão de postar nesta sala", "Sun": "Dom", "Mon": "Seg", @@ -142,7 +135,6 @@ "File to import": "Arquivo para importar", "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Este processo permite que você exporte as chaves para mensagens que você recebeu em salas criptografadas para um arquivo local. Você poderá então importar o arquivo para outro cliente Matrix no futuro, de modo que este cliente também poderá descriptografar suas mensagens.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "O ficheiro de exportação será protegido com uma frase-passe. Deve introduzir a frase-passe aqui, para desencriptar o ficheiro.", - "You must join the room to see its files": "Você precisa ingressar na sala para ver seus arquivos", "Reject all %(invitedRooms)s invites": "Rejeitar todos os %(invitedRooms)s convites", "Failed to invite": "Falha ao enviar o convite", "Confirm Removal": "Confirmar Remoção", @@ -154,8 +146,6 @@ "Error decrypting image": "Erro ao descriptografar a imagem", "Error decrypting video": "Erro ao descriptografar o vídeo", "Add an Integration": "Adicionar uma integração", - "URL Previews": "Pré-visualização de links", - "Drop file here to upload": "Arraste um arquivo aqui para enviar", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Este processo faz com que você possa importar as chaves de criptografia que tinha previamente exportado de outro cliente Matrix. Você poderá então descriptografar todas as mensagens que o outro cliente pôde criptografar.", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Você será levado agora a um site de terceiros para poder autenticar a sua conta para uso com o serviço %(integrationsUrl)s. Você quer continuar?", "Invited": "Convidada(o)", @@ -165,18 +155,14 @@ "No media permissions": "Não há permissões para o uso de vídeo/áudio no seu navegador", "You may need to manually permit %(brand)s to access your microphone/webcam": "Você talvez precise autorizar manualmente que o %(brand)s acesse seu microfone e webcam", "Default Device": "Dispositivo padrão", - "Anyone": "Qualquer pessoa", "Are you sure you want to leave the room '%(roomName)s'?": "Você tem certeza que deseja sair da sala '%(roomName)s'?", "Custom level": "Nível personalizado", - "You have disabled URL previews by default.": "Você desabilitou pré-visualizações de links por padrão.", - "You have enabled URL previews by default.": "Você habilitou pré-visualizações de links por padrão.", "Create new room": "Criar nova sala", "No display name": "Sem nome público de usuária(o)", "Uploading %(filename)s and %(count)s others": { "one": "Enviando o arquivo %(filename)s e %(count)s outros arquivos", "other": "Enviando o arquivo %(filename)s e %(count)s outros arquivos" }, - "You must register to use this functionality": "Você deve se registrar para poder usar esta funcionalidade", "Uploading %(filename)s": "Enviando o arquivo %(filename)s", "Admin Tools": "Ferramentas de Administração", "%(roomName)s does not exist.": "%(roomName)s não existe.", @@ -192,7 +178,6 @@ "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (nível de permissão %(powerLevelNumber)s)", "%(roomName)s is not accessible at this time.": "%(roomName)s não está acessível neste momento.", "Delete widget": "Apagar widget", - "Publish this room to the public in %(domain)s's room directory?": "Publicar esta sala ao público no diretório de salas de %(domain)s's?", "AM": "AM", "PM": "PM", "Unable to create widget.": "Não foi possível criar o widget.", @@ -408,7 +393,6 @@ "Mali": "Mali", " wants to chat": " quer falar", "Start a conversation with someone using their name or username (like ).": "Comece uma conversa com alguém a partir do nome ou nome de utilizador (por exemplo: ).", - "Use email or phone to optionally be discoverable by existing contacts.": "Use email ou telefone para, opcionalmente, ser detectável por contactos existentes.", "Use an email address to recover your account": "Usar um endereço de email para recuperar a sua conta", "Malta": "Malta", "Lebanon": "Líbano", @@ -440,14 +424,11 @@ "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Enviámos-lhe um email para confirmar o seu endereço. Por favor siga as instruções no email e depois clique no botão abaixo.", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Apenas um aviso, se não adicionar um email e depois esquecer a sua palavra-passe, poderá perder permanentemente o acesso à sua conta.", "Create account": "Criar conta", - "Use email to optionally be discoverable by existing contacts.": "Use email para, opcionalmente, ser detectável por contactos existentes.", "To create your account, open the link in the email we just sent to %(emailAddress)s.": "Para criar a sua conta, abra a ligação no email que acabámos de enviar para %(emailAddress)s.", "Invite with email or username": "Convidar com email ou nome de utilizador", "Invite someone using their name, email address, username (like ) or share this space.": "Convide alguém a partir do nome, endereço de email, nome de utilizador (como ) ou partilhe este espaço.", "Invite someone using their name, email address, username (like ) or share this room.": "Convide alguém a partir do nome, email ou nome de utilizador (como ) ou partilhe esta sala.", - "Unable to check if username has been taken. Try again later.": "Não foi possível verificar se o nome de utilizador já foi usado. Tente novamente mais tarde.", " invited you": " convidou-o", - "Someone already has that username. Try another or if it is you, sign in below.": "Alguém já tem esse nome de utilizador. Tente outro ou, se fores tu, inicia sessão em baixo.", "No one will be able to reuse your username (MXID), including you: this username will remain unavailable": "Ninguém poderá reutilizar o seu nome de utilizador (MXID), incluindo o próprio: este nome de utilizador permanecerá indisponível", "Start a conversation with someone using their name, email address or username (like ).": "Comece uma conversa com alguém a partir do nome, endereço de email ou nome de utilizador (por exemplo: ).", "Zambia": "Zâmbia", @@ -572,7 +553,6 @@ "Are you sure you want to cancel entering passphrase?": "Tem a certeza que quer cancelar a introdução da frase-passe?", "Cancel entering passphrase?": "Cancelar a introdução da frase-passe?", "Madagascar": "Madagáscar", - "Add an email to be able to reset your password.": "Adicione um email para poder repôr a palavra-passe.", "Invite someone using their name, username (like ) or share this space.": "Convide alguém a partir do nome, nome de utilizador (como ) ou partilhe este espaço.", "Macedonia": "Macedónia", "Luxembourg": "Luxemburgo", @@ -698,6 +678,9 @@ "appearance": { "timeline_image_size_default": "Padrão", "image_size_default": "Padrão" + }, + "sessions": { + "session_id": "Identificador de sessão" } }, "devtools": { @@ -815,7 +798,13 @@ "sign_in_or_register_description": "Use a sua conta ou crie uma nova conta para continuar.", "sign_in_description": "Use a sua conta para continuar.", "register_action": "Criar conta", - "incorrect_credentials": "Nome de utilizador e/ou palavra-passe incorreta." + "incorrect_credentials": "Nome de utilizador e/ou palavra-passe incorreta.", + "registration_username_unable_check": "Não foi possível verificar se o nome de utilizador já foi usado. Tente novamente mais tarde.", + "registration_username_in_use": "Alguém já tem esse nome de utilizador. Tente outro ou, se fores tu, inicia sessão em baixo.", + "phone_label": "Telefone", + "email_help_text": "Adicione um email para poder repôr a palavra-passe.", + "email_phone_discovery_text": "Use email ou telefone para, opcionalmente, ser detectável por contactos existentes.", + "email_discovery_text": "Use email para, opcionalmente, ser detectável por contactos existentes." }, "export_chat": { "messages": "Mensagens" @@ -839,5 +828,41 @@ "update": { "see_changes_button": "O que há de novo?", "release_notes_toast_title": "Novidades" + }, + "composer": { + "autocomplete": { + "command_description": "Comandos", + "user_description": "Usuários" + } + }, + "room": { + "drop_file_prompt": "Arraste um arquivo aqui para enviar" + }, + "file_panel": { + "guest_note": "Você deve se registrar para poder usar esta funcionalidade", + "peek_note": "Você precisa ingressar na sala para ver seus arquivos" + }, + "space": { + "context_menu": { + "explore": "Explorar rooms" + } + }, + "room_settings": { + "permissions": { + "no_privileged_users": "Nenhum/a usuário/a possui privilégios específicos nesta sala", + "privileged_users_section": "Usuárias/os privilegiadas/os", + "banned_users_section": "Usuárias/os banidas/os", + "permissions_section": "Permissões" + }, + "security": { + "history_visibility_legend": "Quem pode ler o histórico da sala?", + "history_visibility_world_readable": "Qualquer pessoa" + }, + "general": { + "publish_toggle": "Publicar esta sala ao público no diretório de salas de %(domain)s's?", + "user_url_previews_default_on": "Você habilitou pré-visualizações de links por padrão.", + "user_url_previews_default_off": "Você desabilitou pré-visualizações de links por padrão.", + "url_previews_section": "Pré-visualização de links" + } } } diff --git a/src/i18n/strings/pt_BR.json b/src/i18n/strings/pt_BR.json index b998aff916..aa8795f6d7 100644 --- a/src/i18n/strings/pt_BR.json +++ b/src/i18n/strings/pt_BR.json @@ -3,8 +3,6 @@ "New passwords don't match": "As novas senhas não conferem", "A new password must be entered.": "Uma nova senha precisa ser inserida.", "Are you sure you want to reject the invitation?": "Tem certeza de que deseja recusar o convite?", - "Banned users": "Usuários banidos", - "Commands": "Comandos", "Confirm password": "Confirme a nova senha", "Cryptography": "Criptografia", "Current password": "Senha atual", @@ -27,12 +25,9 @@ "New passwords must match each other.": "As novas senhas informadas precisam ser idênticas.", "Notifications": "Notificações", "": "", - "No users have specific privileges in this room": "Nenhum usuário possui privilégios específicos nesta sala", "Passwords can't be empty": "As senhas não podem estar em branco", - "Permissions": "Permissões", "Phone": "Telefone", "Please check your email and click on the link it contains. Once this is done, click continue.": "Por favor, confirme o seu e-mail e clique no link enviado. Feito isso, clique em continuar.", - "Privileged Users": "Usuárias/os privilegiadas/os", "Profile": "Perfil", "Reject invitation": "Recusar o convite", "Return to login screen": "Retornar à tela de login", @@ -48,9 +43,7 @@ "Unban": "Remover banimento", "unknown error code": "código de erro desconhecido", "Upload avatar": "Enviar uma foto de perfil", - "Users": "Usuários", "Verification Pending": "Confirmação pendente", - "Who can read history?": "Quem pode ler o histórico da sala?", "You do not have permission to post to this room": "Você não tem permissão para digitar nesta sala", "Sun": "Dom", "Mon": "Seg", @@ -142,7 +135,6 @@ "File to import": "Arquivo para importar", "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Este processo permite que você exporte as chaves para mensagens que você recebeu em salas criptografadas para um arquivo local. Você poderá então importar o arquivo para outro cliente Matrix no futuro, de modo que este cliente também poderá descriptografar suas mensagens.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "O arquivo exportado será protegido com uma senha. Você deverá inserir a senha aqui para poder descriptografar o arquivo futuramente.", - "You must join the room to see its files": "Você precisa ingressar na sala para ver seus arquivos", "Reject all %(invitedRooms)s invites": "Recusar todos os %(invitedRooms)s convites", "Failed to invite": "Falha ao enviar o convite", "Confirm Removal": "Confirmar a remoção", @@ -154,8 +146,6 @@ "Error decrypting image": "Erro ao descriptografar a imagem", "Error decrypting video": "Erro ao descriptografar o vídeo", "Add an Integration": "Adicionar uma integração", - "URL Previews": "Pré-visualização de links", - "Drop file here to upload": "Arraste um arquivo aqui para enviar", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Este processo faz com que você possa importar as chaves de criptografia que tinha previamente exportado de outro cliente Matrix. Você poderá então descriptografar todas as mensagens que o outro cliente pôde criptografar.", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Você será redirecionado para um site de terceiros para poder autenticar a sua conta, tendo em vista usar o serviço %(integrationsUrl)s. Deseja prosseguir?", "Invited": "Convidada(o)", @@ -165,18 +155,14 @@ "No media permissions": "Não tem permissões para acessar a mídia", "You may need to manually permit %(brand)s to access your microphone/webcam": "Pode ser necessário permitir manualmente ao %(brand)s acessar seu microfone ou sua câmera", "Default Device": "Aparelho padrão", - "Anyone": "Qualquer pessoa", "Are you sure you want to leave the room '%(roomName)s'?": "Tem certeza de que deseja sair da sala '%(roomName)s'?", "Custom level": "Nível personalizado", - "You have disabled URL previews by default.": "Você desativou pré-visualizações de links por padrão.", - "You have enabled URL previews by default.": "Você ativou pré-visualizações de links por padrão.", "Home": "Home", "Uploading %(filename)s": "Enviando o arquivo %(filename)s", "Uploading %(filename)s and %(count)s others": { "one": "Enviando o arquivo %(filename)s e %(count)s outros arquivos", "other": "Enviando o arquivo %(filename)s e %(count)s outros arquivos" }, - "You must register to use this functionality": "Você deve se registrar para usar este recurso", "Create new room": "Criar nova sala", "New Password": "Nova senha", "Something went wrong!": "Não foi possível carregar!", @@ -218,12 +204,6 @@ "Replying": "Em resposta a", "Unnamed room": "Sala sem nome", "Banned by %(displayName)s": "Banido por %(displayName)s", - "Publish this room to the public in %(domain)s's room directory?": "Quer publicar esta sala na lista pública de salas da %(domain)s?", - "Members only (since the point in time of selecting this option)": "Apenas participantes (a partir do momento em que esta opção for selecionada)", - "Members only (since they were invited)": "Apenas participantes (desde que foram convidadas/os)", - "Members only (since they joined)": "Apenas participantes (desde que entraram na sala)", - "URL previews are enabled by default for participants in this room.": "Pré-visualizações de links estão ativadas por padrão para participantes desta sala.", - "URL previews are disabled by default for participants in this room.": "Pré-visualizações de links estão desativadas por padrão para participantes desta sala.", "Copied!": "Copiado!", "Failed to copy": "Não foi possível copiar", "A text message has been sent to %(msisdn)s": "Uma mensagem de texto foi enviada para %(msisdn)s", @@ -244,8 +224,6 @@ "Old cryptography data detected": "Dados de criptografia antigos foram detectados", "Check for update": "Verificar atualizações", "Please note you are logging into the %(hs)s server, not matrix.org.": "Note que você está se conectando ao servidor %(hs)s, e não ao servidor matrix.org.", - "Notify the whole room": "Notifica a sala inteira", - "Room Notification": "Notificação da sala", "Sunday": "Domingo", "Notification targets": "Aparelhos notificados", "Today": "Hoje", @@ -287,14 +265,11 @@ "The conversation continues here.": "A conversa continua aqui.", "Share room": "Compartilhar sala", "Set up": "Configurar", - "Muted Users": "Usuários silenciados", "Only room administrators will see this warning": "Somente administradores de sala verão esse alerta", "You don't currently have any stickerpacks enabled": "No momento, você não tem pacotes de figurinhas ativados", "Demote": "Reduzir privilégio", "Demote yourself?": "Reduzir seu próprio privilégio?", "Add some now": "Adicione alguns agora", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Em salas criptografadas, como esta, as pré-visualizações de links estão desativadas por padrão para garantir que o seu servidor local (onde as visualizações são geradas) não possa coletar informações sobre os links que você vê nesta sala.", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Quando alguém inclui um link em uma mensagem, a pré-visualização do link pode ser exibida para fornecer mais informações sobre esse link, como o título, a descrição e uma imagem do site.", "Please review and accept all of the homeserver's policies": "Por favor, revise e aceite todas as políticas do homeserver", "Please review and accept the policies of this homeserver:": "Por favor, revise e aceite as políticas deste servidor local:", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Não é possível carregar o evento que foi respondido, ele não existe ou você não tem permissão para visualizá-lo.", @@ -450,7 +425,6 @@ "Ignored users": "Usuários bloqueados", "Bulk options": "Opções em massa", "Accept all %(invitedRooms)s invites": "Aceite todos os convites de %(invitedRooms)s", - "Security & Privacy": "Segurança e privacidade", "Missing media permissions, click the button below to request.": "Permissões de mídia ausentes, clique no botão abaixo para solicitar.", "Request media permissions": "Solicitar permissões de mídia", "Voice & Video": "Voz e vídeo", @@ -553,10 +527,7 @@ "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "É possível bloquear pessoas através de listas de banimento que contêm regras sobre quem banir de salas. Colocar alguém na lista de banimento significa que as pessoas ou servidores bloqueados pela lista não serão visualizados por você.", "Session key:": "Chave da sessão:", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "O administrador do servidor desativou a criptografia de ponta a ponta por padrão em salas privadas e em conversas.", - "Enable encryption?": "Ativar criptografia?", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Uma vez ativada, a criptografia da sala não poderá ser desativada. Mensagens enviadas em uma sala criptografada não podem ser lidas pelo servidor, apenas pelos participantes da sala. Ativar a criptografia poderá impedir que vários bots e integrações funcionem corretamente. Saiba mais sobre criptografia.", "Encryption": "Criptografia", - "Once enabled, encryption cannot be disabled.": "Uma vez ativada, a criptografia não poderá ser desativada.", "Click the link in the email you received to verify and then click continue again.": "Clique no link no e-mail que você recebeu para confirmar e então clique novamente em continuar.", "Verify the link in your inbox": "Verifique o link na sua caixa de e-mails", "This room is end-to-end encrypted": "Esta sala é criptografada de ponta a ponta", @@ -596,7 +567,6 @@ "I don't want my encrypted messages": "Não quero minhas mensagens criptografadas", "You'll lose access to your encrypted messages": "Você perderá acesso às suas mensagens criptografadas", "Session key": "Chave da sessão", - "Verify session": "Confirmar sessão", "Sign out and remove encryption keys?": "Fazer logout e remover as chaves de criptografia?", "Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "Alguns dados de sessão, incluindo chaves de mensagens criptografadas, estão faltando. Desconecte-se e entre novamente para resolver isso, o que restaurará as chaves do backup.", "Security Key": "Chave de Segurança", @@ -605,7 +575,6 @@ "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Está faltando a chave pública do captcha no Servidor (homeserver). Por favor, reporte isso aos(às) administradores(as) do servidor.", "Explore rooms": "Explorar salas", "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Detectamos uma versão mais antiga do %(brand)s. Isso fará com que a criptografia de ponta a ponta não funcione corretamente. As mensagens criptografadas de ponta a ponta trocadas recentemente, enquanto você usava a versão mais antiga, talvez não sejam descriptografáveis na nova versão. Isso também poderá fazer com que as mensagens trocadas nesta sessão falhem na mais atual. Se você tiver problemas, desconecte-se e entre novamente. Para manter o histórico de mensagens, exporte e reimporte suas chaves.", - "%(creator)s created and configured the room.": "%(creator)s criou e configurou esta sala.", "Create account": "Criar conta", "Confirm encryption setup": "Confirmar a configuração de criptografia", "Click the button below to confirm setting up encryption.": "Clique no botão abaixo para confirmar a configuração da criptografia.", @@ -700,10 +669,8 @@ "Passwords don't match": "As senhas não correspondem", "Other users can invite you to rooms using your contact details": "Outros usuários podem convidá-lo para salas usando seus detalhes de contato", "Enter phone number (required on this homeserver)": "Digite o número de celular (necessário neste servidor)", - "Use lowercase letters, numbers, dashes and underscores only": "Use apenas letras minúsculas, números, traços e sublinhados", "Enter username": "Digite o nome de usuário", "Email (optional)": "E-mail (opcional)", - "Phone (optional)": "Número de celular (opcional)", "Confirm adding this phone number by using Single Sign On to prove your identity.": "Confirme a adição deste número de telefone usando o Login Único para provar sua identidade.", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Use um servidor de identidade para convidar por e-mail. Clique em continuar para usar o servidor de identidade padrão (%(defaultIdentityServerName)s) ou gerencie nas Configurações.", "Display Name": "Nome e sobrenome", @@ -734,9 +701,6 @@ "Discovery": "Contatos", "Deactivate account": "Desativar minha conta", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Para relatar um problema de segurança relacionado à tecnologia Matrix, leia a Política de Divulgação de Segurança da Matrix.org.", - "Send %(eventType)s events": "Enviar eventos de %(eventType)s", - "Roles & Permissions": "Cargos e permissões", - "Select the roles required to change various parts of the room": "Selecione os cargos necessários para alterar várias partes da sala", "Room %(name)s": "Sala %(name)s", "No recently visited rooms": "Nenhuma sala foi visitada recentemente", "Join the conversation with an account": "Participar da conversa com uma conta", @@ -763,11 +727,8 @@ "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s não pode ser visualizado. Deseja participar?", "Room Topic": "Descrição da sala", "Resend %(unsentCount)s reaction(s)": "Reenviar %(unsentCount)s reações", - "Switch to light mode": "Alternar para o modo claro", - "Switch to dark mode": "Alternar para o modo escuro", "All settings": "Todas as configurações", "Clear personal data": "Limpar dados pessoais", - "Command Autocomplete": "Preenchimento automático do comando", "If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Se você não excluiu a opção de recuperação, um invasor pode estar tentando acessar sua conta. Altere a senha da sua conta e defina imediatamente uma nova opção de recuperação nas Configurações.", "Ignored/Blocked": "Bloqueado", "Error adding ignored user/server": "Erro ao adicionar usuário/servidor bloqueado", @@ -876,12 +837,6 @@ "To help us prevent this in future, please send us logs.": "Para nos ajudar a evitar isso no futuro, envie-nos os relatórios.", "Your browser likely removed this data when running low on disk space.": "O seu navegador provavelmente removeu esses dados quando o espaço de armazenamento ficou insuficiente.", "Find others by phone or email": "Encontre outras pessoas por telefone ou e-mail", - "Use bots, bridges, widgets and sticker packs": "Use bots, integrações, widgets e pacotes de figurinhas", - "Terms of Service": "Termos de serviço", - "To continue you need to accept the terms of this service.": "Para continuar, você precisa aceitar os termos deste serviço.", - "Service": "Serviço", - "Summary": "Resumo", - "Document": "Documento", "Upload files (%(current)s of %(total)s)": "Enviar arquivos (%(current)s de %(total)s)", "Upload files": "Enviar arquivos", "Upload all": "Enviar tudo", @@ -947,8 +902,6 @@ "Country Dropdown": "Selecione o país", "Join millions for free on the largest public server": "Junte-se a milhões de pessoas gratuitamente no maior servidor público", "Switch theme": "Escolha um tema", - "Notification Autocomplete": "Notificação do preenchimento automático", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Alterações em quem pode ler o histórico de conversas aplica-se apenas para mensagens futuras nesta sala. A visibilidade do histórico existente não será alterada.", "Ask %(displayName)s to scan your code:": "Peça para %(displayName)s escanear o seu código:", "Almost there! Is %(displayName)s showing the same shield?": "Quase lá! Este escudo também aparece para %(displayName)s?", "You've successfully verified %(displayName)s!": "Você confirmou %(displayName)s com sucesso!", @@ -982,8 +935,6 @@ "Message edits": "Edições na mensagem", "A browser extension is preventing the request.": "Uma extensão do navegador está impedindo a solicitação.", "The server has denied your request.": "O servidor recusou a sua solicitação.", - "No files visible in this room": "Nenhum arquivo nesta sala", - "Attach files from chat or just drag and drop them anywhere in a room.": "Anexe arquivos na conversa, ou simplesmente arraste e solte arquivos em qualquer lugar na sala.", "Failed to re-authenticate due to a homeserver problem": "Falha em autenticar novamente devido à um problema no servidor local", "Enter a Security Phrase": "Digite uma frase de segurança", "Enter your account password to confirm the upgrade:": "Digite a senha da sua conta para confirmar a atualização:", @@ -1028,7 +979,6 @@ "Error changing power level requirement": "Houve um erro ao alterar o nível de permissão do contato", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Ocorreu um erro ao alterar os níveis de permissão da sala. Certifique-se de que você tem o nível suficiente e tente novamente.", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Ocorreu um erro ao alterar o nível de permissão de um contato. Certifique-se de que você tem o nível suficiente e tente novamente.", - "To link to this room, please add an address.": "Para criar um link para esta sala, antes adicione um endereço.", "Explore public rooms": "Explorar salas públicas", "Not encrypted": "Não criptografada", "Ignored attempt to disable encryption": "A tentativa de desativar a criptografia foi ignorada", @@ -1050,9 +1000,6 @@ "A connection error occurred while trying to contact the server.": "Um erro ocorreu na conexão do Element com o servidor.", "Unable to set up keys": "Não foi possível configurar as chaves", "Failed to get autodiscovery configuration from server": "Houve uma falha para obter do servidor a configuração de encontrar contatos", - "Emoji Autocomplete": "Preenchimento automático de emoji", - "Room Autocomplete": "Preenchimento automático de sala", - "User Autocomplete": "Preenchimento automático de usuário", "Unable to query secret storage status": "Não foi possível obter o status do armazenamento secreto", "Set a Security Phrase": "Defina uma frase de segurança", "Confirm Security Phrase": "Confirme a frase de segurança", @@ -1319,16 +1266,6 @@ "Christmas Island": "Ilha Christmas", "Central African Republic": "República Centro-Africana", "Cayman Islands": "Ilhas Cayman", - "%(creator)s created this DM.": "%(creator)s criou esta conversa.", - "This is the start of .": "Este é o início de .", - "Add a photo, so people can easily spot your room.": "Adicione uma imagem para que as pessoas possam identificar facilmente sua sala.", - "%(displayName)s created this room.": "%(displayName)s criou esta sala.", - "You created this room.": "Você criou esta sala.", - "Add a topic to help people know what it is about.": "Adicione uma descrição para ajudar as pessoas a saber do que se trata essa conversa.", - "Topic: %(topic)s ": "Descrição: %(topic)s ", - "Topic: %(topic)s (edit)": "Descrição: %(topic)s (editar)", - "This is the beginning of your direct message history with .": "Este é o início do seu histórico da conversa com .", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Apenas vocês dois estão nesta conversa, a menos que algum de vocês convide mais alguém.", "Yemen": "Iêmen", "Western Sahara": "Saara Ocidental", "Wallis & Futuna": "Wallis e Futuna", @@ -1345,9 +1282,6 @@ "This widget would like to:": "Este widget gostaria de:", "Approve widget permissions": "Autorizar as permissões do widget", "There was a problem communicating with the homeserver, please try again later.": "Ocorreu um problema de comunicação com o servidor local. Tente novamente mais tarde.", - "Use email to optionally be discoverable by existing contacts.": "Seja encontrado por seus contatos a partir de um e-mail.", - "Use email or phone to optionally be discoverable by existing contacts.": "Seja encontrado por seus contatos a partir de um e-mail ou número de telefone.", - "Add an email to be able to reset your password.": "Adicione um e-mail para depois poder redefinir sua senha.", "That phone number doesn't look quite right, please check and try again": "Esse número de telefone não é válido, verifique e tente novamente", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Apenas um aviso: se você não adicionar um e-mail e depois esquecer sua senha, poderá perder permanentemente o acesso à sua conta.", "Continuing without email": "Continuar sem e-mail", @@ -1357,7 +1291,6 @@ "Resume": "Retomar", "You've reached the maximum number of simultaneous calls.": "Você atingiu o número máximo de chamadas simultâneas.", "Too Many Calls": "Muitas chamadas", - "You have no visible notifications.": "Não há notificações.", "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Esta sessão detectou que a sua Frase de Segurança e a chave para mensagens seguras foram removidas.", "A new Security Phrase and key for Secure Messages have been detected.": "Uma nova Frase de Segurança e uma nova chave para mensagens seguras foram detectadas.", "Confirm your Security Phrase": "Confirmar com a sua Frase de Segurança", @@ -1425,7 +1358,6 @@ "Share invite link": "Compartilhar link de convite", "Click to copy": "Clique para copiar", "Create a space": "Criar um espaço", - "Decrypted event source": "Fonte de evento descriptografada", "Original event source": "Fonte do evento original", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Seu %(brand)s não permite que você use o gerenciador de integrações para fazer isso. Entre em contato com o administrador.", "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Se você usar esse widget, os dados poderão ser compartilhados com %(widgetDomain)s & seu gerenciador de integrações.", @@ -1446,11 +1378,8 @@ "No microphone found": "Nenhum microfone encontrado", "Unable to access your microphone": "Não foi possível acessar seu microfone", "View message": "Ver mensagem", - "End-to-end encryption isn't enabled": "Criptografia de ponta-a-ponta não está habilitada", - "Invite to just this room": "Convidar apenas a esta sala", "Failed to send": "Falhou a enviar", "Access": "Acesso", - "Decide who can join %(roomName)s.": "Decida quem pode entrar em %(roomName)s.", "Space members": "Membros do espaço", "Spaces with access": "Espaço com acesso", "& %(count)s more": { @@ -1557,14 +1486,8 @@ "We didn't find a microphone on your device. Please check your settings and try again.": "Não foi possível encontrar um microfone em seu dispositivo. Confira suas configurações e tente novamente.", "We were unable to access your microphone. Please check your browser settings and try again.": "Não foi possível acessar seu microfone. Por favor, confira as configurações do seu navegador e tente novamente.", "Message didn't send. Click for info.": "A mensagem não foi enviada. Clique para mais informações.", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Suas mensagens privadas normalmente são criptografadas, mas esta sala não é. Isto acontece normalmente por conta de um dispositivo ou método usado sem suporte, como convites via email, por exemplo.", "Send voice message": "Enviar uma mensagem de voz", - "To avoid these issues, create a new public room for the conversation you plan to have.": "Para evitar esses problemas, crie uma nova sala pública para a conversa que você planeja ter.", - "Are you sure you want to make this encrypted room public?": "Tem certeza que fazer com que esta sala criptografada seja pública?", "Unknown failure": "Falha desconhecida", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "Para evitar esses problemas, crie uma nova sala criptografada para a conversa que você planeja ter.", - "Are you sure you want to add encryption to this public room?": "Tem certeza que deseja adicionar criptografia para esta sala pública?", - "Select the roles required to change various parts of the space": "Selecionar os cargos necessários para alterar certas partes do espaço", "MB": "MB", "In reply to this message": "Em resposta a esta mensagem", "Export chat": "Exportar conversa", @@ -1585,22 +1508,12 @@ "Search %(spaceName)s": "Pesquisar %(spaceName)s", "Pin to sidebar": "Fixar na barra lateral", "Quick settings": "Configurações rápidas", - "Click the button below to confirm signing out these devices.": { - "one": "Clique no botão abaixo para confirmar a desconexão deste dispositivo.", - "other": "Clique no botão abaixo para confirmar a desconexão de outros dispositivos." - }, - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "Confirme o logout deste dispositivo usando o logon único para provar sua identidade.", - "other": "Confirme o logout desses dispositivos usando o logon único para provar sua identidade." - }, "Error - Mixed content": "Erro - Conteúdo misto", "Error loading Widget": "Erro ao carregar o Widget", "Show %(count)s other previews": { "one": "Exibir a %(count)s outra prévia", "other": "Exibir as %(count)s outras prévias" }, - "People with supported clients will be able to join the room without having a registered account.": "Pessoas com clientes suportados poderão entrar na sala sem ter uma conta registrada.", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "Não é recomendado adicionar criptografia a salas públicas.Qualqer um pode encontrar e se juntar a salas públicas, então qualquer um pode ler as mensagens nelas. Você não terá nenhum dos benefícios da criptografia, e você não poderá desligá-la depois. Criptografar mensagens em uma sala pública fará com que receber e enviar mensagens fiquem mais lentos do que o normal.", "Failed to update the join rules": "Falha ao atualizar as regras de entrada", "This upgrade will allow members of selected spaces access to this room without an invite.": "Esta melhoria permite que membros de espaços selecionados acessem esta sala sem um convite.", "Anyone in can find and join. You can select other spaces too.": "Qualquer um em pode encontrar e se juntar. Você pode selecionar outros espaços também.", @@ -1658,7 +1571,6 @@ "Invite to space": "Convidar para o espaço", "Start new chat": "Comece um novo bate-papo", "Recently viewed": "Visualizado recentemente", - "Enable encryption in settings.": "Ative a criptografia nas configurações.", "Insert link": "Inserir link", "Create poll": "Criar enquete", "You do not have permission to start polls in this room.": "Você não tem permissão para iniciar enquetes nesta sala.", @@ -1691,12 +1603,6 @@ "Loading new room": "Carregando nova sala", "Upgrading room": "Atualizando sala", "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Esta sala está em alguns espaços dos quais você não é administrador. Nesses espaços, a sala antiga ainda será exibida, mas as pessoas serão solicitadas a ingressar na nova.", - "Deselect all": "Desmarcar todos", - "Select all": "Selecionar tudo", - "Sign out devices": { - "one": "Desconectar dispositivo", - "other": "Desconectar dispositivos" - }, "%(space1Name)s and %(space2Name)s": "%(space1Name)s e %(space2Name)s", "Leave some rooms": "Sair de algumas salas", "Leave all rooms": "Sair de todas as salas", @@ -1722,17 +1628,6 @@ "one": "Visto por %(count)s pessoa", "other": "Visto por %(count)s pessoas" }, - "Security recommendations": "Recomendações de segurança", - "Filter devices": "Filtrar dispositivos", - "Inactive sessions": "Sessões inativas", - "Unverified sessions": "Sessões não verificadas", - "Verified sessions": "Sessões verificadas", - "Unverified session": "Sessão não verificada", - "Verified session": "Sessão verificada", - "Session details": "Detalhes da sessão", - "IP address": "Endereço de IP", - "Rename session": "Renomear sessão", - "Other sessions": "Outras sessões", "Sessions": "Sessões", "User is already in the space": "O usuário já está no espaço", "User is already in the room": "O usuário já está na sala", @@ -1777,19 +1672,6 @@ "In %(spaceName)s.": "No espaço %(spaceName)s.", "In spaces %(space1Name)s and %(space2Name)s.": "Nos espaços %(space1Name)s e %(space2Name)s.", "Empty room (was %(oldName)s)": "Sala vazia (era %(oldName)s)", - "Unknown session type": "Tipo de sessão desconhecido", - "Mobile session": "Sessão móvel", - "Desktop session": "Sessão desktop", - "Web session": "Sessão web", - "Sign out of this session": "Sair desta sessão", - "Operating system": "Sistema operacional", - "URL": "URL", - "Last activity": "Última atividade", - "Confirm signing out these devices": { - "other": "Confirme a saída destes dispositivos", - "one": "Confirme a saída deste dispositivo" - }, - "Current session": "Sessão atual", "You can’t start a call as you are currently recording a live broadcast. Please end your live broadcast in order to start a call.": "Você não pode iniciar uma chamada porque está gravando uma transmissão ao vivo. Termine sua transmissão ao vivo para iniciar uma chamada.", "Can’t start a call": "Não é possível iniciar uma chamada", "Failed to read events": "Falha ao ler evento", @@ -1886,7 +1768,9 @@ "orphan_rooms": "Outras salas", "on": "Ativado", "off": "Desativado", - "all_rooms": "Todas as salas" + "all_rooms": "Todas as salas", + "deselect_all": "Desmarcar todos", + "select_all": "Selecionar tudo" }, "action": { "continue": "Continuar", @@ -2071,7 +1955,18 @@ "placeholder_reply_encrypted": "Digite sua resposta criptografada…", "placeholder_reply": "Digite sua resposta…", "placeholder_encrypted": "Digite uma mensagem criptografada…", - "placeholder": "Digite uma mensagem…" + "placeholder": "Digite uma mensagem…", + "autocomplete": { + "command_description": "Comandos", + "command_a11y": "Preenchimento automático do comando", + "emoji_a11y": "Preenchimento automático de emoji", + "@room_description": "Notifica a sala inteira", + "notification_description": "Notificação da sala", + "notification_a11y": "Notificação do preenchimento automático", + "room_a11y": "Preenchimento automático de sala", + "user_description": "Usuários", + "user_a11y": "Preenchimento automático de usuário" + } }, "Bold": "Negrito", "Link": "Ligação", @@ -2263,6 +2158,46 @@ }, "keyboard": { "title": "Teclado" + }, + "sessions": { + "rename_form_heading": "Renomear sessão", + "session_id": "Identificador de sessão", + "last_activity": "Última atividade", + "url": "URL", + "os": "Sistema operacional", + "ip": "Endereço de IP", + "details_heading": "Detalhes da sessão", + "sign_out": "Sair desta sessão", + "verified_sessions": "Sessões verificadas", + "unverified_sessions": "Sessões não verificadas", + "unverified_session": "Sessão não verificada", + "inactive_sessions": "Sessões inativas", + "desktop_session": "Sessão desktop", + "mobile_session": "Sessão móvel", + "web_session": "Sessão web", + "unknown_session": "Tipo de sessão desconhecido", + "verified_session": "Sessão verificada", + "verify_session": "Confirmar sessão", + "filter_label": "Filtrar dispositivos", + "other_sessions_heading": "Outras sessões", + "current_session": "Sessão atual", + "confirm_sign_out_sso": { + "one": "Confirme o logout deste dispositivo usando o logon único para provar sua identidade.", + "other": "Confirme o logout desses dispositivos usando o logon único para provar sua identidade." + }, + "confirm_sign_out": { + "other": "Confirme a saída destes dispositivos", + "one": "Confirme a saída deste dispositivo" + }, + "confirm_sign_out_body": { + "one": "Clique no botão abaixo para confirmar a desconexão deste dispositivo.", + "other": "Clique no botão abaixo para confirmar a desconexão de outros dispositivos." + }, + "confirm_sign_out_continue": { + "one": "Desconectar dispositivo", + "other": "Desconectar dispositivos" + }, + "security_recommendations": "Recomendações de segurança" } }, "devtools": { @@ -2297,7 +2232,8 @@ "widget_screenshots": "Ativar capturas de tela do widget em widgets suportados", "title": "Ferramentas de desenvolvimento", "show_hidden_events": "Mostrar eventos ocultos nas conversas", - "developer_mode": "Modo desenvolvedor" + "developer_mode": "Modo desenvolvedor", + "view_source_decrypted_event_source": "Fonte de evento descriptografada" }, "export_chat": { "html": "HTML", @@ -2613,7 +2549,9 @@ "io.element.voice_broadcast_info": { "you": "Você encerrou uma transmissão de voz", "user": "%(senderName)s encerrou uma transmissão de voz" - } + }, + "creation_summary_dm": "%(creator)s criou esta conversa.", + "creation_summary_room": "%(creator)s criou e configurou esta sala." }, "slash_command": { "spoiler": "Envia esta mensagem como spoiler", @@ -2789,13 +2727,51 @@ "kick": "Remover usuários", "ban": "Banir usuários", "redact": "Remover mensagens enviadas por outros", - "notifications.room": "Notificar todos" + "notifications.room": "Notificar todos", + "no_privileged_users": "Nenhum usuário possui privilégios específicos nesta sala", + "privileged_users_section": "Usuárias/os privilegiadas/os", + "muted_users_section": "Usuários silenciados", + "banned_users_section": "Usuários banidos", + "send_event_type": "Enviar eventos de %(eventType)s", + "title": "Cargos e permissões", + "permissions_section": "Permissões", + "permissions_section_description_space": "Selecionar os cargos necessários para alterar certas partes do espaço", + "permissions_section_description_room": "Selecione os cargos necessários para alterar várias partes da sala" }, "security": { "strict_encryption": "Nunca envie mensagens criptografadas a partir desta sessão para sessões não confirmadas nessa sala", "join_rule_invite": "Privado (convite apenas)", "join_rule_invite_description": "Apenas pessoas convidadas podem entrar.", - "join_rule_public_description": "Todos podem encontrar e entrar." + "join_rule_public_description": "Todos podem encontrar e entrar.", + "enable_encryption_public_room_confirm_title": "Tem certeza que deseja adicionar criptografia para esta sala pública?", + "enable_encryption_public_room_confirm_description_2": "Para evitar esses problemas, crie uma nova sala criptografada para a conversa que você planeja ter.", + "enable_encryption_confirm_title": "Ativar criptografia?", + "enable_encryption_confirm_description": "Uma vez ativada, a criptografia da sala não poderá ser desativada. Mensagens enviadas em uma sala criptografada não podem ser lidas pelo servidor, apenas pelos participantes da sala. Ativar a criptografia poderá impedir que vários bots e integrações funcionem corretamente. Saiba mais sobre criptografia.", + "public_without_alias_warning": "Para criar um link para esta sala, antes adicione um endereço.", + "join_rule_description": "Decida quem pode entrar em %(roomName)s.", + "encrypted_room_public_confirm_title": "Tem certeza que fazer com que esta sala criptografada seja pública?", + "encrypted_room_public_confirm_description_1": "Não é recomendado adicionar criptografia a salas públicas.Qualqer um pode encontrar e se juntar a salas públicas, então qualquer um pode ler as mensagens nelas. Você não terá nenhum dos benefícios da criptografia, e você não poderá desligá-la depois. Criptografar mensagens em uma sala pública fará com que receber e enviar mensagens fiquem mais lentos do que o normal.", + "encrypted_room_public_confirm_description_2": "Para evitar esses problemas, crie uma nova sala pública para a conversa que você planeja ter.", + "history_visibility": {}, + "history_visibility_warning": "Alterações em quem pode ler o histórico de conversas aplica-se apenas para mensagens futuras nesta sala. A visibilidade do histórico existente não será alterada.", + "history_visibility_legend": "Quem pode ler o histórico da sala?", + "guest_access_warning": "Pessoas com clientes suportados poderão entrar na sala sem ter uma conta registrada.", + "title": "Segurança e privacidade", + "encryption_permanent": "Uma vez ativada, a criptografia não poderá ser desativada.", + "history_visibility_shared": "Apenas participantes (a partir do momento em que esta opção for selecionada)", + "history_visibility_invited": "Apenas participantes (desde que foram convidadas/os)", + "history_visibility_joined": "Apenas participantes (desde que entraram na sala)", + "history_visibility_world_readable": "Qualquer pessoa" + }, + "general": { + "publish_toggle": "Quer publicar esta sala na lista pública de salas da %(domain)s?", + "user_url_previews_default_on": "Você ativou pré-visualizações de links por padrão.", + "user_url_previews_default_off": "Você desativou pré-visualizações de links por padrão.", + "default_url_previews_on": "Pré-visualizações de links estão ativadas por padrão para participantes desta sala.", + "default_url_previews_off": "Pré-visualizações de links estão desativadas por padrão para participantes desta sala.", + "url_preview_encryption_warning": "Em salas criptografadas, como esta, as pré-visualizações de links estão desativadas por padrão para garantir que o seu servidor local (onde as visualizações são geradas) não possa coletar informações sobre os links que você vê nesta sala.", + "url_preview_explainer": "Quando alguém inclui um link em uma mensagem, a pré-visualização do link pode ser exibida para fornecer mais informações sobre esse link, como o título, a descrição e uma imagem do site.", + "url_previews_section": "Pré-visualização de links" } }, "encryption": { @@ -2888,7 +2864,13 @@ "server_picker_explainer": "Use o seu servidor local Matrix preferido, ou hospede o seu próprio servidor.", "server_picker_learn_more": "Sobre os servidores locais", "incorrect_credentials": "Nome de usuário e/ou senha incorreto.", - "account_deactivated": "Esta conta foi desativada." + "account_deactivated": "Esta conta foi desativada.", + "registration_username_validation": "Use apenas letras minúsculas, números, traços e sublinhados", + "phone_label": "Telefone", + "phone_optional_label": "Número de celular (opcional)", + "email_help_text": "Adicione um e-mail para depois poder redefinir sua senha.", + "email_phone_discovery_text": "Seja encontrado por seus contatos a partir de um e-mail ou número de telefone.", + "email_discovery_text": "Seja encontrado por seus contatos a partir de um e-mail." }, "room_list": { "sort_unread_first": "Mostrar salas não lidas em primeiro", @@ -3058,7 +3040,10 @@ "light_high_contrast": "Claro (alto contraste)" }, "space": { - "landing_welcome": "Boas-vindas ao " + "landing_welcome": "Boas-vindas ao ", + "context_menu": { + "explore": "Explorar salas" + } }, "location_sharing": { "find_my_location": "Encontrar minha localização", @@ -3079,5 +3064,44 @@ "failed_create_initial_rooms": "Falha ao criar salas de espaço iniciais", "skip_action": "Ignorar por enquanto", "invite_teammates_by_username": "Convidar por nome de usuário" + }, + "user_menu": { + "switch_theme_light": "Alternar para o modo claro", + "switch_theme_dark": "Alternar para o modo escuro" + }, + "notif_panel": { + "empty_description": "Não há notificações." + }, + "room": { + "drop_file_prompt": "Arraste um arquivo aqui para enviar", + "intro": { + "start_of_dm_history": "Este é o início do seu histórico da conversa com .", + "dm_caption": "Apenas vocês dois estão nesta conversa, a menos que algum de vocês convide mais alguém.", + "topic_edit": "Descrição: %(topic)s (editar)", + "topic": "Descrição: %(topic)s ", + "no_topic": "Adicione uma descrição para ajudar as pessoas a saber do que se trata essa conversa.", + "you_created": "Você criou esta sala.", + "user_created": "%(displayName)s criou esta sala.", + "room_invite": "Convidar apenas a esta sala", + "no_avatar_label": "Adicione uma imagem para que as pessoas possam identificar facilmente sua sala.", + "start_of_room": "Este é o início de .", + "private_unencrypted_warning": "Suas mensagens privadas normalmente são criptografadas, mas esta sala não é. Isto acontece normalmente por conta de um dispositivo ou método usado sem suporte, como convites via email, por exemplo.", + "enable_encryption_prompt": "Ative a criptografia nas configurações.", + "unencrypted_warning": "Criptografia de ponta-a-ponta não está habilitada" + } + }, + "file_panel": { + "guest_note": "Você deve se registrar para usar este recurso", + "peek_note": "Você precisa ingressar na sala para ver seus arquivos", + "empty_heading": "Nenhum arquivo nesta sala", + "empty_description": "Anexe arquivos na conversa, ou simplesmente arraste e solte arquivos em qualquer lugar na sala." + }, + "terms": { + "integration_manager": "Use bots, integrações, widgets e pacotes de figurinhas", + "tos": "Termos de serviço", + "intro": "Para continuar, você precisa aceitar os termos deste serviço.", + "column_service": "Serviço", + "column_summary": "Resumo", + "column_document": "Documento" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/ro.json b/src/i18n/strings/ro.json index 74a2638c70..aa52081a44 100644 --- a/src/i18n/strings/ro.json +++ b/src/i18n/strings/ro.json @@ -78,5 +78,10 @@ "auth": { "sso": "Single Sign On", "register_action": "Înregistare" + }, + "space": { + "context_menu": { + "explore": "Explorează camerele" + } } } diff --git a/src/i18n/strings/ru.json b/src/i18n/strings/ru.json index 214570350c..b3a4dffc73 100644 --- a/src/i18n/strings/ru.json +++ b/src/i18n/strings/ru.json @@ -2,8 +2,6 @@ "Account": "Учётная запись", "A new password must be entered.": "Введите новый пароль.", "Are you sure you want to reject the invitation?": "Уверены, что хотите отклонить приглашение?", - "Banned users": "Заблокированные пользователи", - "Commands": "Команды", "Cryptography": "Криптография", "Deactivate Account": "Деактивировать учётную запись", "Default": "По умолчанию", @@ -24,8 +22,6 @@ "New passwords must match each other.": "Новые пароли должны совпадать.", "Notifications": "Уведомления", "": "<не поддерживается>", - "No users have specific privileges in this room": "Ни один пользователь не имеет особых прав в этой комнате", - "Permissions": "Права доступа", "Phone": "Телефон", "Return to login screen": "Вернуться к экрану входа", "Unable to add email address": "Не удается добавить email", @@ -34,10 +30,8 @@ "Unban": "Разблокировать", "unknown error code": "неизвестный код ошибки", "Upload avatar": "Загрузить аватар", - "Users": "Пользователи", "Verification Pending": "В ожидании подтверждения", "Warning!": "Внимание!", - "Who can read history?": "Кто может читать историю?", "You do not have permission to post to this room": "Вы не можете писать в эту комнату", "Failed to send request.": "Не удалось отправить запрос.", "Failed to verify email address: make sure you clicked the link in the email": "Не удалось проверить email: убедитесь, что вы перешли по ссылке в письме", @@ -124,7 +118,6 @@ "No Webcams detected": "Веб-камера не обнаружена", "No media permissions": "Нет разрешённых носителей", "You may need to manually permit %(brand)s to access your microphone/webcam": "Вам необходимо предоставить %(brand)s доступ к микрофону или веб-камере вручную", - "Anyone": "Все", "Are you sure you want to leave the room '%(roomName)s'?": "Уверены, что хотите покинуть '%(roomName)s'?", "Custom level": "Специальные права", "Email address": "Электронная почта", @@ -132,7 +125,6 @@ "Invalid file%(extra)s": "Недопустимый файл%(extra)s", "Invited": "Приглашены", "Jump to first unread message.": "Перейти к первому непрочитанному сообщению.", - "Privileged Users": "Привилегированные пользователи", "Server may be unavailable, overloaded, or search timed out :(": "Сервер может быть недоступен, перегружен или поиск прекращен по тайм-ауту :(", "Server may be unavailable, overloaded, or you hit a bug.": "Возможно, сервер недоступен, перегружен или случилась ошибка.", "Session ID": "ID сеанса", @@ -141,8 +133,6 @@ "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Попытка загрузить выбранный интервал истории чата этой комнаты не удалась, так как у вас нет разрешений на просмотр.", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Попытка загрузить выбранный интервал истории чата этой комнаты не удалась, так как запрошенный элемент не найден.", "Verified key": "Ключ проверен", - "You have disabled URL previews by default.": "Предпросмотр ссылок по умолчанию выключен для вас.", - "You have enabled URL previews by default.": "Предпросмотр ссылок по умолчанию включен для вас.", "You seem to be in a call, are you sure you want to quit?": "Звонок не завершён. Уверены, что хотите выйти?", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Вы не сможете отменить это действие, так как этот пользователь получит уровень прав, равный вашему.", "Passphrases must match": "Мнемонические фразы должны совпадать", @@ -155,7 +145,6 @@ "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Этот процесс позволяет вам экспортировать ключи для сообщений, которые вы получили в комнатах с шифрованием, в локальный файл. Вы сможете импортировать эти ключи в другой клиент Matrix чтобы расшифровать эти сообщения.", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Этот процесс позволит вам импортировать ключи шифрования, которые вы экспортировали ранее из клиента Matrix. Это позволит вам расшифровать историю чата.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Файл экспорта будет защищен кодовой фразой. Для расшифровки файла необходимо будет её ввести.", - "You must join the room to see its files": "Вы должны войти в комнату, чтобы просмотреть файлы", "Reject all %(invitedRooms)s invites": "Отклонить все %(invitedRooms)s приглашения", "Failed to invite": "Пригласить не удалось", "Confirm Removal": "Подтвердите удаление", @@ -168,15 +157,12 @@ "Error decrypting video": "Ошибка расшифровки видео", "Add an Integration": "Добавить интеграцию", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Вы будете перенаправлены на внешний сайт, чтобы войти в свою учётную запись для использования с %(integrationsUrl)s. Продолжить?", - "URL Previews": "Предпросмотр содержимого ссылок", - "Drop file here to upload": "Перетащите файл сюда для отправки", "Create new room": "Создать комнату", "Uploading %(filename)s": "Отправка %(filename)s", "Uploading %(filename)s and %(count)s others": { "one": "Отправка %(filename)s и %(count)s другой", "other": "Отправка %(filename)s и %(count)s других" }, - "You must register to use this functionality": "Вы должны зарегистрироваться, чтобы использовать эту функцию", "New Password": "Новый пароль", "Something went wrong!": "Что-то пошло не так!", "Home": "Главная", @@ -203,7 +189,6 @@ "Unable to create widget.": "Не удалось создать виджет.", "You are not in this room.": "Вас сейчас нет в этой комнате.", "You do not have permission to do that in this room.": "У вас нет разрешения на это в данной комнате.", - "Publish this room to the public in %(domain)s's room directory?": "Опубликовать эту комнату в каталоге комнат %(domain)s?", "Copied!": "Скопировано!", "Failed to copy": "Не удалось скопировать", "Unignore": "Перестать игнорировать", @@ -219,19 +204,12 @@ }, "Delete Widget": "Удалить виджет", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Удаление виджета действует для всех участников этой комнаты. Вы действительно хотите удалить этот виджет?", - "Members only (since the point in time of selecting this option)": "Только участники (с момента выбора этого параметра)", - "Members only (since they were invited)": "Только участники (с момента их приглашения)", - "Members only (since they joined)": "Только участники (с момента их входа)", "A text message has been sent to %(msisdn)s": "Текстовое сообщение отправлено на %(msisdn)s", "%(items)s and %(count)s others": { "other": "%(items)s и ещё %(count)s участника(-ов)", "one": "%(items)s и ещё кто-то" }, - "Room Notification": "Уведомления комнаты", - "Notify the whole room": "Уведомить всю комнату", "Restricted": "Ограниченный пользователь", - "URL previews are enabled by default for participants in this room.": "Предпросмотр ссылок по умолчанию включен для участников этой комнаты.", - "URL previews are disabled by default for participants in this room.": "Предпросмотр ссылок по умолчанию выключен для участников этой комнаты.", "Please note you are logging into the %(hs)s server, not matrix.org.": "Обратите внимание, что вы заходите на сервер %(hs)s, а не на matrix.org.", "%(duration)ss": "%(duration)s сек", "%(duration)sm": "%(duration)s мин", @@ -282,7 +260,6 @@ "We encountered an error trying to restore your previous session.": "Произошла ошибка при попытке восстановить предыдущий сеанс.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Очистка хранилища вашего браузера может устранить проблему, но при этом ваш сеанс будет завершён, и зашифрованная история чата станет нечитаемой.", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Не удается загрузить событие, на которое был дан ответ. Либо оно не существует, либо у вас нет разрешения на его просмотр.", - "Muted Users": "Приглушённые пользователи", "Terms and Conditions": "Условия и положения", "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Для продолжения использования сервера %(homeserverDomain)s вы должны ознакомиться и принять условия и положения.", "Review terms and conditions": "Просмотр условий и положений", @@ -296,8 +273,6 @@ "Link to most recent message": "Ссылка на последнее сообщение", "Share User": "Поделиться пользователем", "Link to selected message": "Ссылка на выбранное сообщение", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "В зашифрованных комнатах, подобных этой, предварительный просмотр URL-адресов отключен по умолчанию, чтобы гарантировать, что ваш сервер (где создаются предварительные просмотры) не может собирать информацию о ссылках, которые вы видите в этой комнате.", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Когда кто-то вставляет URL-адрес в свое сообщение, то можно просмотреть его, чтобы получить дополнительную информацию об этой ссылке, такую как название, описание и изображение с веб-сайта.", "Share Room Message": "Поделиться сообщением", "You can't send any messages until you review and agree to our terms and conditions.": "Вы не можете отправлять сообщения до тех пор, пока вы не примете наши правила и положения.", "Demote": "Понижение", @@ -335,8 +310,6 @@ "Phone numbers": "Телефонные номера", "Language and region": "Язык и регион", "Account management": "Управление учётной записью", - "Roles & Permissions": "Роли и права", - "Security & Privacy": "Безопасность", "Encryption": "Шифрование", "Ignored users": "Игнорируемые пользователи", "Voice & Video": "Голос и видео", @@ -365,7 +338,6 @@ "Unable to restore backup": "Невозможно восстановить резервную копию", "No backup found!": "Резервных копий не найдено!", "Email (optional)": "Адрес электронной почты (не обязательно)", - "Phone (optional)": "Телефон (не обязательно)", "Go to Settings": "Перейти в настройки", "Set up Secure Messages": "Настроить безопасные сообщения", "Recovery Method Removed": "Метод восстановления удален", @@ -449,7 +421,6 @@ "Accept all %(invitedRooms)s invites": "Принять все приглашения (%(invitedRooms)s)", "Missing media permissions, click the button below to request.": "Отсутствуют разрешения для доступа к камере/микрофону. Нажмите кнопку ниже, чтобы запросить их.", "Request media permissions": "Запросить доступ к медиа устройству", - "Enable encryption?": "Разрешить шифрование?", "Error updating main address": "Ошибка обновления основного адреса", "Incompatible local cache": "Несовместимый локальный кэш", "You'll lose access to your encrypted messages": "Вы потеряете доступ к вашим шифрованным сообщениям", @@ -463,11 +434,6 @@ "Bulk options": "Основные опции", "Upgrade this room to the recommended room version": "Модернизируйте комнату до рекомендованной версии", "View older messages in %(roomName)s.": "Просмотр старых сообщений в %(roomName)s.", - "Send %(eventType)s events": "Отправить %(eventType)s события", - "Select the roles required to change various parts of the room": "Выберите роль, которая может изменять различные части комнаты", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "После включения шифрования в комнате оно не может быть отключено. Сообщения, отправленные в шифрованной комнате, смогут прочитать только участники комнаты, но не сервер. Включенное шифрование может помешать корректной работе многим ботам и мостам. Подробнее о шифровании.", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Изменения в том, кто может читать историю, будут применяться только к будущим сообщениям в этой комнате. Существующие истории останутся без изменений.", - "Once enabled, encryption cannot be disabled.": "После включения, шифрование не может быть отключено.", "This room has been replaced and is no longer active.": "Эта комната заменена и более неактивна.", "Join the conversation with an account": "Присоединиться к разговору с учётной записью", "Sign Up": "Зарегистрироваться", @@ -577,7 +543,6 @@ "Your %(brand)s is misconfigured": "Ваш %(brand)s неправильно настроен", "Ask your %(brand)s admin to check your config for incorrect or duplicate entries.": "Попросите администратора %(brand)s проверить конфигурационный файл на наличие неправильных или повторяющихся записей.", "Unexpected error resolving identity server configuration": "Неопределённая ошибка при разборе параметра сервера идентификации", - "Use lowercase letters, numbers, dashes and underscores only": "Используйте только строчные буквы, цифры, тире и подчеркивания", "Cannot reach identity server": "Не удаётся связаться с сервером идентификации", "You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Вы можете зарегистрироваться, но некоторые возможности не будет доступны, пока сервер идентификации не станет доступным. Если вы продолжаете видеть это предупреждение, проверьте вашу конфигурацию или свяжитесь с администратором сервера.", "You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Вы можете сбросить пароль, но некоторые возможности не будет доступны, пока сервер идентификации не станет доступным. Если вы продолжаете видеть это предупреждение, проверьте вашу конфигурацию или свяжитесь с администратором сервера.", @@ -591,10 +556,6 @@ "Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "Модернизация этой комнаты требует закрытие комнаты в текущем состояние и создания новой комнаты вместо неё. Чтобы упростить процесс для участников, будет сделано:", "Find others by phone or email": "Найти других по номеру телефона или email", "Be found by phone or email": "Будут найдены по номеру телефона или email", - "Use bots, bridges, widgets and sticker packs": "Использовать боты, мосты, виджеты и наборы стикеров", - "Terms of Service": "Условия использования", - "Service": "Сервис", - "Summary": "Сводка", "Upload all": "Загрузить всё", "Resend %(unsentCount)s reaction(s)": "Отправить повторно %(unsentCount)s реакций", "Failed to re-authenticate due to a homeserver problem": "Ошибка повторной аутентификации из-за проблем на сервере", @@ -669,8 +630,6 @@ "Hide advanced": "Скрыть дополнительные настройки", "Show advanced": "Показать дополнительные настройки", "Command Help": "Помощь команды", - "To continue you need to accept the terms of this service.": "Для продолжения Вам необходимо принять условия данного сервиса.", - "Document": "Документ", "Deactivating this user will log them out and prevent them from logging back in. Additionally, they will leave all the rooms they are in. This action cannot be reversed. Are you sure you want to deactivate this user?": "Деактивация этого пользователя приведет к его выходу из системы и запрету повторного входа. Кроме того, они оставит все комнаты, в которых он участник. Это действие безповоротно. Вы уверены, что хотите деактивировать этого пользователя?", "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Приглашение в %(roomName)s было отправлено на %(email)s, но этот адрес не связан с вашей учётной записью", "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Свяжите этот адрес с вашей учетной записью в настройках, чтобы получать приглашения непосредственно в %(brand)s.", @@ -683,13 +642,7 @@ "Use an identity server to invite by email. Use the default (%(defaultIdentityServerName)s) or manage in Settings.": "Используйте идентификационный сервер для приглашения по электронной почте. Используйте значение по умолчанию (%(defaultIdentityServerName)s) или управляйте в Настройках.", "Use an identity server to invite by email. Manage in Settings.": "Используйте идентификационный сервер для приглашения по электронной почте. Управление в Настройки.", "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Отсутствует Капча открытого ключа в конфигурации домашнего сервера. Пожалуйста, сообщите об этом администратору вашего домашнего сервера.", - "%(creator)s created and configured the room.": "%(creator)s создал(а) и настроил(а) комнату.", "Explore rooms": "Обзор комнат", - "Command Autocomplete": "Автозаполнение команды", - "Emoji Autocomplete": "Автодополнение смайлов", - "Notification Autocomplete": "Автозаполнение уведомлений", - "Room Autocomplete": "Автозаполнение комнаты", - "User Autocomplete": "Автозаполнение пользователя", "Cancel search": "Отменить поиск", "Room %(name)s": "Комната %(name)s", "Jump to first unread room.": "Перейти в первую непрочитанную комнату.", @@ -867,7 +820,6 @@ "Destroy cross-signing keys?": "Уничтожить ключи кросс-подписи?", "Clear cross-signing keys": "Очистить ключи кросс-подписи", "Clear all data in this session?": "Очистить все данные в этом сеансе?", - "Verify session": "Заверить сеанс", "Session name": "Название сеанса", "Session key": "Ключ сеанса", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Чтобы сообщить о проблеме безопасности Matrix, пожалуйста, прочитайте Политику раскрытия информации Matrix.org.", @@ -923,14 +875,11 @@ "This address is already in use": "Этот адрес уже используется", "Enter the name of a new server you want to explore.": "Введите имя нового сервера для просмотра.", "Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Напоминание: ваш браузер не поддерживается, возможны непредвиденные проблемы.", - "Switch to light mode": "Переключить в светлый режим", - "Switch to dark mode": "Переключить в тёмный режим", "Change notification settings": "Изменить настройки уведомлений", "IRC display name width": "Ширина отображаемого имени IRC", "Your server isn't responding to some requests.": "Ваш сервер не отвечает на некоторые запросы.", "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "%(brand)sДобавьте сюда пользователей и сервера, которые вы хотите игнорировать. Используйте звездочки, чтобы %(brand)s соответствовали любым символам. Например, @bot:* будет игнорировать всех пользователей, имеющих имя \" bot \" на любом сервере.", "Room ID or address of ban list": "ID комнаты или адрес списка блокировок", - "To link to this room, please add an address.": "Для связи с этой комнатой, пожалуйста, добавьте адрес.", "The authenticity of this encrypted message can't be guaranteed on this device.": "Подлинность этого зашифрованного сообщения не может быть гарантирована на этом устройстве.", "No recently visited rooms": "Нет недавно посещенных комнат", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Произошла ошибка при обновлении альтернативных адресов комнаты. Это может быть запрещено сервером или произошел временный сбой.", @@ -1016,8 +965,6 @@ "Create key backup": "Создать резервную копию ключа", "This session is encrypting history using the new recovery method.": "Этот сеанс шифрует историю с помощью нового метода восстановления.", "If you did this accidentally, you can setup Secure Messages on this session which will re-encrypt this session's message history with a new recovery method.": "Если вы сделали это по ошибке, вы можете настроить защищённые сообщения в этом сеансе, что снова зашифрует историю сообщений в этом сеансе с помощью нового метода восстановления.", - "No files visible in this room": "Нет видимых файлов в этой комнате", - "Attach files from chat or just drag and drop them anywhere in a room.": "Прикрепите файлы из чата или просто перетащите их в комнату.", "Master private key:": "Приватный мастер-ключ:", "Explore public rooms": "Просмотреть публичные комнаты", "Preparing to download logs": "Подготовка к загрузке журналов", @@ -1071,15 +1018,6 @@ "The call was answered on another device.": "На звонок ответили на другом устройстве.", "Answered Elsewhere": "Ответил в другом месте", "The call could not be established": "Звонок не может быть установлен", - "This is the start of .": "Это начало .", - "Add a photo, so people can easily spot your room.": "Добавьте фото, чтобы люди могли легко заметить вашу комнату.", - "%(displayName)s created this room.": "%(displayName)s создал(а) эту комнату.", - "You created this room.": "Вы создали эту комнату.", - "Add a topic to help people know what it is about.": "Добавьте тему, чтобы люди знали, о чём комната.", - "Topic: %(topic)s ": "Тема: %(topic)s ", - "Topic: %(topic)s (edit)": "Тема: %(topic)s (изменить)", - "This is the beginning of your direct message history with .": "Это начало вашей беседы с .", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "В этом разговоре только вы двое, если только кто-нибудь из вас не пригласит кого-нибудь присоединиться.", "Invite someone using their name, email address, username (like ) or share this room.": "Пригласите кого-нибудь, используя его имя, адрес электронной почты, имя пользователя (например, ) или поделитесь этой комнатой.", "Start a conversation with someone using their name, email address or username (like ).": "Начните разговор с кем-нибудь, используя его имя, адрес электронной почты или имя пользователя (например, ).", "Invite by email": "Пригласить по электронной почте", @@ -1089,7 +1027,6 @@ "one": "Надежно кэшируйте зашифрованные сообщения локально, чтобы они отображались в результатах поиска, используя %(size)s для хранения сообщений из %(rooms)s комнаты.", "other": "Надежно кэшируйте зашифрованные сообщения локально, чтобы они отображались в результатах поиска, используя %(size)s для хранения сообщений из комнат (%(rooms)s)." }, - "%(creator)s created this DM.": "%(creator)s начал(а) этот чат.", "Continuing without email": "Продолжить без электронной почты", "Enter phone number": "Введите номер телефона", "Enter email address": "Введите адрес электронной почты", @@ -1349,15 +1286,11 @@ "This widget would like to:": "Этому виджету хотелось бы:", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Предупреждаем: если вы не добавите адрес электронной почты и забудете пароль, вы можете навсегда потерять доступ к своей учётной записи.", "That phone number doesn't look quite right, please check and try again": "Этот номер телефона неправильный, проверьте его и повторите попытку", - "Add an email to be able to reset your password.": "Чтобы иметь возможность изменить свой пароль в случае необходимости, добавьте свой адрес электронной почты.", - "Use email or phone to optionally be discoverable by existing contacts.": "Если вы хотите, чтобы другие пользователи могли вас найти, укажите свой адрес электронной почты или номер телефона.", - "Use email to optionally be discoverable by existing contacts.": "Если вы хотите, чтобы другие пользователи могли вас найти, укажите свой адрес электронной почты.", "There was a problem communicating with the homeserver, please try again later.": "Возникла проблема при обмене данными с домашним сервером. Повторите попытку позже.", "Hold": "Удерживать", "Resume": "Возобновить", "You've reached the maximum number of simultaneous calls.": "Вы достигли максимального количества одновременных звонков.", "Too Many Calls": "Слишком много звонков", - "You have no visible notifications.": "У вас нет видимых уведомлений.", "Transfer": "Перевод", "Failed to transfer call": "Не удалось перевести звонок", "A call can only be transferred to a single user.": "Вызов может быть передан только одному пользователю.", @@ -1397,8 +1330,6 @@ "Use app for a better experience": "Используйте приложение для лучшего опыта", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Мы попросили браузер запомнить, какой домашний сервер вы используете для входа в систему, но, к сожалению, ваш браузер забыл об этом. Перейдите на страницу входа и попробуйте ещё раз.", "We couldn't log you in": "Нам не удалось войти в систему", - "Suggested": "Рекомендуется", - "This room is suggested as a good one to join": "Эта комната рекомендуется, чтобы присоединиться", "%(count)s rooms": { "one": "%(count)s комната", "other": "%(count)s комнат" @@ -1443,16 +1374,11 @@ "Create a space": "Создать пространство", "This homeserver has been blocked by its administrator.": "Доступ к этому домашнему серверу заблокирован вашим администратором.", "Original event source": "Оригинальный исходный код", - "Decrypted event source": "Расшифрованный исходный код", - "Your server does not support showing space hierarchies.": "Ваш сервер не поддерживает отображение пространственных иерархий.", "Private space": "Приватное пространство", "Public space": "Публичное пространство", " invites you": " пригласил(а) тебя", "You may want to try a different search or check for typos.": "Вы можете попробовать другой поиск или проверить опечатки.", "No results found": "Результаты не найдены", - "Mark as suggested": "Отметить как рекомендуется", - "Mark as not suggested": "Отметить как не рекомендуется", - "Failed to remove some rooms. Try again later": "Не удалось удалить несколько комнат. Попробуйте позже", "Connecting": "Подключение", "%(deviceId)s from %(ip)s": "%(deviceId)s с %(ip)s", "The user you called is busy.": "Вызываемый пользователь занят.", @@ -1467,14 +1393,12 @@ "Not a valid identity server (status code %(code)s)": "Недействительный идентификационный сервер (код состояния %(code)s)", "Identity server URL must be HTTPS": "URL-адрес идентификационного сервер должен начинаться с HTTPS", "Enter your Security Phrase a second time to confirm it.": "Введите секретную фразу второй раз, чтобы подтвердить ее.", - "Space Autocomplete": "Автозаполнение пространства", "Verify your identity to access encrypted messages and prove your identity to others.": "Подтвердите свою личность, чтобы получить доступ к зашифрованным сообщениям и доказать свою личность другим.", "Currently joining %(count)s rooms": { "one": "Сейчас вы состоите в %(count)s комнате", "other": "Сейчас вы состоите в %(count)s комнатах" }, "Search names and descriptions": "Искать имена и описания", - "Select a room below first": "Сначала выберите комнату ниже", "You can select all or individual messages to retry or delete": "Вы можете выбрать все или отдельные сообщения для повторной попытки или удаления", "Retry all": "Повторить все", "Delete all": "Удалить все", @@ -1486,7 +1410,6 @@ "Error downloading audio": "Ошибка загрузки аудио", "Unnamed audio": "Безымянное аудио", "Avatar": "Аватар", - "Manage & explore rooms": "Управление и список комнат", "Add space": "Добавить пространство", "Report": "Сообщить", "Collapse reply thread": "Свернуть ответы обсуждения", @@ -1496,7 +1419,6 @@ "Only do this if you have no other device to complete verification with.": "Делайте это только в том случае, если у вас нет другого устройства для завершения проверки.", "Reset everything": "Сбросить всё", "Forgotten or lost all recovery methods? Reset all": "Забыли или потеряли все варианты восстановления? Сбросить всё", - "Settings - %(spaceName)s": "Настройки — %(spaceName)s", "Reset event store": "Сброс хранилища событий", "If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "Если вы это сделаете, обратите внимание, что ни одно из ваших сообщений не будет удалено, но работа поиска может быть ухудшена на несколько мгновений, пока индекс не будет воссоздан", "You most likely do not want to reset your event index store": "Скорее всего, вы не захотите сбрасывать индексное хранилище событий", @@ -1594,16 +1516,12 @@ "We were unable to access your microphone. Please check your browser settings and try again.": "Мы не смогли получить доступ к вашему микрофону. Пожалуйста, проверьте настройки браузера и повторите попытку.", "Unable to access your microphone": "Не удалось получить доступ к микрофону", "View message": "Посмотреть сообщение", - "End-to-end encryption isn't enabled": "Сквозное шифрование не включено", - "Invite to just this room": "Пригласить только в эту комнату", "Show %(count)s other previews": { "one": "Показать %(count)s другой предварительный просмотр", "other": "Показать %(count)s других предварительных просмотров" }, "Failed to send": "Не удалось отправить", "Access": "Доступ", - "People with supported clients will be able to join the room without having a registered account.": "Люди с поддерживаемыми клиентами смогут присоединиться к комнате, не имея зарегистрированной учётной записи.", - "Decide who can join %(roomName)s.": "Укажите, кто может присоединиться к %(roomName)s.", "Space members": "Участники пространства", "Anyone in a space can find and join. You can select multiple spaces.": "Любой человек в пространстве может найти и присоединиться. Вы можете выбрать несколько пространств.", "Spaces with access": "Пространства с доступом", @@ -1654,16 +1572,8 @@ "Unknown failure: %(reason)s": "Неизвестная ошибка: %(reason)s", "No answer": "Нет ответа", "Role in ": "Роль в ", - "Enable encryption in settings.": "Включите шифрование в настройках.", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Ваши личные сообщения обычно шифруются, но эта комната не шифруется. Обычно это связано с использованием неподдерживаемого устройства или метода, например, приглашения по электронной почте.", - "To avoid these issues, create a new public room for the conversation you plan to have.": "Чтобы избежать этих проблем, создайте новую публичную комнату для разговора, который вы планируете провести.", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "Не рекомендуется делать зашифрованные комнаты публичными. Это означает, что любой может найти и присоединиться к комнате, а значит, любой может читать сообщения. Вы не получите ни одного из преимуществ шифрования. Шифрование сообщений в публичной комнате сделает получение и отправку сообщений более медленной.", - "Are you sure you want to make this encrypted room public?": "Вы уверены, что хотите сделать эту зашифрованную комнату публичной?", "Unknown failure": "Неизвестная ошибка", "Failed to update the join rules": "Не удалось обновить правила присоединения", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "Чтобы избежать этих проблем, создайте новую зашифрованную комнату для разговора, который вы планируете провести.", - "Are you sure you want to add encryption to this public room?": "Вы уверены, что хотите добавить шифрование в эту публичную комнату?", - "Select the roles required to change various parts of the space": "Выберите роли, необходимые для изменения различных частей пространства", "Anyone in can find and join. You can select other spaces too.": "Любой человек в может найти и присоединиться. Вы можете выбрать и другие пространства.", "Cross-signing is ready but keys are not backed up.": "Кросс-подпись готова, но ключи не резервируются.", "Leave some rooms": "Покинуть несколько комнат", @@ -1724,17 +1634,9 @@ "Device verified": "Сеанс заверен", "Verify this device": "Заверьте этот сеанс", "Unable to verify this device": "Невозможно заверить этот сеанс", - "Failed to load list of rooms.": "Не удалось загрузить список комнат.", "Joining": "Присоединение", - "You're all caught up": "Вы в курсе всего", - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Если вы знаете, что делаете, Element с открытым исходным кодом, обязательно зайдите на наш GitHub (https://github.com/vector-im/element-web/) и внесите свой вклад!", - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Если кто-то сказал вам скопировать/вставить что-то здесь, велика вероятность, что вас пытаются обмануть!", "Wait!": "Подождите!", - "Someone already has that username. Try another or if it is you, sign in below.": "У кого-то уже есть такое имя пользователя. Попробуйте другое или, если это вы, войдите ниже.", - "Unable to check if username has been taken. Try again later.": "Не удалось проверить, занято ли имя пользователя. Повторите попытку позже.", "Thread options": "Параметры обсуждения", - "Space home": "Пространство — Главная", - "See room timeline (devtools)": "Просмотреть шкалу времени комнаты (инструменты разработчика)", "Mentions only": "Только упоминания", "Forget": "Забыть", "Open in OpenStreetMap": "Открыть в OpenStreetMap", @@ -1849,20 +1751,6 @@ "Sidebar": "Боковая панель", "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Поделитесь анонимными данными, чтобы помочь нам выявить проблемы. Никаких личных данных. Никаких третьих лиц.", "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Эта комната находится в некоторых пространствах, администратором которых вы не являетесь. В этих пространствах старая комната будет по-прежнему отображаться, но людям будет предложено присоединиться к новой.", - "Select all": "Выбрать все", - "Deselect all": "Отменить выбор", - "Sign out devices": { - "one": "Выйти из устройства", - "other": "Выйти из устройств" - }, - "Click the button below to confirm signing out these devices.": { - "one": "Нажмите кнопку ниже, чтобы подтвердить выход из этого устройства.", - "other": "Нажмите кнопку ниже, чтобы подтвердить выход из этих устройств." - }, - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "Подтвердите выход из этого устройства с помощью единого входа, чтобы подтвердить свою личность.", - "other": "Подтвердите выход из этих устройств с помощью единого входа, чтобы подтвердить свою личность." - }, "Pin to sidebar": "Закрепить на боковой панели", "Quick settings": "Быстрые настройки", "Waiting for you to verify on your other device…": "Ожидает проверки на другом устройстве…", @@ -1951,10 +1839,6 @@ "View older version of %(spaceName)s.": "Посмотреть предыдущую версию %(spaceName)s.", "Deactivating your account is a permanent action — be careful!": "Деактивация вашей учётной записи является необратимым действием — будьте осторожны!", "Your password was successfully changed.": "Ваш пароль успешно изменён.", - "Confirm signing out these devices": { - "one": "Подтвердите выход из этого устройства", - "other": "Подтвердите выход из этих устройств" - }, "%(count)s people joined": { "one": "%(count)s человек присоединился", "other": "%(count)s человек(а) присоединились" @@ -2055,7 +1939,6 @@ "This invite was sent to %(email)s which is not associated with your account": "Это приглашение отправлено на %(email)s, которая не связана с вашей учетной записью", "You can still join here.": "Вы всё ещё можете присоединиться сюда.", "An error (%(errcode)s) was returned while trying to validate your invite. You could try to pass this information on to the person who invited you.": "При попытке проверить ваше приглашение была возвращена ошибка (%(errcode)s). Вы можете попытаться передать эту информацию пригласившему вас лицу.", - "Video rooms are a beta feature": "Видеокомнаты – это бета-функция", "Seen by %(count)s people": { "one": "Просмотрел %(count)s человек", "other": "Просмотрели %(count)s людей" @@ -2080,63 +1963,29 @@ "other": "В %(spaceName)s и %(count)s других пространствах." }, "In spaces %(space1Name)s and %(space2Name)s.": "В пространствах %(space1Name)s и %(space2Name)s.", - "IP address": "IP-адрес", - "Last activity": "Последняя активность", - "Other sessions": "Другие сеансы", - "Current session": "Текущий сеанс", "Sessions": "Сеансы", - "Unverified session": "Незаверенный сеанс", - "Verified session": "Заверенный сеанс", "We'll help you get connected.": "Мы поможем вам подключиться.", "Join the room to participate": "Присоединяйтесь к комнате для участия", - "This session is ready for secure messaging.": "Этот сеанс готов к безопасному обмену сообщениями.", "We're creating a room with %(names)s": "Мы создаем комнату с %(names)s", "Online community members": "Участники сообщества в сети", "You're in": "Вы в", "Choose a locale": "Выберите регион", "You need to have the right permissions in order to share locations in this room.": "У вас должны быть определённые разрешения, чтобы делиться местоположениями в этой комнате.", "You don't have permission to share locations": "У вас недостаточно прав для публикации местоположений", - "Send your first message to invite to chat": "Отправьте свое первое сообщение, чтобы пригласить в чат", - "Inactive for %(inactiveAgeDays)s+ days": "Неактивен в течение %(inactiveAgeDays)s+ дней", - "Session details": "Сведения о сеансе", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Для лучшей безопасности заверьте свои сеансы и выйдите из тех, которые более не признаёте или не используете.", - "Verify or sign out from this session for best security and reliability.": "Заверьте или выйдите из этого сеанса для лучшей безопасности и надёжности.", - "Security recommendations": "Рекомендации по безопасности", - "Inactive sessions": "Неактивные сеансы", - "Unverified sessions": "Незаверенные сеансы", - "All": "Все", - "Verified sessions": "Заверенные сеансы", - "Inactive": "Неактивно", "Empty room (was %(oldName)s)": "Пустая комната (без %(oldName)s)", "%(user1)s and %(user2)s": "%(user1)s и %(user2)s", - "No unverified sessions found.": "Незаверенных сеансов не обнаружено.", - "No verified sessions found.": "Заверенных сеансов не обнаружено.", "%(user)s and %(count)s others": { "other": "%(user)s и ещё %(count)s", "one": "%(user)s и ещё 1" }, - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Подтвердите свои сеансы для более безопасного обмена сообщениями или выйдите из тех, которые более не признаёте или не используете.", - "For best security, sign out from any session that you don't recognize or use anymore.": "Для лучшей безопасности выйдите из всех сеансов, которые вы более не признаёте или не используете.", - "Inactive for %(inactiveAgeDays)s days or longer": "Неактивны %(inactiveAgeDays)s дней или дольше", - "No inactive sessions found.": "Неактивных сеансов не обнаружено.", - "No sessions found.": "Сеансов не найдено.", - "Ready for secure messaging": "Готовы к безопасному обмену сообщениями", - "Not ready for secure messaging": "Не готовы к безопасному обмену сообщениями", "Manually verify by text": "Ручная сверка по тексту", "Interactively verify by emoji": "Интерактивная сверка по смайлам", - "Rename session": "Переименовать сеанс", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s или %(recoveryFile)s", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s или %(copyButton)s", - "Sign out of this session": "Выйти из этого сеанса", - "Push notifications": "Уведомления", - "Receive push notifications on this session.": "Получать push-уведомления в этом сеансе.", - "Toggle push notifications on this session.": "Push-уведомления для этого сеанса.", "Failed to set pusher state": "Не удалось установить состояние push-службы", - "URL": "URL-адрес", "Room info": "О комнате", - "Operating system": "Операционная система", "Video call (Jitsi)": "Видеозвонок (Jitsi)", - "Unknown session type": "Неизвестный тип сеанса", "Unknown room": "Неизвестная комната", "View chat timeline": "Посмотреть ленту сообщений", "Live": "В эфире", @@ -2149,22 +1998,6 @@ }, "Inviting %(user1)s and %(user2)s": "Приглашение %(user1)s и %(user2)s", "Sorry — this call is currently full": "Извините — этот вызов в настоящее время заполнен", - "Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Подтверждённые сеансы — это везде, где вы используете учётную запись после ввода кодовой фразы или идентификации через другой сеанс.", - "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Сочтите выйти из старых сеансов (%(inactiveAgeDays)s дней и более), которые вы более не используете.", - "This session doesn't support encryption and thus can't be verified.": "Этот сеанс не поддерживает шифрование, потому и не может быть подтверждён.", - "Web session": "Веб-сеанс", - "Mobile session": "Сеанс мобильного устройства", - "Desktop session": "Сеанс рабочего стола", - "Removing inactive sessions improves security and performance, and makes it easier for you to identify if a new session is suspicious.": "Удаление неактивных сеансов улучшает безопасность и производительность, делая своевременным обнаружение любого сомнительного сеанса.", - "Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.": "Неактивные сеансы — это сеансы, которые вы не использовали какое-то время, но продолжающие получать ключи шифрования.", - "You won't be able to participate in rooms where encryption is enabled when using this session.": "Через этот сеанс вы не можете участвовать в комнатах с шифрованием.", - "You should make especially certain that you recognise these sessions as they could represent an unauthorised use of your account.": "Вам следует особенно отметить их наличие, поскольку они могут представлять неавторизованное применение вашей учётной записи.", - "Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.": "Неподтверждённые сеансы — это сеансы, вошедшие с вашими учётными данными, но до сих пор не подтверждённые.", - "This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Это означает наличие у вас всех ключей, необходимых для расшифровки сообщений, и способ другим пользователям понять, что вы доверяете этому сеансу.", - "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "Это даёт им уверенности в том, с кем они общаются, но также означает, что они могут видеть вводимое здесь название сеанса.", - "Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "Другие пользователи, будучи в личных сообщениях и посещаемых вами комнатах, могут видеть полный перечень ваших сеансов.", - "Renaming sessions": "Переименование сеансов", - "Please be aware that session names are also visible to people you communicate with.": "Пожалуйста, имейте в виду, что названия сеансов также видны людям, с которыми вы общаетесь.", "Are you sure you want to sign out of %(count)s sessions?": { "one": "Вы уверены, что хотите выйти из %(count)s сеанса?", "other": "Вы уверены, что хотите выйти из %(count)s сеансов?" @@ -2172,10 +2005,7 @@ "You have unverified sessions": "У вас есть незаверенные сеансы", "Search users in this room…": "Поиск пользователей в этой комнате…", "Send email": "Отправить электронное письмо", - "Improve your account security by following these recommendations.": "Усильте защиту учётной записи, следуя этим рекомендациям.", - "Verify your current session for enhanced secure messaging.": "Заверьте текущий сеанс для усиления защиты переписки.", "Mark as read": "Отметить как прочитанное", - "Your current session is ready for secure messaging.": "Ваш текущий сеанс готов к защищенной переписке.", "The homeserver doesn't support signing in another device.": "Домашний сервер не поддерживает вход с другого устройства.", "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "Что нового в %(brand)s? Labs — это лучший способ получить и испытать новые функции, помогая сформировать их перед выходом в свет.", "Upcoming features": "Новые возможности", @@ -2207,23 +2037,7 @@ "Hide formatting": "Скрыть форматирование", "This message could not be decrypted": "Это сообщение не удалось расшифровать", " in %(room)s": " в %(room)s", - "Sign out of %(count)s sessions": { - "one": "Выйти из %(count)s сеанса", - "other": "Выйти из сеансов: %(count)s" - }, - "Show QR code": "Показать QR код", - "Sign in with QR code": "Войти с QR кодом", - "%(count)s sessions selected": { - "one": "%(count)s сеанс выбран", - "other": "Сеансов выбрано: %(count)s" - }, - "For best security and privacy, it is recommended to use Matrix clients that support encryption.": "Для лучшей безопасности и конфиденциальности, рекомендуется использовать клиенты Matrix с поддержкой шифрования.", - "Hide details": "Скрыть подробности", - "Show details": "Показать подробности", - "Browser": "Браузер", - "Sign out of all other sessions (%(otherSessionsCount)s)": "Выйти из всех остальных сеансов (%(otherSessionsCount)s)", "Call type": "Тип звонка", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "Не рекомендуется добавлять шифрование в публичные комнаты. Кто угодно может найти и присоединиться к ним, тем самым позволяя читать сообщения. Вы не получите преимуществ шифрования и при этом не сможете его отключить. Шифрование сообщений в публичной комнате лишь замедлит их получение и отправку.", "You can’t start a call as you are currently recording a live broadcast. Please end your live broadcast in order to start a call.": "Вы не можете начать звонок, так как вы производите живое вещание. Пожалуйста, остановите вещание, чтобы начать звонок.", "Can’t start a call": "Невозможно начать звонок", "Failed to read events": "Не удалось считать события", @@ -2342,7 +2156,9 @@ "orphan_rooms": "Прочие комнаты", "on": "Включить", "off": "Выключить", - "all_rooms": "Все комнаты" + "all_rooms": "Все комнаты", + "deselect_all": "Отменить выбор", + "select_all": "Выбрать все" }, "action": { "continue": "Продолжить", @@ -2505,7 +2321,8 @@ "join_beta": "Присоединиться к бета-версии", "automatic_debug_logs_key_backup": "Автоматически отправлять журналы отладки, когда резервное копирование ключей не работает", "automatic_debug_logs_decryption": "Автоматическая отправка журналов отладки при ошибках расшифровки", - "automatic_debug_logs": "Автоматическая отправка журналов отладки при любой ошибке" + "automatic_debug_logs": "Автоматическая отправка журналов отладки при любой ошибке", + "video_rooms_beta": "Видеокомнаты – это бета-функция" }, "keyboard": { "home": "Главная", @@ -2595,7 +2412,19 @@ "placeholder_reply_encrypted": "Отправить зашифрованный ответ…", "placeholder_reply": "Отправить ответ…", "placeholder_encrypted": "Отправить зашифрованное сообщение…", - "placeholder": "Отправить сообщение…" + "placeholder": "Отправить сообщение…", + "autocomplete": { + "command_description": "Команды", + "command_a11y": "Автозаполнение команды", + "emoji_a11y": "Автодополнение смайлов", + "@room_description": "Уведомить всю комнату", + "notification_description": "Уведомления комнаты", + "notification_a11y": "Автозаполнение уведомлений", + "room_a11y": "Автозаполнение комнаты", + "space_a11y": "Автозаполнение пространства", + "user_description": "Пользователи", + "user_a11y": "Автозаполнение пользователя" + } }, "Bold": "Жирный", "Link": "Ссылка", @@ -2842,6 +2671,93 @@ }, "keyboard": { "title": "Горячие клавиши" + }, + "sessions": { + "rename_form_heading": "Переименовать сеанс", + "rename_form_caption": "Пожалуйста, имейте в виду, что названия сеансов также видны людям, с которыми вы общаетесь.", + "rename_form_learn_more": "Переименование сеансов", + "rename_form_learn_more_description_1": "Другие пользователи, будучи в личных сообщениях и посещаемых вами комнатах, могут видеть полный перечень ваших сеансов.", + "rename_form_learn_more_description_2": "Это даёт им уверенности в том, с кем они общаются, но также означает, что они могут видеть вводимое здесь название сеанса.", + "session_id": "ID сеанса", + "last_activity": "Последняя активность", + "url": "URL-адрес", + "os": "Операционная система", + "browser": "Браузер", + "ip": "IP-адрес", + "details_heading": "Сведения о сеансе", + "push_toggle": "Push-уведомления для этого сеанса.", + "push_heading": "Уведомления", + "push_subheading": "Получать push-уведомления в этом сеансе.", + "sign_out": "Выйти из этого сеанса", + "hide_details": "Скрыть подробности", + "show_details": "Показать подробности", + "inactive_days": "Неактивен в течение %(inactiveAgeDays)s+ дней", + "verified_sessions": "Заверенные сеансы", + "verified_sessions_explainer_1": "Подтверждённые сеансы — это везде, где вы используете учётную запись после ввода кодовой фразы или идентификации через другой сеанс.", + "verified_sessions_explainer_2": "Это означает наличие у вас всех ключей, необходимых для расшифровки сообщений, и способ другим пользователям понять, что вы доверяете этому сеансу.", + "unverified_sessions": "Незаверенные сеансы", + "unverified_sessions_explainer_1": "Неподтверждённые сеансы — это сеансы, вошедшие с вашими учётными данными, но до сих пор не подтверждённые.", + "unverified_sessions_explainer_2": "Вам следует особенно отметить их наличие, поскольку они могут представлять неавторизованное применение вашей учётной записи.", + "unverified_session": "Незаверенный сеанс", + "unverified_session_explainer_1": "Этот сеанс не поддерживает шифрование, потому и не может быть подтверждён.", + "unverified_session_explainer_2": "Через этот сеанс вы не можете участвовать в комнатах с шифрованием.", + "unverified_session_explainer_3": "Для лучшей безопасности и конфиденциальности, рекомендуется использовать клиенты Matrix с поддержкой шифрования.", + "inactive_sessions": "Неактивные сеансы", + "inactive_sessions_explainer_1": "Неактивные сеансы — это сеансы, которые вы не использовали какое-то время, но продолжающие получать ключи шифрования.", + "inactive_sessions_explainer_2": "Удаление неактивных сеансов улучшает безопасность и производительность, делая своевременным обнаружение любого сомнительного сеанса.", + "desktop_session": "Сеанс рабочего стола", + "mobile_session": "Сеанс мобильного устройства", + "web_session": "Веб-сеанс", + "unknown_session": "Неизвестный тип сеанса", + "device_verified_description_current": "Ваш текущий сеанс готов к защищенной переписке.", + "device_verified_description": "Этот сеанс готов к безопасному обмену сообщениями.", + "verified_session": "Заверенный сеанс", + "device_unverified_description_current": "Заверьте текущий сеанс для усиления защиты переписки.", + "device_unverified_description": "Заверьте или выйдите из этого сеанса для лучшей безопасности и надёжности.", + "verify_session": "Заверить сеанс", + "verified_sessions_list_description": "Для лучшей безопасности выйдите из всех сеансов, которые вы более не признаёте или не используете.", + "unverified_sessions_list_description": "Подтвердите свои сеансы для более безопасного обмена сообщениями или выйдите из тех, которые более не признаёте или не используете.", + "inactive_sessions_list_description": "Сочтите выйти из старых сеансов (%(inactiveAgeDays)s дней и более), которые вы более не используете.", + "no_verified_sessions": "Заверенных сеансов не обнаружено.", + "no_unverified_sessions": "Незаверенных сеансов не обнаружено.", + "no_inactive_sessions": "Неактивных сеансов не обнаружено.", + "no_sessions": "Сеансов не найдено.", + "filter_all": "Все", + "filter_verified_description": "Готовы к безопасному обмену сообщениями", + "filter_unverified_description": "Не готовы к безопасному обмену сообщениями", + "filter_inactive": "Неактивно", + "filter_inactive_description": "Неактивны %(inactiveAgeDays)s дней или дольше", + "n_sessions_selected": { + "one": "%(count)s сеанс выбран", + "other": "Сеансов выбрано: %(count)s" + }, + "sign_in_with_qr": "Войти с QR кодом", + "sign_in_with_qr_button": "Показать QR код", + "sign_out_n_sessions": { + "one": "Выйти из %(count)s сеанса", + "other": "Выйти из сеансов: %(count)s" + }, + "other_sessions_heading": "Другие сеансы", + "sign_out_all_other_sessions": "Выйти из всех остальных сеансов (%(otherSessionsCount)s)", + "current_session": "Текущий сеанс", + "confirm_sign_out_sso": { + "one": "Подтвердите выход из этого устройства с помощью единого входа, чтобы подтвердить свою личность.", + "other": "Подтвердите выход из этих устройств с помощью единого входа, чтобы подтвердить свою личность." + }, + "confirm_sign_out": { + "one": "Подтвердите выход из этого устройства", + "other": "Подтвердите выход из этих устройств" + }, + "confirm_sign_out_body": { + "one": "Нажмите кнопку ниже, чтобы подтвердить выход из этого устройства.", + "other": "Нажмите кнопку ниже, чтобы подтвердить выход из этих устройств." + }, + "confirm_sign_out_continue": { + "one": "Выйти из устройства", + "other": "Выйти из устройств" + }, + "security_recommendations": "Рекомендации по безопасности", + "security_recommendations_description": "Усильте защиту учётной записи, следуя этим рекомендациям." } }, "devtools": { @@ -2917,7 +2833,8 @@ "title": "Инструменты разработчика", "show_hidden_events": "Показывать скрытые события в ленте сообщений", "low_bandwidth_mode_description": "Требуется совместимый сервер.", - "developer_mode": "Режим разработчика" + "developer_mode": "Режим разработчика", + "view_source_decrypted_event_source": "Расшифрованный исходный код" }, "export_chat": { "html": "HTML", @@ -3293,7 +3210,9 @@ "io.element.voice_broadcast_info": { "you": "Вы завершили голосовую трансляцию", "user": "%(senderName)s завершил(а) голосовую трансляцию" - } + }, + "creation_summary_dm": "%(creator)s начал(а) этот чат.", + "creation_summary_room": "%(creator)s создал(а) и настроил(а) комнату." }, "slash_command": { "spoiler": "Отправить данное сообщение под спойлером", @@ -3479,13 +3398,52 @@ "kick": "Удалять пользователей", "ban": "Блокировка пользователей", "redact": "Удалить сообщения, отправленные другими", - "notifications.room": "Уведомить всех" + "notifications.room": "Уведомить всех", + "no_privileged_users": "Ни один пользователь не имеет особых прав в этой комнате", + "privileged_users_section": "Привилегированные пользователи", + "muted_users_section": "Приглушённые пользователи", + "banned_users_section": "Заблокированные пользователи", + "send_event_type": "Отправить %(eventType)s события", + "title": "Роли и права", + "permissions_section": "Права доступа", + "permissions_section_description_space": "Выберите роли, необходимые для изменения различных частей пространства", + "permissions_section_description_room": "Выберите роль, которая может изменять различные части комнаты" }, "security": { "strict_encryption": "Никогда не отправлять зашифрованные сообщения непроверенным сеансам в этой комнате и через этот сеанс", "join_rule_invite": "Приватное (только по приглашению)", "join_rule_invite_description": "Присоединиться могут только приглашенные люди.", - "join_rule_public_description": "Любой желающий может найти и присоединиться." + "join_rule_public_description": "Любой желающий может найти и присоединиться.", + "enable_encryption_public_room_confirm_title": "Вы уверены, что хотите добавить шифрование в эту публичную комнату?", + "enable_encryption_public_room_confirm_description_1": "Не рекомендуется добавлять шифрование в публичные комнаты. Кто угодно может найти и присоединиться к ним, тем самым позволяя читать сообщения. Вы не получите преимуществ шифрования и при этом не сможете его отключить. Шифрование сообщений в публичной комнате лишь замедлит их получение и отправку.", + "enable_encryption_public_room_confirm_description_2": "Чтобы избежать этих проблем, создайте новую зашифрованную комнату для разговора, который вы планируете провести.", + "enable_encryption_confirm_title": "Разрешить шифрование?", + "enable_encryption_confirm_description": "После включения шифрования в комнате оно не может быть отключено. Сообщения, отправленные в шифрованной комнате, смогут прочитать только участники комнаты, но не сервер. Включенное шифрование может помешать корректной работе многим ботам и мостам. Подробнее о шифровании.", + "public_without_alias_warning": "Для связи с этой комнатой, пожалуйста, добавьте адрес.", + "join_rule_description": "Укажите, кто может присоединиться к %(roomName)s.", + "encrypted_room_public_confirm_title": "Вы уверены, что хотите сделать эту зашифрованную комнату публичной?", + "encrypted_room_public_confirm_description_1": "Не рекомендуется делать зашифрованные комнаты публичными. Это означает, что любой может найти и присоединиться к комнате, а значит, любой может читать сообщения. Вы не получите ни одного из преимуществ шифрования. Шифрование сообщений в публичной комнате сделает получение и отправку сообщений более медленной.", + "encrypted_room_public_confirm_description_2": "Чтобы избежать этих проблем, создайте новую публичную комнату для разговора, который вы планируете провести.", + "history_visibility": {}, + "history_visibility_warning": "Изменения в том, кто может читать историю, будут применяться только к будущим сообщениям в этой комнате. Существующие истории останутся без изменений.", + "history_visibility_legend": "Кто может читать историю?", + "guest_access_warning": "Люди с поддерживаемыми клиентами смогут присоединиться к комнате, не имея зарегистрированной учётной записи.", + "title": "Безопасность", + "encryption_permanent": "После включения, шифрование не может быть отключено.", + "history_visibility_shared": "Только участники (с момента выбора этого параметра)", + "history_visibility_invited": "Только участники (с момента их приглашения)", + "history_visibility_joined": "Только участники (с момента их входа)", + "history_visibility_world_readable": "Все" + }, + "general": { + "publish_toggle": "Опубликовать эту комнату в каталоге комнат %(domain)s?", + "user_url_previews_default_on": "Предпросмотр ссылок по умолчанию включен для вас.", + "user_url_previews_default_off": "Предпросмотр ссылок по умолчанию выключен для вас.", + "default_url_previews_on": "Предпросмотр ссылок по умолчанию включен для участников этой комнаты.", + "default_url_previews_off": "Предпросмотр ссылок по умолчанию выключен для участников этой комнаты.", + "url_preview_encryption_warning": "В зашифрованных комнатах, подобных этой, предварительный просмотр URL-адресов отключен по умолчанию, чтобы гарантировать, что ваш сервер (где создаются предварительные просмотры) не может собирать информацию о ссылках, которые вы видите в этой комнате.", + "url_preview_explainer": "Когда кто-то вставляет URL-адрес в свое сообщение, то можно просмотреть его, чтобы получить дополнительную информацию об этой ссылке, такую как название, описание и изображение с веб-сайта.", + "url_previews_section": "Предпросмотр содержимого ссылок" } }, "encryption": { @@ -3596,7 +3554,15 @@ "server_picker_explainer": "Если вы предпочитаете домашний сервер Matrix, используйте его. Вы также можете настроить свой собственный домашний сервер, если хотите.", "server_picker_learn_more": "О домашних серверах", "incorrect_credentials": "Неверное имя пользователя и/или пароль.", - "account_deactivated": "Эта учётная запись была деактивирована." + "account_deactivated": "Эта учётная запись была деактивирована.", + "registration_username_validation": "Используйте только строчные буквы, цифры, тире и подчеркивания", + "registration_username_unable_check": "Не удалось проверить, занято ли имя пользователя. Повторите попытку позже.", + "registration_username_in_use": "У кого-то уже есть такое имя пользователя. Попробуйте другое или, если это вы, войдите ниже.", + "phone_label": "Телефон", + "phone_optional_label": "Телефон (не обязательно)", + "email_help_text": "Чтобы иметь возможность изменить свой пароль в случае необходимости, добавьте свой адрес электронной почты.", + "email_phone_discovery_text": "Если вы хотите, чтобы другие пользователи могли вас найти, укажите свой адрес электронной почты или номер телефона.", + "email_discovery_text": "Если вы хотите, чтобы другие пользователи могли вас найти, укажите свой адрес электронной почты." }, "room_list": { "sort_unread_first": "Комнаты с непрочитанными сообщениями в начале", @@ -3794,7 +3760,21 @@ "light_high_contrast": "Контрастная светлая" }, "space": { - "landing_welcome": "Добро пожаловать в " + "landing_welcome": "Добро пожаловать в ", + "suggested_tooltip": "Эта комната рекомендуется, чтобы присоединиться", + "suggested": "Рекомендуется", + "select_room_below": "Сначала выберите комнату ниже", + "unmark_suggested": "Отметить как не рекомендуется", + "mark_suggested": "Отметить как рекомендуется", + "failed_remove_rooms": "Не удалось удалить несколько комнат. Попробуйте позже", + "failed_load_rooms": "Не удалось загрузить список комнат.", + "incompatible_server_hierarchy": "Ваш сервер не поддерживает отображение пространственных иерархий.", + "context_menu": { + "devtools_open_timeline": "Просмотреть шкалу времени комнаты (инструменты разработчика)", + "home": "Пространство — Главная", + "explore": "Обзор комнат", + "manage_and_explore": "Управление и список комнат" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "Этот домашний сервер не настроен на отображение карт.", @@ -3849,5 +3829,51 @@ "setup_rooms_description": "Позже можно добавить и другие, в том числе уже существующие.", "setup_rooms_private_heading": "Над какими проектами ваша команда работает?", "setup_rooms_private_description": "Мы создадим комнаты для каждого из них." + }, + "user_menu": { + "switch_theme_light": "Переключить в светлый режим", + "switch_theme_dark": "Переключить в тёмный режим" + }, + "notif_panel": { + "empty_heading": "Вы в курсе всего", + "empty_description": "У вас нет видимых уведомлений." + }, + "console_scam_warning": "Если кто-то сказал вам скопировать/вставить что-то здесь, велика вероятность, что вас пытаются обмануть!", + "console_dev_note": "Если вы знаете, что делаете, Element с открытым исходным кодом, обязательно зайдите на наш GitHub (https://github.com/vector-im/element-web/) и внесите свой вклад!", + "room": { + "drop_file_prompt": "Перетащите файл сюда для отправки", + "intro": { + "send_message_start_dm": "Отправьте свое первое сообщение, чтобы пригласить в чат", + "start_of_dm_history": "Это начало вашей беседы с .", + "dm_caption": "В этом разговоре только вы двое, если только кто-нибудь из вас не пригласит кого-нибудь присоединиться.", + "topic_edit": "Тема: %(topic)s (изменить)", + "topic": "Тема: %(topic)s ", + "no_topic": "Добавьте тему, чтобы люди знали, о чём комната.", + "you_created": "Вы создали эту комнату.", + "user_created": "%(displayName)s создал(а) эту комнату.", + "room_invite": "Пригласить только в эту комнату", + "no_avatar_label": "Добавьте фото, чтобы люди могли легко заметить вашу комнату.", + "start_of_room": "Это начало .", + "private_unencrypted_warning": "Ваши личные сообщения обычно шифруются, но эта комната не шифруется. Обычно это связано с использованием неподдерживаемого устройства или метода, например, приглашения по электронной почте.", + "enable_encryption_prompt": "Включите шифрование в настройках.", + "unencrypted_warning": "Сквозное шифрование не включено" + } + }, + "file_panel": { + "guest_note": "Вы должны зарегистрироваться, чтобы использовать эту функцию", + "peek_note": "Вы должны войти в комнату, чтобы просмотреть файлы", + "empty_heading": "Нет видимых файлов в этой комнате", + "empty_description": "Прикрепите файлы из чата или просто перетащите их в комнату." + }, + "terms": { + "integration_manager": "Использовать боты, мосты, виджеты и наборы стикеров", + "tos": "Условия использования", + "intro": "Для продолжения Вам необходимо принять условия данного сервиса.", + "column_service": "Сервис", + "column_summary": "Сводка", + "column_document": "Документ" + }, + "space_settings": { + "title": "Настройки — %(spaceName)s" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/si.json b/src/i18n/strings/si.json index da747ca766..9d68179e5c 100644 --- a/src/i18n/strings/si.json +++ b/src/i18n/strings/si.json @@ -12,5 +12,10 @@ }, "auth": { "register_action": "ගිණුමක් සාදන්න" + }, + "space": { + "context_menu": { + "explore": "කාමර බලන්න" + } } } diff --git a/src/i18n/strings/sk.json b/src/i18n/strings/sk.json index 1e49e17e96..8e7e7113ad 100644 --- a/src/i18n/strings/sk.json +++ b/src/i18n/strings/sk.json @@ -72,7 +72,6 @@ "Change Password": "Zmeniť heslo", "Failed to set display name": "Nepodarilo sa nastaviť zobrazované meno", "Authentication": "Overenie", - "Drop file here to upload": "Pretiahnutím sem nahráte súbor", "Unban": "Povoliť vstup", "Failed to ban user": "Nepodarilo sa zakázať používateľa", "Failed to mute user": "Nepodarilo sa umlčať používateľa", @@ -107,24 +106,11 @@ "Banned by %(displayName)s": "Vstup zakázal %(displayName)s", "unknown error code": "neznámy kód chyby", "Failed to forget room %(errCode)s": "Nepodarilo sa zabudnúť miestnosť %(errCode)s", - "Privileged Users": "Oprávnení používatelia", - "No users have specific privileges in this room": "Žiadny používatelia nemajú v tejto miestnosti pridelené konkrétne poverenia", - "Banned users": "Používatelia, ktorým bol zakázaný vstup", "This room is not accessible by remote Matrix servers": "Táto miestnosť nie je prístupná zo vzdialených Matrix serverov", "Favourite": "Obľúbiť", - "Publish this room to the public in %(domain)s's room directory?": "Uverejniť túto miestnosť v adresári miestností na serveri %(domain)s?", - "Who can read history?": "Kto môže čítať históriu?", - "Anyone": "Ktokoľvek", - "Members only (since the point in time of selecting this option)": "Len členovia (odkedy je aktívna táto voľba)", - "Members only (since they were invited)": "Len členovia (odkedy boli pozvaní)", - "Members only (since they joined)": "Len členovia (odkedy vstúpili)", - "Permissions": "Povolenia", "Jump to first unread message.": "Preskočiť na prvú neprečítanú správu.", "not specified": "nezadané", "This room has no local addresses": "Pre túto miestnosť nie sú žiadne lokálne adresy", - "You have disabled URL previews by default.": "Predvolene máte zakázané náhľady URL adries.", - "You have enabled URL previews by default.": "Predvolene máte povolené náhľady URL adries.", - "URL Previews": "Náhľady URL adries", "Error decrypting attachment": "Chyba pri dešifrovaní prílohy", "Decrypt %(text)s": "Dešifrovať %(text)s", "Download %(text)s": "Stiahnuť %(text)s", @@ -168,8 +154,6 @@ "Unable to add email address": "Nie je možné pridať emailovú adresu", "Unable to verify email address.": "Nie je možné overiť emailovú adresu.", "This will allow you to reset your password and receive notifications.": "Toto vám umožní obnoviť si heslo a prijímať oznámenia emailom.", - "You must register to use this functionality": "Aby ste mohli použiť túto vlastnosť, musíte byť zaregistrovaný", - "You must join the room to see its files": "Aby ste si mohli zobraziť zoznam súborov, musíte vstúpiť do miestnosti", "Reject invitation": "Odmietnuť pozvanie", "Are you sure you want to reject the invitation?": "Ste si istí, že chcete odmietnuť toto pozvanie?", "Failed to reject invitation": "Nepodarilo sa odmietnuť pozvanie", @@ -213,10 +197,6 @@ "Return to login screen": "Vrátiť sa na prihlasovaciu obrazovku", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "K domovskému serveru nie je možné pripojiť sa použitím protokolu HTTP keďže v adresnom riadku prehliadača máte HTTPS adresu. Použite protokol HTTPS alebo povolte nezabezpečené skripty.", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Nie je možné pripojiť sa k domovskému serveru - skontrolujte prosím funkčnosť vášho pripojenia na internet. Uistite sa že certifikát domovského servera je dôveryhodný a že žiaden doplnok nainštalovaný v prehliadači nemôže blokovať požiadavky.", - "Commands": "Príkazy", - "Notify the whole room": "Oznamovať celú miestnosť", - "Room Notification": "Oznámenie miestnosti", - "Users": "Používatelia", "Session ID": "ID relácie", "Passphrases must match": "Prístupové frázy sa musia zhodovať", "Passphrase must not be empty": "Prístupová fráza nesmie byť prázdna", @@ -230,8 +210,6 @@ "File to import": "Importovať zo súboru", "Please note you are logging into the %(hs)s server, not matrix.org.": "Všimnite si: Práve sa prihlasujete na server %(hs)s, nie na server matrix.org.", "Restricted": "Obmedzené", - "URL previews are enabled by default for participants in this room.": "Náhľady URL adries sú predvolene povolené pre členov tejto miestnosti.", - "URL previews are disabled by default for participants in this room.": "Náhľady URL adries sú predvolene zakázané pre členov tejto miestnosti.", "Send": "Odoslať", "%(duration)ss": "%(duration)ss", "%(duration)sm": "%(duration)sm", @@ -280,7 +258,6 @@ "Clear Storage and Sign Out": "Vymazať úložisko a odhlásiť sa", "We encountered an error trying to restore your previous session.": "Počas obnovovania vašej predchádzajúcej relácie sa vyskytla chyba.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Vymazaním úložiska prehliadača možno opravíte váš problém, no zároveň sa týmto odhlásite a história vašich šifrovaných konverzácií sa pre vás môže stať nečitateľná.", - "Muted Users": "Umlčaní používatelia", "Can't leave Server Notices room": "Nie je možné opustiť miestnosť Oznamy zo servera", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Táto miestnosť je určená na dôležité oznamy a správy od správcov domovského servera, preto ju nie je možné opustiť.", "Terms and Conditions": "Zmluvné podmienky", @@ -295,8 +272,6 @@ "No Audio Outputs detected": "Neboli rozpoznané žiadne zariadenia pre výstup zvuku", "Audio Output": "Výstup zvuku", "Share Room Message": "Zdieľať správu z miestnosti", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Náhľady URL adries sú v šifrovaných miestnostiach ako je táto predvolene zakázané, aby ste si mohli byť istí, že obsah odkazov z vašej konverzácii nebude zaznamenaný na vašom domovskom serveri počas ich generovania.", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Ak niekto vo svojej správe pošle URL adresu, môže byť zobrazený jej náhľad obsahujúci názov, popis a obrázok z cieľovej web stránky.", "Permission Required": "Vyžaduje sa povolenie", "You do not have permission to start a conference call in this room": "V tejto miestnosti nemáte povolenie začať konferenčný hovor", "This event could not be displayed": "Nie je možné zobraziť túto udalosť", @@ -450,7 +425,6 @@ "Ignored users": "Ignorovaní používatelia", "Bulk options": "Hromadné možnosti", "Accept all %(invitedRooms)s invites": "Prijať všetkých %(invitedRooms)s pozvaní", - "Security & Privacy": "Bezpečnosť a súkromie", "Missing media permissions, click the button below to request.": "Ak vám chýbajú povolenia na médiá, kliknite na tlačidlo nižšie na ich vyžiadanie.", "Request media permissions": "Požiadať o povolenia pristupovať k médiám", "Voice & Video": "Zvuk a video", @@ -458,14 +432,7 @@ "Room version": "Verzia miestnosti", "Room version:": "Verzia miestnosti:", "Room Addresses": "Adresy miestnosti", - "Send %(eventType)s events": "Poslať udalosti %(eventType)s", - "Roles & Permissions": "Role a povolenia", - "Select the roles required to change various parts of the room": "Vyberte role potrebné na zmenu rôznych častí miestnosti", - "Enable encryption?": "Povoliť šifrovanie?", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Po povolení šifrovania miestnosti nie je možné šifrovanie zakázať. Správy poslané v šifrovanej miestnosti nie sú viditeľné na serveri, prečítať ich môžu len členovia miestnosti. Mnohí Boti, premostenia do iných sietí a integrácie nemusia po zapnutí šifrovania fungovať správne. Dozvedieť sa viac o šifrovaní.", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Zmena viditeľnosti histórie sa prejaví len na budúcich správach v tejto miestnosti. Viditeľnosť existujúcich správ ostane bez zmeny.", "Encryption": "Šifrovanie", - "Once enabled, encryption cannot be disabled.": "Po zapnutí šifrovania ho nie je možné vypnúť.", "Error updating main address": "Chyba pri aktualizácii hlavnej adresy", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Pri aktualizácii hlavnej adresy miestnosti došlo k chybe. Server to nemusí povoliť alebo došlo k dočasnému zlyhaniu.", "Main address": "Hlavná adresa", @@ -483,7 +450,6 @@ "Warning: you should only set up key backup from a trusted computer.": "Varovanie: zálohovanie šifrovacích kľúčov by ste mali nastavovať na dôveryhodnom počítači.", "This homeserver would like to make sure you are not a robot.": "Tento domovský server by sa rád uistil, že nie ste robot.", "Email (optional)": "Email (nepovinné)", - "Phone (optional)": "Telefón (nepovinné)", "Join millions for free on the largest public server": "Pripojte sa k mnohým používateľom najväčšieho verejného domovského servera zdarma", "Couldn't load page": "Nie je možné načítať stránku", "Could not load user profile": "Nie je možné načítať profil používateľa", @@ -594,11 +560,6 @@ "Failed to re-authenticate due to a homeserver problem": "Opätovná autentifikácia zlyhala kvôli problému domovského servera", "IRC display name width": "Šírka zobrazovaného mena IRC", "Clear personal data": "Zmazať osobné dáta", - "Command Autocomplete": "Automatické dopĺňanie príkazov", - "Emoji Autocomplete": "Automatické dopĺňanie emotikonov", - "Notification Autocomplete": "Automatické dopĺňanie oznámení", - "Room Autocomplete": "Automatické dopĺňanie miestností", - "User Autocomplete": "Automatické dopĺňanie používateľov", "Waiting for %(displayName)s to verify…": "Čakám na %(displayName)s, kým nás overí…", "Cancelling…": "Rušenie…", "Lock": "Zámka", @@ -673,7 +634,6 @@ "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Došlo k chybe pri zmene požiadaviek na úroveň oprávnenia miestnosti. Uistite sa, že na to máte dostatočné povolenia a skúste to znovu.", "Error changing power level": "Chyba pri zmene úrovne oprávnenia", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Došlo k chybe pri zmene úrovne oprávnenia používateľa. Uistite sa, že na to máte dostatočné povolenia a skúste to znova.", - "To link to this room, please add an address.": "Ak chcete prepojiť túto miestnosť, pridajte prosím adresu.", "Unable to revoke sharing for email address": "Nepodarilo sa zrušiť zdieľanie emailovej adresy", "Unable to share email address": "Nepodarilo sa zdieľať emailovú adresu", "Your email address hasn't been verified yet": "Vaša emailová adresa nebola zatiaľ overená", @@ -973,15 +933,9 @@ "%(name)s wants to verify": "%(name)s chce overiť", "View source": "Zobraziť zdroj", "Encryption not enabled": "Šifrovanie nie je zapnuté", - "End-to-end encryption isn't enabled": "End-to-end šifrovanie nie je zapnuté", "Unencrypted": "Nešifrované", - "%(creator)s created this DM.": "%(creator)s vytvoril/a túto priamu správu.", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "V tejto konverzácii ste len vy dvaja, pokiaľ niektorý z vás nepozve niekoho iného, aby sa pripojil.", - "This is the beginning of your direct message history with .": "Toto je začiatok histórie vašich priamych správ s používateľom .", "The user you called is busy.": "Volaný používateľ má obsadené.", "Search spaces": "Hľadať priestory", - "Select all": "Vybrať všetky", - "Deselect all": "Zrušiť výber všetkých", "New keyword": "Nové kľúčové slovo", "Keyword": "Kľúčové slovo", "@mentions & keywords": "@zmienky a kľúčové slová", @@ -1015,10 +969,6 @@ "Messages in this room are end-to-end encrypted.": "Správy v tejto miestnosti sú šifrované od vás až k príjemcovi.", "Show all your rooms in Home, even if they're in a space.": "Zobrazte všetky miestnosti v časti Domov, aj keď sú v priestore.", "Sign out and remove encryption keys?": "Odhlásiť sa a odstrániť šifrovacie kľúče?", - "Sign out devices": { - "one": "Odhlásiť zariadenie", - "other": "Odhlásené zariadenia" - }, "Unable to copy a link to the room to the clipboard.": "Nie je možné skopírovať odkaz na miestnosť do schránky.", "Unable to copy room link": "Nie je možné skopírovať odkaz na miestnosť", "Remove recent messages": "Odstrániť posledné správy", @@ -1044,9 +994,7 @@ "Cross-signing is ready for use.": "Krížové podpisovanie je pripravené na použitie.", "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Zálohujte si šifrovacie kľúče s údajmi o účte pre prípad, že stratíte prístup k reláciám. Vaše kľúče budú zabezpečené jedinečným bezpečnostným kľúčom.", "The authenticity of this encrypted message can't be guaranteed on this device.": "Vierohodnosť tejto zašifrovanej správy nie je možné na tomto zariadení zaručiť.", - "You're all caught up": "Všetko ste už stihli", "You're all caught up.": "Všetko ste už stihli.", - "You have no visible notifications.": "Nemáte žiadne viditeľné oznámenia.", "Verify your identity to access encrypted messages and prove your identity to others.": "Overte svoju totožnosť, aby ste mali prístup k zašifrovaným správam a potvrdili svoju totožnosť ostatným.", "In encrypted rooms, verify all users to ensure it's secure.": "V šifrovaných miestnostiach overte všetkých používateľov, aby ste zaistili ich bezpečnosť.", "Verify all users in a room to ensure it's secure.": "Overte všetkých používateľov v miestnosti, aby ste sa uistili, že je zabezpečená.", @@ -1072,7 +1020,6 @@ "You declined": "Zamietli ste overenie", "Session key": "Kľúč relácie", "Session name": "Názov relácie", - "Verify session": "Overiť reláciu", "Your homeserver": "Váš domovský server", "Start Verification": "Spustiť overovanie", "Verify User": "Overiť používateľa", @@ -1108,12 +1055,8 @@ "Connecting": "Pripájanie", "Sending": "Odosielanie", "Avatar": "Obrázok", - "Suggested": "Navrhované", "Accepting…": "Akceptovanie…", - "Document": "Dokument", - "Summary": "Zhrnutie", "Notes": "Poznámky", - "Service": "Služba", "Enter email address (required on this homeserver)": "Zadajte e-mailovú adresu (vyžaduje sa na tomto domovskom serveri)", "Use an email address to recover your account": "Použite e-mailovú adresu na obnovenie svojho konta", "Doesn't look like a valid email address": "Nevyzerá to ako platná e-mailová adresa", @@ -1124,7 +1067,6 @@ "New published address (e.g. #alias:server)": "Nová zverejnená adresa (napr. #alias:server)", "Local address": "Lokálna adresa", "Address": "Adresa", - "Manage & explore rooms": "Spravovať a preskúmať miestnosti", "Enter the name of a new server you want to explore.": "Zadajte názov nového servera, ktorý chcete preskúmať.", "You have %(count)s unread notifications in a prior version of this room.": { "one": "V predchádzajúcej verzii tejto miestnosti máte %(count)s neprečítané oznámenie.", @@ -1147,7 +1089,6 @@ "Public room": "Verejná miestnosť", "Join public room": "Pripojiť sa k verejnej miestnosti", "Explore public rooms": "Preskúmajte verejné miestnosti", - "Are you sure you want to add encryption to this public room?": "Ste si istí, že chcete pridať šifrovanie do tejto verejnej miestnosti?", "Leave some rooms": "Opustiť niektoré miestnosti", "Leave all rooms": "Opustiť všetky miestnosti", "Don't leave any rooms": "Neopustiť žiadne miestnosti", @@ -1155,7 +1096,6 @@ "Favourited": "Obľúbené", "Error processing voice message": "Chyba pri spracovaní hlasovej správy", "Send voice message": "Odoslať hlasovú správu", - "%(creator)s created and configured the room.": "%(creator)s vytvoril a nastavil miestnosť.", "Invited people will be able to read old messages.": "Pozvaní ľudia si budú môcť prečítať staré správy.", "Invite someone using their name, username (like ) or share this room.": "Pozvite niekoho pomocou jeho mena, používateľského mena (napríklad ) alebo zdieľate túto miestnosť.", "Invite someone using their name, email address, username (like ) or share this room.": "Pozvite niekoho pomocou jeho mena, e-mailovej adresy, používateľského mena (napríklad ) alebo zdieľajte túto miestnosť.", @@ -1164,19 +1104,14 @@ "Recently Direct Messaged": "Nedávno zaslané priame správy", "Something went wrong with your invite to %(roomName)s": "Niečo sa pokazilo s vašou pozvánkou do miestnosti %(roomName)s", "Invite to space": "Pozvať do priestoru", - "Invite to just this room": "Pozvať len do tejto miestnosti", "Invite to %(spaceName)s": "Pozvať do priestoru %(spaceName)s", "Invite to this space": "Pozvať do tohto priestoru", "To join a space you'll need an invite.": "Ak sa chcete pripojiť k priestoru, budete potrebovať pozvánku.", - "This is the start of .": "Toto je začiatok miestnosti .", - "You created this room.": "Túto miestnosť ste vytvorili vy.", "Hide sessions": "Skryť relácie", "%(count)s sessions": { "one": "%(count)s relácia", "other": "%(count)s relácie" }, - "Add a topic to help people know what it is about.": "Pridajte tému, aby ľudia vedeli, o čo ide.", - "Attach files from chat or just drag and drop them anywhere in a room.": "Pripojte súbory z konverzácie alebo ich jednoducho pretiahnite kamkoľvek do miestnosti.", "This file is too large to upload. The file size limit is %(limit)s but this file is %(sizeOfThisFile)s.": "Tento súbor je príliš veľký na odoslanie. Limit veľkosti súboru je %(limit)s, ale tento súbor má %(sizeOfThisFile)s.", "Information": "Informácie", "Space information": "Informácie o priestore", @@ -1191,7 +1126,6 @@ "Anyone in can find and join. You can select other spaces too.": "Ktokoľvek v môže nájsť a pripojiť sa. Môžete vybrať aj iné priestory.", "Anyone in a space can find and join. Edit which spaces can access here.": "Každý v priestore môže nájsť a pripojiť sa. Upravte, ktoré priestory sem môžu mať prístup.", "Anyone in a space can find and join. You can select multiple spaces.": "Každý, kto sa nachádza v priestore, môže nájsť a pripojiť sa. Môžete vybrať viacero priestorov.", - "Decide who can join %(roomName)s.": "Určite, kto sa môže pripojiť k %(roomName)s.", "Decide who can view and join %(spaceName)s.": "Určite, kto môže zobrazovať a pripájať sa k %(spaceName)s.", "Local Addresses": "Lokálne adresy", "This space has no local addresses": "Tento priestor nemá žiadne lokálne adresy", @@ -1203,14 +1137,12 @@ "Export chat": "Exportovať konverzáciu", "Copy link to thread": "Kopírovať odkaz na vlákno", "Copy room link": "Kopírovať odkaz na miestnosť", - "Use bots, bridges, widgets and sticker packs": "Použiť boty, premostenia, widgety a balíčky s nálepkami", "Widgets do not use message encryption.": "Widgety nepoužívajú šifrovanie správ.", "Add widgets, bridges & bots": "Pridať widgety, premostenia a boty", "Edit widgets, bridges & bots": "Upraviť widgety, premostenia a boty", "Show Widgets": "Zobraziť widgety", "Hide Widgets": "Skryť widgety", "Widgets": "Widgety", - "No files visible in this room": "V tejto miestnosti nie sú viditeľné žiadne súbory", "Upload %(count)s other files": { "one": "Nahrať %(count)s ďalší súbor", "other": "Nahrať %(count)s ďalších súborov" @@ -1259,7 +1191,6 @@ "Your user ID": "Vaše ID používateľa", "Your display name": "Vaše zobrazované meno", "You verified %(name)s": "Overili ste používateľa %(name)s", - "Terms of Service": "Podmienky poskytovania služby", "Clear all data": "Vymazať všetky údaje", "Passwords don't match": "Heslá sa nezhodujú", "Nice, strong password!": "Pekné, silné heslo!", @@ -1271,10 +1202,7 @@ "Message edits": "Úpravy správy", "Edited at %(date)s. Click to view edits.": "Upravené %(date)s. Kliknutím zobrazíte úpravy.", "Click to view edits": "Kliknutím zobrazíte úpravy", - "Topic: %(topic)s (edit)": "Téma: %(topic)s (upraviť)", "Switch theme": "Prepnúť motív", - "Switch to dark mode": "Prepnúť na tmavý režim", - "Switch to light mode": "Prepnúť na svetlý režim", "You may contact me if you have any follow up questions": "V prípade ďalších otázok ma môžete kontaktovať", "Search names and descriptions": "Vyhľadávanie názvov a popisov", "You may want to try a different search or check for typos.": "Možno by ste mali vyskúšať iné vyhľadávanie alebo skontrolovať preklepy.", @@ -1294,8 +1222,6 @@ "Use the Desktop app to search encrypted messages": "Použite Desktop aplikáciu na vyhľadávanie zašifrovaných správ", "Not encrypted": "Nie je zašifrované", "In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "V šifrovaných miestnostiach sú vaše správy zabezpečené a jedinečné kľúče na ich odomknutie máte len vy a príjemca.", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "Neodporúča sa zverejňovať zašifrované miestnosti. Znamená to, že ktokoľvek môže nájsť miestnosť a pripojiť sa k nej, takže ktokoľvek môže čítať správy. Nezískate tak žiadne výhody šifrovania. Šifrovanie správ vo verejnej miestnosti spôsobí, že prijímanie a odosielanie správ bude pomalšie.", - "Are you sure you want to make this encrypted room public?": "Ste si istí, že chcete túto zašifrovanú miestnosť zverejniť?", "This widget may use cookies.": "Tento widget môže používať súbory cookie.", "Close dialog": "Zavrieť dialógové okno", "Close this widget to view it in this panel": "Zatvorte tento widget a zobrazíte ho na tomto paneli", @@ -1309,10 +1235,6 @@ "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Pozvánku nebolo možné odvolať. Na serveri môže byť dočasný problém alebo nemáte dostatočné oprávnenia na odvolanie pozvánky.", "Failed to revoke invite": "Nepodarilo sa odvolať pozvánku", "Set my room layout for everyone": "Nastavenie rozmiestnenie v mojej miestnosti pre všetkých", - "Add a photo, so people can easily spot your room.": "Pridajte fotografiu, aby si ľudia mohli ľahko všimnúť vašu miestnosť.", - "Enable encryption in settings.": "Zapnúť šifrovanie v nastaveniach.", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Vaše súkromné správy sú bežne šifrované, ale táto miestnosť nie je. Zvyčajne je to spôsobené nepodporovaným zariadením alebo použitou metódou, ako napríklad e-mailové pozvánky.", - "See room timeline (devtools)": "Pozrite si časovú os miestnosti (devtools)", "Try scrolling up in the timeline to see if there are any earlier ones.": "Skúste sa posunúť nahor na časovej osi a pozrite sa, či tam nie sú nejaké skoršie.", "Upgrade required": "Vyžaduje sa aktualizácia", "Automatically invite members from this room to the new one": "Automaticky pozvať členov z tejto miestnosti do novej", @@ -1378,7 +1300,6 @@ "Add a space to a space you manage.": "Pridať priestor do priestoru, ktorý spravujete.", "Add a new server": "Pridať nový server", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Ste tu jediný človek. Ak odídete, nikto sa už v budúcnosti nebude môcť pripojiť do tejto miestnosti, vrátane vás.", - "Use lowercase letters, numbers, dashes and underscores only": "Použite len malé písmená, číslice, pomlčky a podčiarkovníky", "Some characters not allowed": "Niektoré znaky nie sú povolené", "Enter phone number (required on this homeserver)": "Zadajte telefónne číslo (povinné na tomto domovskom serveri)", "Password is allowed, but unsafe": "Heslo je povolené, ale nie je bezpečné", @@ -1418,10 +1339,8 @@ "Allow people to preview your space before they join.": "Umožnite ľuďom prezrieť si váš priestor predtým, ako sa k vám pripoja.", "Preview Space": "Prehľad priestoru", "Start new chat": "Spustiť novú konverzáciu", - "Space Autocomplete": "Automatické dopĺňanie priestoru", "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Táto relácia zistila, že vaša bezpečnostná fráza a kľúč pre zabezpečené správy boli odstránené.", "Original event source": "Pôvodný zdroj udalosti", - "Decrypted event source": "Zdroj dešifrovanej udalosti", "Question or topic": "Otázka alebo téma", "View in room": "Zobraziť v miestnosti", "Loading new room": "Načítanie novej miestnosti", @@ -1431,7 +1350,6 @@ }, "Unknown failure: %(reason)s": "Neznáma chyba: %(reason)s", "Collapse reply thread": "Zbaliť vlákno odpovedí", - "Settings - %(spaceName)s": "Nastavenia - %(spaceName)s", "Nothing pinned, yet": "Zatiaľ nie je nič pripnuté", "Start audio stream": "Spustiť zvukový prenos", "Recently visited rooms": "Nedávno navštívené miestnosti", @@ -1478,7 +1396,6 @@ "Workspace: ": "Pracovný priestor: ", "Dial pad": "Číselník", "Decline All": "Zamietnuť všetky", - "Topic: %(topic)s ": "Téma: %(topic)s ", "Unknown App": "Neznáma aplikácia", "Security Key": "Bezpečnostný kľúč", "Security Phrase": "Bezpečnostná fráza", @@ -1507,8 +1424,6 @@ "%(deviceId)s from %(ip)s": "%(deviceId)s z %(ip)s", " invites you": " vás pozýva", "No results found": "Nenašli sa žiadne výsledky", - "Mark as suggested": "Označiť ako odporúčanú", - "This room is suggested as a good one to join": "Táto miestnosť sa odporúča ako vhodná na pripojenie", "%(count)s rooms": { "one": "%(count)s miestnosť", "other": "%(count)s miestností" @@ -1641,7 +1556,6 @@ "This client does not support end-to-end encryption.": "Tento klient nepodporuje end-to-end šifrovanie.", "Failed to deactivate user": "Nepodarilo sa deaktivovať používateľa", "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Chýbajúci verejný kľúč captcha v konfigurácii domovského servera. Nahláste to, prosím, správcovi domovského servera.", - "To continue you need to accept the terms of this service.": "Ak chcete pokračovať, musíte prijať podmienky tejto služby.", "For a large amount of messages, this might take some time. Please don't refresh your client in the meantime.": "Pri veľkom množstve správ to môže trvať určitý čas. Medzitým prosím neobnovujte svojho klienta.", "No recent messages by %(user)s found": "Nenašli sa žiadne nedávne správy od používateľa %(user)s", "This invite to %(roomName)s was sent to %(email)s": "Táto pozvánka do %(roomName)s bola odoslaná na %(email)s", @@ -1682,12 +1596,10 @@ "Group all your favourite rooms and people in one place.": "Zoskupte všetky vaše obľúbené miestnosti a ľudí na jednom mieste.", "Group all your people in one place.": "Zoskupte všetkých ľudí na jednom mieste.", "Group all your rooms that aren't part of a space in one place.": "Zoskupte všetky miestnosti, ktoré nie sú súčasťou priestoru, na jednom mieste.", - "Unable to check if username has been taken. Try again later.": "Nie je možné skontrolovať, či je používateľské meno obsadené. Skúste to neskôr.", "The beginning of the room": "Začiatok miestnosti", "Jump to date": "Prejsť na dátum", "Pick a date to jump to": "Vyberte dátum, na ktorý chcete prejsť", "Message pending moderation: %(reason)s": "Správa čaká na moderáciu: %(reason)s", - "Space home": "Domov priestoru", "Missing session data": "Chýbajú údaje relácie", "Only people invited will be able to find and join this space.": "Tento priestor budú môcť nájsť a pripojiť sa k nemu len pozvaní ľudia.", "Want to add an existing space instead?": "Chcete radšej pridať už existujúci priestor?", @@ -1703,10 +1615,6 @@ "There was a problem communicating with the homeserver, please try again later.": "Nastal problém pri komunikácii s domovským serverom. Skúste to prosím znova.", "Error downloading audio": "Chyba pri sťahovaní zvuku", "Unnamed audio": "Nepomenovaný zvukový záznam", - "Use email to optionally be discoverable by existing contacts.": "Použite e-mail, aby ste boli voliteľne vyhľadateľní existujúcimi kontaktmi.", - "Use email or phone to optionally be discoverable by existing contacts.": "Použite e-mail alebo telefón, aby ste boli voliteľne vyhľadateľní existujúcimi kontaktmi.", - "Add an email to be able to reset your password.": "Pridajte e-mail, aby ste mohli obnoviť svoje heslo.", - "Someone already has that username. Try another or if it is you, sign in below.": "Toto používateľské meno už niekto má. Skúste iné, alebo ak ste to vy, prihláste sa nižšie.", "That phone number doesn't look quite right, please check and try again": "Toto telefónne číslo nevyzerá úplne správne, skontrolujte ho a skúste to znova", "Something went wrong in confirming your identity. Cancel and try again.": "Pri potvrdzovaní vašej totožnosti sa niečo pokazilo. Zrušte to a skúste to znova.", "Hold": "Podržať", @@ -1740,23 +1648,14 @@ "Share this email in Settings to receive invites directly in %(brand)s.": "Ak chcete dostávať pozvánky priamo v %(brand)s, zdieľajte tento e-mail v Nastaveniach.", "Use an identity server in Settings to receive invites directly in %(brand)s.": "Použite server totožností v Nastaveniach na prijímanie pozvánok priamo v %(brand)s.", "Message didn't send. Click for info.": "Správa sa neodoslala. Kliknite pre informácie.", - "%(displayName)s created this room.": "%(displayName)s vytvoril túto miestnosť.", "Insert link": "Vložiť odkaz", "You do not have permission to start polls in this room.": "Nemáte povolenie spúšťať ankety v tejto miestnosti.", - "People with supported clients will be able to join the room without having a registered account.": "Ľudia s podporovanými klientmi sa budú môcť pripojiť do miestnosti bez toho, aby mali zaregistrovaný účet.", - "To avoid these issues, create a new public room for the conversation you plan to have.": "Ak sa chcete vyhnúť týmto problémom, vytvorte novú verejnú miestnosť pre konverzáciu, ktorú plánujete viesť.", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "Ak sa chcete vyhnúť týmto problémom, vytvorte novú šifrovanú miestnosť pre konverzáciu, ktorú plánujete viesť.", - "Select the roles required to change various parts of the space": "Vyberte role potrebné na zmenu rôznych častí tohto priestoru", "There was an error loading your notification settings.": "Pri načítaní nastavení oznámení došlo k chybe.", "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Táto miestnosť sa nachádza v niektorých priestoroch, ktorých nie ste správcom. V týchto priestoroch bude stará miestnosť stále zobrazená, ale ľudia budú vyzvaní, aby sa pripojili k novej miestnosti.", "Currently, %(count)s spaces have access": { "one": "V súčasnosti má priestor prístup", "other": "V súčasnosti má prístup %(count)s priestorov" }, - "Click the button below to confirm signing out these devices.": { - "one": "Kliknutím na tlačidlo nižšie potvrdíte odhlásenie tohto zariadenia.", - "other": "Kliknutím na tlačidlo nižšie potvrdíte odhlásenie týchto zariadení." - }, "not found in storage": "sa nenašiel v úložisku", "Failed to update the visibility of this space": "Nepodarilo sa aktualizovať viditeľnosť tohto priestoru", "Guests can join a space without having an account.": "Hostia sa môžu pripojiť k priestoru bez toho, aby mali konto.", @@ -1802,11 +1701,8 @@ "Error - Mixed content": "Chyba - Zmiešaný obsah", "Failed to get autodiscovery configuration from server": "Nepodarilo sa získať nastavenie automatického zisťovania zo servera", "Sections to show": "Sekcie na zobrazenie", - "Failed to load list of rooms.": "Nepodarilo sa načítať zoznam miestností.", "This address does not point at this room": "Táto adresa nesmeruje do tejto miestnosti", "Wait!": "Počkajte!", - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Ak vám niekto povedal, aby ste sem niečo skopírovali/vložili, je veľká pravdepodobnosť, že vás niekto snaží podviesť!", - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Ak viete, čo robíte, Element je open-source, určite si pozrite náš GitHub (https://github.com/vector-im/element-web/) a zapojte sa!", "Hide stickers": "Skryť nálepky", "Voice Message": "Hlasová správa", "Poll": "Anketa", @@ -1832,9 +1728,6 @@ "A browser extension is preventing the request.": "Požiadavke bráni rozšírenie prehliadača.", "The server (%(serverName)s) took too long to respond.": "Serveru (%(serverName)s) trvalo príliš dlho, kým odpovedal.", "Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "Váš server neodpovedá na niektoré vaše požiadavky. Nižšie sú uvedené niektoré z najpravdepodobnejších dôvodov.", - "Your server does not support showing space hierarchies.": "Váš server nepodporuje zobrazovanie hierarchií priestoru.", - "Failed to remove some rooms. Try again later": "Nepodarilo sa odstrániť niektoré miestnosti. Skúste to neskôr", - "Mark as not suggested": "Označiť ako neodporúčaný", "The poll has ended. Top answer: %(topAnswer)s": "Anketa sa skončila. Najčastejšia odpoveď: %(topAnswer)s", "Failed to end poll": "Nepodarilo sa ukončiť anketu", "Sorry, the poll did not end. Please try again.": "Ospravedlňujeme sa, ale anketa sa neskončila. Skúste to prosím znova.", @@ -1852,7 +1745,6 @@ "Move left": "Presun doľava", "Unban from %(roomName)s": "Zrušiť zákaz vstup do %(roomName)s", "Ban from %(roomName)s": "Zakázať vstup do %(roomName)s", - "Select a room below first": "Najskôr vyberte miestnosť nižšie", "Proceed with reset": "Pokračovať v obnovení", "Joining": "Pripájanie sa", "Sign in with SSO": "Prihlásiť sa pomocou jednotného prihlásenia SSO", @@ -1883,10 +1775,6 @@ "Pinned": "Pripnuté", "Open thread": "Otvoriť vlákno", "Failed to update the join rules": "Nepodarilo sa aktualizovať pravidlá pripojenia", - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "other": "Potvrďte odhlásenie týchto zariadení pomocou jednotného prihlásenia (SSO) na preukázanie svojej totožnosti.", - "one": "Potvrďte odhlásenie tohto zariadenia pomocou jednotného prihlásenia (SSO) na preukázanie svojej totožnosti." - }, "Command Help": "Pomocník príkazov", "My live location": "Moja poloha v reálnom čase", "My current location": "Moja aktuálna poloha", @@ -1969,10 +1857,6 @@ "New video room": "Nová video miestnosť", "New room": "Nová miestnosť", "%(featureName)s Beta feedback": "%(featureName)s Beta spätná väzba", - "Confirm signing out these devices": { - "one": "Potvrďte odhlásenie z tohto zariadenia", - "other": "Potvrdiť odhlásenie týchto zariadení" - }, "Live location ended": "Ukončenie polohy v reálnom čase", "View live location": "Zobraziť polohu v reálnom čase", "Live until %(expiryTime)s": "Poloha v reálnom čase do %(expiryTime)s", @@ -2045,7 +1929,6 @@ "Deactivating your account is a permanent action — be careful!": "Deaktivácia účtu je trvalý úkon — buďte opatrní!", "Un-maximise": "Zrušiť maximalizáciu", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Po odhlásení sa tieto kľúče z tohto zariadenia vymažú, čo znamená, že nebudete môcť čítať zašifrované správy, pokiaľ k nim nemáte kľúče v iných zariadeniach alebo ich nemáte zálohované na serveri.", - "Video rooms are a beta feature": "Video miestnosti sú beta funkciou", "%(count)s Members": { "other": "%(count)s členov", "one": "%(count)s člen" @@ -2084,42 +1967,14 @@ "You need to have the right permissions in order to share locations in this room.": "Na zdieľanie polôh v tejto miestnosti musíte mať príslušné oprávnenia.", "You don't have permission to share locations": "Nemáte oprávnenie na zdieľanie polôh", "Messages in this chat will be end-to-end encrypted.": "Správy v tejto konverzácii sú šifrované od vás až k príjemcovi.", - "Send your first message to invite to chat": "Odošlite svoju prvú správu a pozvite do konverzácie", "Saved Items": "Uložené položky", "Choose a locale": "Vyberte si jazyk", "Spell check": "Kontrola pravopisu", "We're creating a room with %(names)s": "Vytvárame miestnosť s %(names)s", - "Last activity": "Posledná aktivita", "Sessions": "Relácie", - "Current session": "Aktuálna relácia", - "Session details": "Podrobnosti o relácii", - "IP address": "IP adresa", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "V záujme čo najlepšieho zabezpečenia, overte svoje relácie a odhláste sa z každej relácie, ktorú už nepoznáte alebo nepoužívate.", - "Other sessions": "Iné relácie", - "Verify or sign out from this session for best security and reliability.": "V záujme čo najvyššej bezpečnosti a spoľahlivosti túto reláciu overte alebo sa z nej odhláste.", - "Unverified session": "Neoverená relácia", - "This session is ready for secure messaging.": "Táto relácia je pripravená na bezpečné zasielanie správ.", - "Verified session": "Overená relácia", - "Inactive for %(inactiveAgeDays)s+ days": "Neaktívny počas %(inactiveAgeDays)s+ dní", - "Inactive sessions": "Neaktívne relácie", - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Overte si relácie pre vylepšené bezpečné zasielanie správ alebo sa odhláste z tých, ktoré už nepoznáte alebo nepoužívate.", - "Unverified sessions": "Neoverené relácie", - "Security recommendations": "Bezpečnostné odporúčania", "Interactively verify by emoji": "Interaktívne overte pomocou emotikonov", "Manually verify by text": "Manuálne overte pomocou textu", - "Filter devices": "Filtrovať zariadenia", - "Inactive for %(inactiveAgeDays)s days or longer": "Neaktívny %(inactiveAgeDays)s dní alebo dlhšie", - "Inactive": "Neaktívne", - "Not ready for secure messaging": "Nie je pripravené na bezpečné zasielanie správ", - "Ready for secure messaging": "Pripravené na bezpečné zasielanie správ", - "All": "Všetky", - "No sessions found.": "Nenašli sa žiadne relácie.", - "No inactive sessions found.": "Nenašli sa žiadne neaktívne relácie.", - "No unverified sessions found.": "Nenašli sa žiadne neoverené relácie.", - "No verified sessions found.": "Nenašli sa žiadne overené relácie.", - "For best security, sign out from any session that you don't recognize or use anymore.": "V záujme čo najlepšieho zabezpečenia sa odhláste z každej relácie, ktorú už nepoznáte alebo nepoužívate.", - "Verified sessions": "Overené relácie", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "Neodporúča sa pridávať šifrovanie do verejných miestností. Verejné miestnosti môže nájsť a pripojiť sa k nim ktokoľvek, takže si v nich môže ktokoľvek prečítať správy. Nebudete mať žiadne výhody šifrovania a neskôr ho nebudete môcť vypnúť. Šifrovanie správ vo verejnej miestnosti spomalí prijímanie a odosielanie správ.", "Empty room (was %(oldName)s)": "Prázdna miestnosť (bola %(oldName)s)", "Inviting %(user)s and %(count)s others": { "one": "Pozývanie %(user)s a 1 ďalšieho", @@ -2133,16 +1988,7 @@ "%(user1)s and %(user2)s": "%(user1)s a %(user2)s", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s alebo %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s alebo %(recoveryFile)s", - "Proxy URL": "URL adresa proxy servera", - "Proxy URL (optional)": "URL adresa proxy servera (voliteľná)", - "To disable you will need to log out and back in, use with caution!": "Pre vypnutie sa musíte odhlásiť a znova prihlásiť, používajte opatrne!", - "Sliding Sync configuration": "Konfigurácia kĺzavej synchronizácie", - "Your server lacks native support, you must specify a proxy": "Váš server nemá natívnu podporu, musíte zadať proxy server", - "Your server lacks native support": "Váš server nemá natívnu podporu", - "Your server has native support": "Váš server má natívnu podporu", "You need to be able to kick users to do that.": "Musíte mať oprávnenie vyhodiť používateľov, aby ste to mohli urobiť.", - "Sign out of this session": "Odhlásiť sa z tejto relácie", - "Rename session": "Premenovať reláciu", "Voice broadcast": "Hlasové vysielanie", "You do not have permission to start voice calls": "Nemáte povolenie na spustenie hlasových hovorov", "There's no one here to call": "Nie je tu nikto, komu by ste mohli zavolať", @@ -2151,16 +1997,8 @@ "Video call (Jitsi)": "Videohovor (Jitsi)", "Live": "Naživo", "Failed to set pusher state": "Nepodarilo sa nastaviť stav push oznámení", - "Receive push notifications on this session.": "Prijímať push oznámenia v tejto relácii.", - "Push notifications": "Push oznámenia", - "Toggle push notifications on this session.": "Prepnúť push oznámenia v tejto relácii.", "Video call ended": "Videohovor ukončený", "%(name)s started a video call": "%(name)s začal/a videohovor", - "URL": "URL", - "Unknown session type": "Neznámy typ relácie", - "Web session": "Webová relácia", - "Mobile session": "Relácia na mobile", - "Desktop session": "Relácia stolného počítača", "Unknown room": "Neznáma miestnosť", "Close call": "Zavrieť hovor", "Room info": "Informácie o miestnosti", @@ -2168,7 +2006,6 @@ "Spotlight": "Stredobod", "Freedom": "Sloboda", "Video call (%(brand)s)": "Videohovor (%(brand)s)", - "Operating system": "Operačný systém", "Call type": "Typ hovoru", "You do not have sufficient permissions to change this.": "Nemáte dostatočné oprávnenia na to, aby ste toto mohli zmeniť.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s je end-to-end šifrovaný, ale v súčasnosti je obmedzený pre menší počet používateľov.", @@ -2192,24 +2029,11 @@ "The scanned code is invalid.": "Naskenovaný kód je neplatný.", "The linking wasn't completed in the required time.": "Prepojenie nebolo dokončené v požadovanom čase.", "Sign in new device": "Prihlásiť nové zariadenie", - "Show QR code": "Zobraziť QR kód", - "You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.": "Toto zariadenie môžete použiť na prihlásenie nového zariadenia pomocou QR kódu. QR kód zobrazený na tomto zariadení musíte naskenovať pomocou zariadenia, ktoré je odhlásené.", - "Sign in with QR code": "Prihlásiť sa pomocou QR kódu", - "Browser": "Prehliadač", "Are you sure you want to sign out of %(count)s sessions?": { "one": "Ste si istí, že sa chcete odhlásiť z %(count)s relácie?", "other": "Ste si istí, že sa chcete odhlásiť z %(count)s relácií?" }, "Show formatting": "Zobraziť formátovanie", - "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Zvážte odhlásenie zo starých relácií (%(inactiveAgeDays)s dní alebo starších), ktoré už nepoužívate.", - "Removing inactive sessions improves security and performance, and makes it easier for you to identify if a new session is suspicious.": "Odstránenie neaktívnych relácií zvyšuje bezpečnosť a výkon a uľahčuje identifikáciu podozrivých nových relácií.", - "Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.": "Neaktívne relácie sú relácie, ktoré ste určitý čas nepoužívali, ale naďalej dostávajú šifrovacie kľúče.", - "You should make especially certain that you recognise these sessions as they could represent an unauthorised use of your account.": "Mali by ste si byť obzvlášť istí, že tieto relácie rozpoznávate, pretože by mohli predstavovať neoprávnené používanie vášho účtu.", - "Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.": "Neoverené relácie sú relácie, ktoré sa prihlásili pomocou vašich poverení, ale neboli krížovo overené.", - "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "To im poskytuje istotu, že skutočne komunikujú s vami, ale zároveň to znamená, že vidia názov relácie, ktorý tu zadáte.", - "Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "Ostatní používatelia v priamych správach a miestnostiach, ku ktorým sa pripojíte, môžu vidieť úplný zoznam vašich relácií.", - "Renaming sessions": "Premenovanie relácií", - "Please be aware that session names are also visible to people you communicate with.": "Uvedomte si, že názvy relácií sú viditeľné aj pre ľudí, s ktorými komunikujete.", "Hide formatting": "Skryť formátovanie", "Error downloading image": "Chyba pri sťahovaní obrázku", "Unable to show image due to error": "Nie je možné zobraziť obrázok kvôli chybe", @@ -2218,10 +2042,6 @@ "Video settings": "Nastavenia videa", "Automatically adjust the microphone volume": "Automaticky upraviť hlasitosť mikrofónu", "Voice settings": "Nastavenia hlasu", - "This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Toto znamená, že máte všetky kľúče potrebné na odomknutie zašifrovaných správ a potvrdzujete ostatným používateľom, že tejto relácii dôverujete.", - "Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Overené relácie sú všade tam, kde používate toto konto po zadaní svojho prístupového hesla alebo po potvrdení vašej totožnosti inou overenou reláciou.", - "Show details": "Zobraziť podrobnosti", - "Hide details": "Skryť podrobnosti", "Send email": "Poslať e-mail", "Sign out of all devices": "Odhlásiť sa zo všetkých zariadení", "Confirm new password": "Potvrdiť nové heslo", @@ -2240,35 +2060,19 @@ "Search users in this room…": "Vyhľadať používateľov v tejto miestnosti…", "Give one or multiple users in this room more privileges": "Prideliť jednému alebo viacerým používateľom v tejto miestnosti viac oprávnení", "Add privileged users": "Pridať oprávnených používateľov", - "This session doesn't support encryption and thus can't be verified.": "Táto relácia nepodporuje šifrovanie, a preto ju nemožno overiť.", - "For best security and privacy, it is recommended to use Matrix clients that support encryption.": "Pre čo najlepšie zabezpečenie a ochranu súkromia sa odporúča používať klientov Matrix, ktorí podporujú šifrovanie.", - "You won't be able to participate in rooms where encryption is enabled when using this session.": "Pri používaní tejto relácie sa nebudete môcť zúčastňovať v miestnostiach, v ktorých je zapnuté šifrovanie.", "Unable to decrypt message": "Nie je možné dešifrovať správu", "This message could not be decrypted": "Túto správu sa nepodarilo dešifrovať", "You can’t start a call as you are currently recording a live broadcast. Please end your live broadcast in order to start a call.": "Nemôžete spustiť hovor, pretože práve nahrávate živé vysielanie. Ukončite živé vysielanie, aby ste mohli začať hovor.", "Can’t start a call": "Nie je možné začať hovor", - "Improve your account security by following these recommendations.": "Zlepšite zabezpečenie svojho účtu dodržiavaním týchto odporúčaní.", - "%(count)s sessions selected": { - "one": "%(count)s vybraná relácia", - "other": "%(count)s vybraných relácií" - }, "Failed to read events": "Nepodarilo sa prečítať udalosť", "Failed to send event": "Nepodarilo sa odoslať udalosť", " in %(room)s": " v %(room)s", "Mark as read": "Označiť ako prečítané", - "Verify your current session for enhanced secure messaging.": "Overte svoju aktuálnu reláciu pre vylepšené bezpečné zasielanie správ.", - "Your current session is ready for secure messaging.": "Vaša aktuálna relácia je pripravená na bezpečné zasielanie správ.", "Text": "Text", "Create a link": "Vytvoriť odkaz", - "Sign out of %(count)s sessions": { - "one": "Odhlásiť sa z %(count)s relácie", - "other": "Odhlásiť sa z %(count)s relácií" - }, - "Sign out of all other sessions (%(otherSessionsCount)s)": "Odhlásiť sa zo všetkých ostatných relácií (%(otherSessionsCount)s)", "You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Nemôžete spustiť hlasovú správu, pretože práve nahrávate živé vysielanie. Ukončite prosím živé vysielanie, aby ste mohli začať nahrávať hlasovú správu.", "Can't start voice message": "Nemožno spustiť hlasovú správu", "Edit link": "Upraviť odkaz", - "Decrypted source unavailable": "Dešifrovaný zdroj nie je dostupný", "%(senderName)s started a voice broadcast": "%(senderName)s začal/a hlasové vysielanie", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", "Registration token": "Registračný token", @@ -2345,7 +2149,6 @@ "Verify Session": "Overiť reláciu", "Ignore (%(counter)s)": "Ignorovať (%(counter)s)", "Invites by email can only be sent one at a time": "Pozvánky e-mailom sa môžu posielať len po jednej", - "Once everyone has joined, you’ll be able to chat": "Keď sa všetci pridajú, budete môcť konverzovať", "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Pri aktualizácii vašich predvolieb oznámení došlo k chybe. Skúste prosím prepnúť možnosť znova.", "Desktop app logo": "Logo aplikácie pre stolové počítače", "Requires your server to support the stable version of MSC3827": "Vyžaduje, aby váš server podporoval stabilnú verziu MSC3827", @@ -2390,7 +2193,6 @@ "Alternatively, you can try to use the public server at , but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "Prípadne môžete skúsiť použiť verejný server na adrese , ale nebude to tak spoľahlivé a vaša IP adresa bude zdieľaná s týmto serverom. Môžete to spravovať aj v nastaveniach.", "Try using %(server)s": "Skúste použiť %(server)s", "User is not logged in": "Používateľ nie je prihlásený", - "Your server requires encryption to be disabled.": "Váš server vyžaduje vypnuté šifrovanie.", "Are you sure you wish to remove (delete) this event?": "Ste si istí, že chcete túto udalosť odstrániť (vymazať)?", "Note that removing room changes like this could undo the change.": "Upozorňujeme, že odstránením takýchto zmien v miestnosti by sa zmena mohla zvrátiť.", "Email Notifications": "Emailové oznámenia", @@ -2540,7 +2342,9 @@ "orphan_rooms": "Ostatné miestnosti", "on": "Povolené", "off": "Zakázané", - "all_rooms": "Všetky miestnosti" + "all_rooms": "Všetky miestnosti", + "deselect_all": "Zrušiť výber všetkých", + "select_all": "Vybrať všetky" }, "action": { "continue": "Pokračovať", @@ -2723,7 +2527,15 @@ "rust_crypto_disabled_notice": "V súčasnosti sa dá povoliť len prostredníctvom súboru config.json", "automatic_debug_logs_key_backup": "Automaticky odosielať záznamy o ladení, ak zálohovanie kľúčov nefunguje", "automatic_debug_logs_decryption": "Automatické odosielanie záznamov ladenia pri chybe dešifrovania", - "automatic_debug_logs": "Automatické odosielanie záznamov ladenia pri akejkoľvek chybe" + "automatic_debug_logs": "Automatické odosielanie záznamov ladenia pri akejkoľvek chybe", + "sliding_sync_server_support": "Váš server má natívnu podporu", + "sliding_sync_server_no_support": "Váš server nemá natívnu podporu", + "sliding_sync_server_specify_proxy": "Váš server nemá natívnu podporu, musíte zadať proxy server", + "sliding_sync_configuration": "Konfigurácia kĺzavej synchronizácie", + "sliding_sync_disable_warning": "Pre vypnutie sa musíte odhlásiť a znova prihlásiť, používajte opatrne!", + "sliding_sync_proxy_url_optional_label": "URL adresa proxy servera (voliteľná)", + "sliding_sync_proxy_url_label": "URL adresa proxy servera", + "video_rooms_beta": "Video miestnosti sú beta funkciou" }, "keyboard": { "home": "Domov", @@ -2818,7 +2630,19 @@ "placeholder_reply_encrypted": "Odoslať šifrovanú odpoveď…", "placeholder_reply": "Odoslať odpoveď…", "placeholder_encrypted": "Odoslať šifrovanú správu…", - "placeholder": "Odoslať správu…" + "placeholder": "Odoslať správu…", + "autocomplete": { + "command_description": "Príkazy", + "command_a11y": "Automatické dopĺňanie príkazov", + "emoji_a11y": "Automatické dopĺňanie emotikonov", + "@room_description": "Oznamovať celú miestnosť", + "notification_description": "Oznámenie miestnosti", + "notification_a11y": "Automatické dopĺňanie oznámení", + "room_a11y": "Automatické dopĺňanie miestností", + "space_a11y": "Automatické dopĺňanie priestoru", + "user_description": "Používatelia", + "user_a11y": "Automatické dopĺňanie používateľov" + } }, "Bold": "Tučné", "Link": "Odkaz", @@ -3073,6 +2897,95 @@ }, "keyboard": { "title": "Klávesnica" + }, + "sessions": { + "rename_form_heading": "Premenovať reláciu", + "rename_form_caption": "Uvedomte si, že názvy relácií sú viditeľné aj pre ľudí, s ktorými komunikujete.", + "rename_form_learn_more": "Premenovanie relácií", + "rename_form_learn_more_description_1": "Ostatní používatelia v priamych správach a miestnostiach, ku ktorým sa pripojíte, môžu vidieť úplný zoznam vašich relácií.", + "rename_form_learn_more_description_2": "To im poskytuje istotu, že skutočne komunikujú s vami, ale zároveň to znamená, že vidia názov relácie, ktorý tu zadáte.", + "session_id": "ID relácie", + "last_activity": "Posledná aktivita", + "url": "URL", + "os": "Operačný systém", + "browser": "Prehliadač", + "ip": "IP adresa", + "details_heading": "Podrobnosti o relácii", + "push_toggle": "Prepnúť push oznámenia v tejto relácii.", + "push_heading": "Push oznámenia", + "push_subheading": "Prijímať push oznámenia v tejto relácii.", + "sign_out": "Odhlásiť sa z tejto relácie", + "hide_details": "Skryť podrobnosti", + "show_details": "Zobraziť podrobnosti", + "inactive_days": "Neaktívny počas %(inactiveAgeDays)s+ dní", + "verified_sessions": "Overené relácie", + "verified_sessions_explainer_1": "Overené relácie sú všade tam, kde používate toto konto po zadaní svojho prístupového hesla alebo po potvrdení vašej totožnosti inou overenou reláciou.", + "verified_sessions_explainer_2": "Toto znamená, že máte všetky kľúče potrebné na odomknutie zašifrovaných správ a potvrdzujete ostatným používateľom, že tejto relácii dôverujete.", + "unverified_sessions": "Neoverené relácie", + "unverified_sessions_explainer_1": "Neoverené relácie sú relácie, ktoré sa prihlásili pomocou vašich poverení, ale neboli krížovo overené.", + "unverified_sessions_explainer_2": "Mali by ste si byť obzvlášť istí, že tieto relácie rozpoznávate, pretože by mohli predstavovať neoprávnené používanie vášho účtu.", + "unverified_session": "Neoverená relácia", + "unverified_session_explainer_1": "Táto relácia nepodporuje šifrovanie, a preto ju nemožno overiť.", + "unverified_session_explainer_2": "Pri používaní tejto relácie sa nebudete môcť zúčastňovať v miestnostiach, v ktorých je zapnuté šifrovanie.", + "unverified_session_explainer_3": "Pre čo najlepšie zabezpečenie a ochranu súkromia sa odporúča používať klientov Matrix, ktorí podporujú šifrovanie.", + "inactive_sessions": "Neaktívne relácie", + "inactive_sessions_explainer_1": "Neaktívne relácie sú relácie, ktoré ste určitý čas nepoužívali, ale naďalej dostávajú šifrovacie kľúče.", + "inactive_sessions_explainer_2": "Odstránenie neaktívnych relácií zvyšuje bezpečnosť a výkon a uľahčuje identifikáciu podozrivých nových relácií.", + "desktop_session": "Relácia stolného počítača", + "mobile_session": "Relácia na mobile", + "web_session": "Webová relácia", + "unknown_session": "Neznámy typ relácie", + "device_verified_description_current": "Vaša aktuálna relácia je pripravená na bezpečné zasielanie správ.", + "device_verified_description": "Táto relácia je pripravená na bezpečné zasielanie správ.", + "verified_session": "Overená relácia", + "device_unverified_description_current": "Overte svoju aktuálnu reláciu pre vylepšené bezpečné zasielanie správ.", + "device_unverified_description": "V záujme čo najvyššej bezpečnosti a spoľahlivosti túto reláciu overte alebo sa z nej odhláste.", + "verify_session": "Overiť reláciu", + "verified_sessions_list_description": "V záujme čo najlepšieho zabezpečenia sa odhláste z každej relácie, ktorú už nepoznáte alebo nepoužívate.", + "unverified_sessions_list_description": "Overte si relácie pre vylepšené bezpečné zasielanie správ alebo sa odhláste z tých, ktoré už nepoznáte alebo nepoužívate.", + "inactive_sessions_list_description": "Zvážte odhlásenie zo starých relácií (%(inactiveAgeDays)s dní alebo starších), ktoré už nepoužívate.", + "no_verified_sessions": "Nenašli sa žiadne overené relácie.", + "no_unverified_sessions": "Nenašli sa žiadne neoverené relácie.", + "no_inactive_sessions": "Nenašli sa žiadne neaktívne relácie.", + "no_sessions": "Nenašli sa žiadne relácie.", + "filter_all": "Všetky", + "filter_verified_description": "Pripravené na bezpečné zasielanie správ", + "filter_unverified_description": "Nie je pripravené na bezpečné zasielanie správ", + "filter_inactive": "Neaktívne", + "filter_inactive_description": "Neaktívny %(inactiveAgeDays)s dní alebo dlhšie", + "filter_label": "Filtrovať zariadenia", + "n_sessions_selected": { + "one": "%(count)s vybraná relácia", + "other": "%(count)s vybraných relácií" + }, + "sign_in_with_qr": "Prihlásiť sa pomocou QR kódu", + "sign_in_with_qr_description": "Toto zariadenie môžete použiť na prihlásenie nového zariadenia pomocou QR kódu. QR kód zobrazený na tomto zariadení musíte naskenovať pomocou zariadenia, ktoré je odhlásené.", + "sign_in_with_qr_button": "Zobraziť QR kód", + "sign_out_n_sessions": { + "one": "Odhlásiť sa z %(count)s relácie", + "other": "Odhlásiť sa z %(count)s relácií" + }, + "other_sessions_heading": "Iné relácie", + "sign_out_all_other_sessions": "Odhlásiť sa zo všetkých ostatných relácií (%(otherSessionsCount)s)", + "current_session": "Aktuálna relácia", + "confirm_sign_out_sso": { + "other": "Potvrďte odhlásenie týchto zariadení pomocou jednotného prihlásenia (SSO) na preukázanie svojej totožnosti.", + "one": "Potvrďte odhlásenie tohto zariadenia pomocou jednotného prihlásenia (SSO) na preukázanie svojej totožnosti." + }, + "confirm_sign_out": { + "one": "Potvrďte odhlásenie z tohto zariadenia", + "other": "Potvrdiť odhlásenie týchto zariadení" + }, + "confirm_sign_out_body": { + "one": "Kliknutím na tlačidlo nižšie potvrdíte odhlásenie tohto zariadenia.", + "other": "Kliknutím na tlačidlo nižšie potvrdíte odhlásenie týchto zariadení." + }, + "confirm_sign_out_continue": { + "one": "Odhlásiť zariadenie", + "other": "Odhlásené zariadenia" + }, + "security_recommendations": "Bezpečnostné odporúčania", + "security_recommendations_description": "Zlepšite zabezpečenie svojho účtu dodržiavaním týchto odporúčaní." } }, "devtools": { @@ -3172,7 +3085,9 @@ "show_hidden_events": "Zobrazovať skryté udalosti v histórii obsahu miestností", "low_bandwidth_mode_description": "Vyžaduje kompatibilný domovský server.", "low_bandwidth_mode": "Režim nízkej šírky pásma", - "developer_mode": "Režim pre vývojárov" + "developer_mode": "Režim pre vývojárov", + "view_source_decrypted_event_source": "Zdroj dešifrovanej udalosti", + "view_source_decrypted_event_source_unavailable": "Dešifrovaný zdroj nie je dostupný" }, "export_chat": { "html": "HTML", @@ -3568,7 +3483,9 @@ "io.element.voice_broadcast_info": { "you": "Ukončili ste hlasové vysielanie", "user": "%(senderName)s ukončil/a hlasové vysielanie" - } + }, + "creation_summary_dm": "%(creator)s vytvoril/a túto priamu správu.", + "creation_summary_room": "%(creator)s vytvoril a nastavil miestnosť." }, "slash_command": { "spoiler": "Odošle danú správu ako spojler", @@ -3763,13 +3680,53 @@ "kick": "Odstrániť používateľov", "ban": "Zakázať používateľov", "redact": "Odstrániť správy odoslané inými osobami", - "notifications.room": "Poslať oznámenie všetkým" + "notifications.room": "Poslať oznámenie všetkým", + "no_privileged_users": "Žiadny používatelia nemajú v tejto miestnosti pridelené konkrétne poverenia", + "privileged_users_section": "Oprávnení používatelia", + "muted_users_section": "Umlčaní používatelia", + "banned_users_section": "Používatelia, ktorým bol zakázaný vstup", + "send_event_type": "Poslať udalosti %(eventType)s", + "title": "Role a povolenia", + "permissions_section": "Povolenia", + "permissions_section_description_space": "Vyberte role potrebné na zmenu rôznych častí tohto priestoru", + "permissions_section_description_room": "Vyberte role potrebné na zmenu rôznych častí miestnosti" }, "security": { "strict_encryption": "Nikdy neposielať šifrované správy neovereným reláciám v tejto miestnosti z tejto relácie", "join_rule_invite": "Súkromné (len pre pozvaných)", "join_rule_invite_description": "Pripojiť sa môžu len pozvaní ľudia.", - "join_rule_public_description": "Ktokoľvek môže nájsť a pripojiť sa." + "join_rule_public_description": "Ktokoľvek môže nájsť a pripojiť sa.", + "enable_encryption_public_room_confirm_title": "Ste si istí, že chcete pridať šifrovanie do tejto verejnej miestnosti?", + "enable_encryption_public_room_confirm_description_1": "Neodporúča sa pridávať šifrovanie do verejných miestností. Verejné miestnosti môže nájsť a pripojiť sa k nim ktokoľvek, takže si v nich môže ktokoľvek prečítať správy. Nebudete mať žiadne výhody šifrovania a neskôr ho nebudete môcť vypnúť. Šifrovanie správ vo verejnej miestnosti spomalí prijímanie a odosielanie správ.", + "enable_encryption_public_room_confirm_description_2": "Ak sa chcete vyhnúť týmto problémom, vytvorte novú šifrovanú miestnosť pre konverzáciu, ktorú plánujete viesť.", + "enable_encryption_confirm_title": "Povoliť šifrovanie?", + "enable_encryption_confirm_description": "Po povolení šifrovania miestnosti nie je možné šifrovanie zakázať. Správy poslané v šifrovanej miestnosti nie sú viditeľné na serveri, prečítať ich môžu len členovia miestnosti. Mnohí Boti, premostenia do iných sietí a integrácie nemusia po zapnutí šifrovania fungovať správne. Dozvedieť sa viac o šifrovaní.", + "public_without_alias_warning": "Ak chcete prepojiť túto miestnosť, pridajte prosím adresu.", + "join_rule_description": "Určite, kto sa môže pripojiť k %(roomName)s.", + "encrypted_room_public_confirm_title": "Ste si istí, že chcete túto zašifrovanú miestnosť zverejniť?", + "encrypted_room_public_confirm_description_1": "Neodporúča sa zverejňovať zašifrované miestnosti. Znamená to, že ktokoľvek môže nájsť miestnosť a pripojiť sa k nej, takže ktokoľvek môže čítať správy. Nezískate tak žiadne výhody šifrovania. Šifrovanie správ vo verejnej miestnosti spôsobí, že prijímanie a odosielanie správ bude pomalšie.", + "encrypted_room_public_confirm_description_2": "Ak sa chcete vyhnúť týmto problémom, vytvorte novú verejnú miestnosť pre konverzáciu, ktorú plánujete viesť.", + "history_visibility": {}, + "history_visibility_warning": "Zmena viditeľnosti histórie sa prejaví len na budúcich správach v tejto miestnosti. Viditeľnosť existujúcich správ ostane bez zmeny.", + "history_visibility_legend": "Kto môže čítať históriu?", + "guest_access_warning": "Ľudia s podporovanými klientmi sa budú môcť pripojiť do miestnosti bez toho, aby mali zaregistrovaný účet.", + "title": "Bezpečnosť a súkromie", + "encryption_permanent": "Po zapnutí šifrovania ho nie je možné vypnúť.", + "encryption_forced": "Váš server vyžaduje vypnuté šifrovanie.", + "history_visibility_shared": "Len členovia (odkedy je aktívna táto voľba)", + "history_visibility_invited": "Len členovia (odkedy boli pozvaní)", + "history_visibility_joined": "Len členovia (odkedy vstúpili)", + "history_visibility_world_readable": "Ktokoľvek" + }, + "general": { + "publish_toggle": "Uverejniť túto miestnosť v adresári miestností na serveri %(domain)s?", + "user_url_previews_default_on": "Predvolene máte povolené náhľady URL adries.", + "user_url_previews_default_off": "Predvolene máte zakázané náhľady URL adries.", + "default_url_previews_on": "Náhľady URL adries sú predvolene povolené pre členov tejto miestnosti.", + "default_url_previews_off": "Náhľady URL adries sú predvolene zakázané pre členov tejto miestnosti.", + "url_preview_encryption_warning": "Náhľady URL adries sú v šifrovaných miestnostiach ako je táto predvolene zakázané, aby ste si mohli byť istí, že obsah odkazov z vašej konverzácii nebude zaznamenaný na vašom domovskom serveri počas ich generovania.", + "url_preview_explainer": "Ak niekto vo svojej správe pošle URL adresu, môže byť zobrazený jej náhľad obsahujúci názov, popis a obrázok z cieľovej web stránky.", + "url_previews_section": "Náhľady URL adries" } }, "encryption": { @@ -3893,7 +3850,15 @@ "server_picker_explainer": "Použite preferovaný domovský server Matrixu, ak ho máte, alebo si vytvorte vlastný.", "server_picker_learn_more": "O domovských serveroch", "incorrect_credentials": "Nesprávne meno používateľa a / alebo heslo.", - "account_deactivated": "Tento účet bol deaktivovaný." + "account_deactivated": "Tento účet bol deaktivovaný.", + "registration_username_validation": "Použite len malé písmená, číslice, pomlčky a podčiarkovníky", + "registration_username_unable_check": "Nie je možné skontrolovať, či je používateľské meno obsadené. Skúste to neskôr.", + "registration_username_in_use": "Toto používateľské meno už niekto má. Skúste iné, alebo ak ste to vy, prihláste sa nižšie.", + "phone_label": "Telefón", + "phone_optional_label": "Telefón (nepovinné)", + "email_help_text": "Pridajte e-mail, aby ste mohli obnoviť svoje heslo.", + "email_phone_discovery_text": "Použite e-mail alebo telefón, aby ste boli voliteľne vyhľadateľní existujúcimi kontaktmi.", + "email_discovery_text": "Použite e-mail, aby ste boli voliteľne vyhľadateľní existujúcimi kontaktmi." }, "room_list": { "sort_unread_first": "Najprv ukázať miestnosti s neprečítanými správami", @@ -4105,7 +4070,21 @@ "light_high_contrast": "Ľahký vysoký kontrast" }, "space": { - "landing_welcome": "Vitajte v " + "landing_welcome": "Vitajte v ", + "suggested_tooltip": "Táto miestnosť sa odporúča ako vhodná na pripojenie", + "suggested": "Navrhované", + "select_room_below": "Najskôr vyberte miestnosť nižšie", + "unmark_suggested": "Označiť ako neodporúčaný", + "mark_suggested": "Označiť ako odporúčanú", + "failed_remove_rooms": "Nepodarilo sa odstrániť niektoré miestnosti. Skúste to neskôr", + "failed_load_rooms": "Nepodarilo sa načítať zoznam miestností.", + "incompatible_server_hierarchy": "Váš server nepodporuje zobrazovanie hierarchií priestoru.", + "context_menu": { + "devtools_open_timeline": "Pozrite si časovú os miestnosti (devtools)", + "home": "Domov priestoru", + "explore": "Preskúmať miestnosti", + "manage_and_explore": "Spravovať a preskúmať miestnosti" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "Tento domovský server nie je nastavený na zobrazovanie máp.", @@ -4162,5 +4141,52 @@ "setup_rooms_description": "Neskôr môžete pridať aj ďalšie, vrátane už existujúcich.", "setup_rooms_private_heading": "Na akých projektoch pracuje váš tím?", "setup_rooms_private_description": "Pre každú z nich vytvoríme miestnosti." + }, + "user_menu": { + "switch_theme_light": "Prepnúť na svetlý režim", + "switch_theme_dark": "Prepnúť na tmavý režim" + }, + "notif_panel": { + "empty_heading": "Všetko ste už stihli", + "empty_description": "Nemáte žiadne viditeľné oznámenia." + }, + "console_scam_warning": "Ak vám niekto povedal, aby ste sem niečo skopírovali/vložili, je veľká pravdepodobnosť, že vás niekto snaží podviesť!", + "console_dev_note": "Ak viete, čo robíte, Element je open-source, určite si pozrite náš GitHub (https://github.com/vector-im/element-web/) a zapojte sa!", + "room": { + "drop_file_prompt": "Pretiahnutím sem nahráte súbor", + "intro": { + "send_message_start_dm": "Odošlite svoju prvú správu a pozvite do konverzácie", + "encrypted_3pid_dm_pending_join": "Keď sa všetci pridajú, budete môcť konverzovať", + "start_of_dm_history": "Toto je začiatok histórie vašich priamych správ s používateľom .", + "dm_caption": "V tejto konverzácii ste len vy dvaja, pokiaľ niektorý z vás nepozve niekoho iného, aby sa pripojil.", + "topic_edit": "Téma: %(topic)s (upraviť)", + "topic": "Téma: %(topic)s ", + "no_topic": "Pridajte tému, aby ľudia vedeli, o čo ide.", + "you_created": "Túto miestnosť ste vytvorili vy.", + "user_created": "%(displayName)s vytvoril túto miestnosť.", + "room_invite": "Pozvať len do tejto miestnosti", + "no_avatar_label": "Pridajte fotografiu, aby si ľudia mohli ľahko všimnúť vašu miestnosť.", + "start_of_room": "Toto je začiatok miestnosti .", + "private_unencrypted_warning": "Vaše súkromné správy sú bežne šifrované, ale táto miestnosť nie je. Zvyčajne je to spôsobené nepodporovaným zariadením alebo použitou metódou, ako napríklad e-mailové pozvánky.", + "enable_encryption_prompt": "Zapnúť šifrovanie v nastaveniach.", + "unencrypted_warning": "End-to-end šifrovanie nie je zapnuté" + } + }, + "file_panel": { + "guest_note": "Aby ste mohli použiť túto vlastnosť, musíte byť zaregistrovaný", + "peek_note": "Aby ste si mohli zobraziť zoznam súborov, musíte vstúpiť do miestnosti", + "empty_heading": "V tejto miestnosti nie sú viditeľné žiadne súbory", + "empty_description": "Pripojte súbory z konverzácie alebo ich jednoducho pretiahnite kamkoľvek do miestnosti." + }, + "terms": { + "integration_manager": "Použiť boty, premostenia, widgety a balíčky s nálepkami", + "tos": "Podmienky poskytovania služby", + "intro": "Ak chcete pokračovať, musíte prijať podmienky tejto služby.", + "column_service": "Služba", + "column_summary": "Zhrnutie", + "column_document": "Dokument" + }, + "space_settings": { + "title": "Nastavenia - %(spaceName)s" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/sl.json b/src/i18n/strings/sl.json index b77037ef31..c8561bd2a9 100644 --- a/src/i18n/strings/sl.json +++ b/src/i18n/strings/sl.json @@ -77,5 +77,10 @@ "help_about": { "chat_bot": "Klepetajte z %(brand)s Botom" } + }, + "space": { + "context_menu": { + "explore": "Raziščite sobe" + } } } diff --git a/src/i18n/strings/sq.json b/src/i18n/strings/sq.json index e05e046b5a..bb91127ad8 100644 --- a/src/i18n/strings/sq.json +++ b/src/i18n/strings/sq.json @@ -104,8 +104,6 @@ "Authentication": "Mirëfilltësim", "not specified": "e papërcaktuar", "This room has no local addresses": "Kjo dhomë s’ka adresë vendore", - "URL Previews": "Paraparje URL-sh", - "Drop file here to upload": "Hidheni kartelën këtu që të ngarkohet", "Unban": "Hiqja dëbimin", "Are you sure?": "Jeni i sigurt?", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "S’do të jeni në gjendje ta zhbëni këtë ndryshim, ngaqë po e promovoni përdoruesin të ketë të njëjtën shkallë pushteti si ju vetë.", @@ -127,11 +125,6 @@ "Low priority": "Me përparësi të ulët", "%(roomName)s does not exist.": "%(roomName)s s’ekziston.", "Banned by %(displayName)s": "Dëbuar nga %(displayName)s", - "Privileged Users": "Përdorues të Privilegjuar", - "Banned users": "Përdorues të dëbuar", - "Who can read history?": "Kush mund të lexojë historikun?", - "Anyone": "Cilido", - "Permissions": "Leje", "Decrypt %(text)s": "Shfshehtëzoje %(text)s", "Copied!": "U kopjua!", "Add an Integration": "Shtoni një Integrim", @@ -158,7 +151,6 @@ "Invalid Email Address": "Adresë Email e Pavlefshme", "This doesn't appear to be a valid email address": "Kjo s’duket se është adresë email e vlefshme", "Verification Pending": "Verifikim Në Pritje të Miratimit", - "You must register to use this functionality": "Që të përdorni këtë funksion, duhet të regjistroheni", "Reject invitation": "Hidheni tej ftesën", "Are you sure you want to reject the invitation?": "Jeni i sigurt se doni të hidhet tej kjo ftesë?", "Are you sure you want to leave the room '%(roomName)s'?": "Jeni i sigurt se doni të dilni nga dhoma '%(roomName)s'?", @@ -182,10 +174,6 @@ "Profile": "Profil", "Account": "Llogari", "Return to login screen": "Kthehuni te skena e hyrjeve", - "Commands": "Urdhra", - "Notify the whole room": "Njofto krejt dhomën", - "Room Notification": "Njoftim Dhome", - "Users": "Përdorues", "Session ID": "ID sesioni", "Passphrases must match": "Frazëkalimet duhet të përputhen", "Passphrase must not be empty": "Frazëkalimi s’mund të jetë i zbrazët", @@ -204,9 +192,6 @@ "Invited": "I ftuar", "Replying": "Po përgjigjet", "Failed to unban": "S’u arrit t’i hiqej dëbimi", - "Members only (since the point in time of selecting this option)": "Vetëm anëtarët (që nga çasti i përzgjedhjes së kësaj mundësie)", - "Members only (since they were invited)": "Vetëm anëtarë (që kur qenë ftuar)", - "Members only (since they joined)": "Vetëm anëtarë (që kur janë bërë pjesë)", "Jump to first unread message.": "Hidhu te mesazhi i parë i palexuar.", "Failed to copy": "S’u arrit të kopjohej", "Token incorrect": "Token i pasaktë", @@ -252,7 +237,6 @@ "Please contact your homeserver administrator.": "Ju lutemi, lidhuni me përgjegjësin e shërbyesit tuaj Home.", "This event could not be displayed": "Ky akt s’u shfaq dot", "The conversation continues here.": "Biseda vazhdon këtu.", - "Muted Users": "Përdorues të Heshtur", "Only room administrators will see this warning": "Këtë sinjalizim mund ta shohin vetëm përgjegjësit e dhomës", "Popout widget": "Widget flluskë", "Incompatible local cache": "Fshehtinë vendore e papërputhshme", @@ -288,9 +272,6 @@ "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "S’lidhet dot te shërbyes Home - ju lutemi, kontrolloni lidhjen tuaj, sigurohuni që dëshmia SSL e shërbyesit tuaj Home besohet, dhe që s’ka ndonjë zgjerim shfletuesi që po bllokon kërkesat tuaja.", "Demote yourself?": "Të zhgradohet vetvetja?", "Demote": "Zhgradoje", - "No users have specific privileges in this room": "S’ka përdorues me privilegje të caktuara në këtë dhomë", - "Publish this room to the public in %(domain)s's room directory?": "Të bëhet publike kjo dhomë te drejtoria e dhomave %(domain)s?", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Në dhoma të fshehtëzuara, si kjo, paraparja e URL-ve është e çaktivizuar, si parazgjedhje, për të garantuar që shërbyesi juaj home (ku edhe prodhohen paraparjet) të mos grumbullojë të dhëna rreth lidhjesh që shihni në këtë dhomë.", "Please review and accept the policies of this homeserver:": "Ju lutemi, shqyrtoni dhe pranoni rregullat e këtij shërbyesi home:", "If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Nëse versioni tjetër i %(brand)s-it është ende i hapur në një skedë tjetër, ju lutemi, mbylleni, ngaqë përdorimi njëkohësisht i %(brand)s-it në të njëjtën strehë, në njërën anë me lazy loading të aktivizuar dhe në anën tjetër të çaktivizuar do të shkaktojë probleme.", "%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s-i tani përdor 3 deri 5 herë më pak kujtesë, duke ngarkuar të dhëna mbi përdorues të tjerë vetëm kur duhen. Ju lutemi, prisni, teksa njëkohësojmë të dhënat me shërbyesin!", @@ -306,11 +287,6 @@ "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "S’do të jeni në gjendje ta zhbëni këtë, ngaqë po zhgradoni veten, nëse jeni përdoruesi i fundit i privilegjuar te dhoma do të jetë e pamundur të rifitoni privilegjet.", "Jump to read receipt": "Hidhuni te leximi i faturës", "This room is not accessible by remote Matrix servers": "Kjo dhomë nuk është e përdorshme nga shërbyes Matrix të largët", - "You have enabled URL previews by default.": "E keni aktivizuar, si parazgjedhje, paraparjen e URL-ve.", - "You have disabled URL previews by default.": "E keni çaktivizuar, si parazgjedhje, paraparjen e URL-ve.", - "URL previews are enabled by default for participants in this room.": "Për pjesëmarrësit në këtë dhomë paraparja e URL-ve është e aktivizuar, si parazgjedhje.", - "URL previews are disabled by default for participants in this room.": "Për pjesëmarrësit në këtë dhomë paraparja e URL-ve është e çaktivizuar, si parazgjedhje.", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Kur dikush vë një URL në mesazh, për të dhënë rreth lidhjes më tepër të dhëna, të tilla si titulli, përshkrimi dhe një figurë e sajtit, do të shfaqet një paraparje e URL-së.", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Ju ndan një hap nga shpënia te një sajt palë e tretë, që kështu të mund të mirëfilltësoni llogarinë tuaj me %(integrationsUrl)s. Doni të vazhdohet?", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "S’arrihet të ngarkohet akti të cilit iu përgjigj, ose nuk ekziston, ose s’keni leje ta shihni.", "You've previously used %(brand)s on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, %(brand)s needs to resync your account.": "Më parë përdornit %(brand)s në %(host)s me lazy loading anëtarësh të aktivizuar. Në këtë version lazy loading është çaktivizuar. Ngaqë fshehtina vendore s’është e përputhshme mes këtyre dy rregullimeve, %(brand)s-i lyp të rinjëkohësohet llogaria juaj.", @@ -318,7 +294,6 @@ "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "Ndalojuni përdoruesve të flasin në versionin e vjetër të dhomës, dhe postoni një mesazh që u këshillon atyre të hidhen te dhoma e re", "We encountered an error trying to restore your previous session.": "Hasëm një gabim teksa provohej të rikthehej sesioni juaj i dikurshëm.", "This will allow you to reset your password and receive notifications.": "Kjo do t’ju lejojë të ricaktoni fjalëkalimin tuaj dhe të merrni njoftime.", - "You must join the room to see its files": "Duhet të hyni në dhomë, pa të shihni kartelat e saj", "This room is not public. You will not be able to rejoin without an invite.": "Kjo dhomë s’është publike. S’do të jeni në gjendje të rihyni në të pa një ftesë.", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Kjo dhomë përdoret për mesazhe të rëndësishëm nga shërbyesi Home, ndaj s’mund ta braktisni.", "You can't send any messages until you review and agree to our terms and conditions.": "S’mund të dërgoni ndonjë mesazh, përpara se të shqyrtoni dhe pajtoheni me termat dhe kushtet tona.", @@ -379,11 +354,7 @@ "Phone numbers": "Numra telefonash", "Language and region": "Gjuhë dhe rajon", "Account management": "Administrim llogarish", - "Roles & Permissions": "Role & Leje", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Ndryshime se cilët mund të lexojnë historikun do të vlejnë vetëm për mesazhe të ardhshëm në këtë dhomë. Dukshmëria e historikut ekzistues nuk do të ndryshohet.", - "Security & Privacy": "Siguri & Privatësi", "Encryption": "Fshehtëzim", - "Once enabled, encryption cannot be disabled.": "Pasi të aktivizohet, fshehtëzimi s’mund të çaktivizohet më.", "Ignored users": "Përdorues të shpërfillur", "Bulk options": "Veprime masive", "Missing media permissions, click the button below to request.": "Mungojnë leje mediash, klikoni mbi butonin më poshtë që të kërkohen.", @@ -397,7 +368,6 @@ "Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Verifikojeni këtë përdorues që t’i vihet shenjë si i besuar. Përdoruesit e besuar ju më tepër siguri kur përdorni mesazhe të fshehtëzuar skaj-më-skaj.", "Incoming Verification Request": "Kërkesë Verifikimi e Ardhur", "Email (optional)": "Email (në daçi)", - "Phone (optional)": "Telefoni (në daçi)", "Join millions for free on the largest public server": "Bashkojuni milionave, falas, në shërbyesin më të madh publik", "General failure": "Dështim i përgjithshëm", "Create account": "Krijoni llogari", @@ -487,10 +457,6 @@ "Could not load user profile": "S’u ngarkua dot profili i përdoruesit", "The user must be unbanned before they can be invited.": "Para se të ftohen, përdoruesve u duhet hequr dëbimi.", "Accept all %(invitedRooms)s invites": "Prano krejt ftesat prej %(invitedRooms)s", - "Send %(eventType)s events": "Dërgo akte %(eventType)s", - "Select the roles required to change various parts of the room": "Përzgjidhni rolet e domosdoshme për të ndryshuar anë të ndryshme të dhomës", - "Enable encryption?": "Të aktivizohet fshehtëzim?", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Pasi të aktivizohet, fshehtëzimi për një dhomë nuk mund të çaktivizohet. Mesazhet e dërguar në një dhomë të fshehtëzuar s’mund të shihen nga shërbyesi, vetëm nga pjesëmarrësit në dhomë. Aktivizimi i fshehtëzimit mund të pengojë funksionimin si duhet të mjaft robotëve dhe urave. Mësoni më tepër rreth fshehtëzimit.", "Power level": "Shkallë pushteti", "The file '%(fileName)s' failed to upload.": "Dështoi ngarkimi i kartelës '%(fileName)s'.", "No homeserver URL provided": "S’u dha URL shërbyesi Home", @@ -574,7 +540,6 @@ "Your %(brand)s is misconfigured": "%(brand)s-i juaj është i keqformësuar", "Ask your %(brand)s admin to check your config for incorrect or duplicate entries.": "Kërkojini përgjegjësit të %(brand)s-it tuaj të kontrollojë formësimin tuaj për zëra të pasaktë ose të përsëdytur.", "Unexpected error resolving identity server configuration": "Gabim i papritur teksa ftillohej formësimi i shërbyesit të identiteteve", - "Use lowercase letters, numbers, dashes and underscores only": "Përdorni vetëm shkronja të vogla, numra, vija ndarëse dhe nënvija", "Cannot reach identity server": "S’kapet dot shërbyesi i identiteteve", "You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Mund të regjistroheni, por disa veçori do të jenë të papërdorshme, derisa shërbyesi i identiteteve të jetë sërish në linjë. Nëse vazhdoni ta shihni këtë sinjalizim, kontrolloni formësimin tuaj ose lidhuni me një përgjegjës të shërbyesit.", "You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Mund të ricaktoni fjalëkalimin, por disa veçori do të jenë të papërdorshme, derisa shërbyesi i identiteteve të jetë sërish në linjë. Nëse vazhdoni ta shihni këtë sinjalizim, kontrolloni formësimin tuaj ose lidhuni me një përgjegjës të shërbyesit.", @@ -599,10 +564,6 @@ "Command Help": "Ndihmë Urdhri", "Find others by phone or email": "Gjeni të tjerë përmes telefoni ose email-i", "Be found by phone or email": "Bëhuni i gjetshëm përmes telefoni ose email-i", - "Use bots, bridges, widgets and sticker packs": "Përdorni robotë, ura, widget-e dhe paketa ngjitësish", - "Terms of Service": "Kushte Shërbimi", - "Service": "Shërbim", - "Summary": "Përmbledhje", "Failed to re-authenticate due to a homeserver problem": "S’u arrit të ribëhej mirëfilltësimi, për shkak të një problemi me shërbyesin Home", "Clear personal data": "Spastro të dhëna personale", "Spanner": "Çelës", @@ -667,8 +628,6 @@ "Close dialog": "Mbylle dialogun", "Hide advanced": "Fshihi të mëtejshmet", "Show advanced": "Shfaqi të mëtejshmet", - "To continue you need to accept the terms of this service.": "Që të vazhdohet, lypset të pranoni kushtet e këtij shërbimi.", - "Document": "Dokument", "Add Email Address": "Shtoni Adresë Email", "Add Phone Number": "Shtoni Numër Telefoni", "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Përpara shkëputjes, duhet të hiqni të dhënat tuaja personale nga shërbyesi i identiteteve . Mjerisht, shërbyesi i identiteteve hëpërhë është jashtë funksionimi dhe s’mund të kapet.", @@ -680,12 +639,6 @@ "Click the link in the email you received to verify and then click continue again.": "Për verifkim, klikoni lidhjen te email që morët dhe mandej vazhdoni sërish.", "Show image": "Shfaq figurë", "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Mungon kyç publik captcha-je te formësimi i shërbyesit Home. Ju lutemi, njoftojani këtë përgjegjësit të shërbyesit tuaj Home.", - "%(creator)s created and configured the room.": "%(creator)s krijoi dhe formësoi dhomën.", - "Command Autocomplete": "Vetëplotësim Urdhrash", - "Emoji Autocomplete": "Vetëplotësim Emoji-sh", - "Notification Autocomplete": "Vetëplotësim NJoftimesh", - "Room Autocomplete": "Vetëplotësim Dhomash", - "User Autocomplete": "Vetëplotësim Përdoruesish", "This action requires accessing the default identity server to validate an email address or phone number, but the server does not have any terms of service.": "Ky veprim lyp hyrje te shërbyesi parazgjedhje i identiteteve për të vlerësuar një adresë email ose një numër telefoni, por shërbyesi nuk ka ndonjë kusht shërbimesh.", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)", "Room %(name)s": "Dhoma %(name)s", @@ -846,7 +799,6 @@ "The encryption used by this room isn't supported.": "Fshehtëzimi i përdorur nga kjo dhomë nuk mbulohet.", "Clear all data in this session?": "Të pastrohen krejt të dhënat në këtë sesion?", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Spastrimi i krejt të dhënave prej këtij sesioni është përfundimtar. Mesazhet e fshehtëzuar do të humbin, veç në qofshin kopjeruajtur kyçet e tyre.", - "Verify session": "Verifiko sesion", "Session name": "Emër sesioni", "Session key": "Kyç sesioni", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Verifikimi i këtij përdoruesi do t’i vërë shenjë sesionit të tij si të besuar dhe sesionit tuaj si të besuar për ta.", @@ -959,7 +911,6 @@ "Ok": "OK", "Please verify the room ID or address and try again.": "Ju lutemi, verifikoni ID-në ose adresën e dhomës dhe riprovoni.", "Room ID or address of ban list": "ID dhome ose adresë prej liste ndalimi", - "To link to this room, please add an address.": "Që të lidhni këtë dhomë, ju lutemi, jepni një adresë.", "Error creating address": "Gabim në krijim adrese", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Pati një gabim në krijimin e asaj adrese. Mund të mos lejohet nga shërbyesi, ose ndodhi një gabim i përkohshëm.", "You don't have permission to delete the address.": "S’keni leje të fshini adresën.", @@ -973,8 +924,6 @@ "New version available. Update now.": "Version i ri gati. Përditësojeni tani.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Përgjegjësi i shërbyesit tuaj ka çaktivizuar fshehtëzimin skaj-më-skaj, si parazgjedhje, në dhoma private & Mesazhe të Drejtpërdrejtë.", "Recently Direct Messaged": "Me Mesazhe të Drejtpërdrejtë Së Fundi", - "Switch to light mode": "Kalo nën mënyrën e çelët", - "Switch to dark mode": "Kalo nën mënyrën e errët", "Switch theme": "Ndërroni temën", "All settings": "Krejt rregullimet", "No recently visited rooms": "S’ka dhoma të vizituara së fundi", @@ -1014,8 +963,6 @@ "A connection error occurred while trying to contact the server.": "Ndodhi një gabim teksa provohej lidhja me shërbyesin.", "The server is not configured to indicate what the problem is (CORS).": "Shërbyesi s’është formësuar të tregojë se cili është problemi (CORS).", "Recent changes that have not yet been received": "Ndryshime tani së fundi që s’janë marrë ende", - "No files visible in this room": "S’ka kartela të dukshme në këtë dhomë", - "Attach files from chat or just drag and drop them anywhere in a room.": "Bashkëngjitni kartela prej fjalosjeje ose thjesht tërhiqini dhe lërini kudo qoftë brenda dhomës.", "Master private key:": "Kyç privat i përgjithshëm:", "Explore public rooms": "Eksploroni dhoma publike", "Preparing to download logs": "Po bëhet gati për shkarkim regjistrash", @@ -1098,7 +1045,6 @@ "Slovakia": "Sllovaki", "Equatorial Guinea": "Guinea Ekuatoriale", "Anguilla": "Anguila", - "%(creator)s created this DM.": "%(creator)s krijoi këtë DM.", "Peru": "Peru", "Seychelles": "Sejshelle", "St. Lucia": "Shën-Luçia", @@ -1123,7 +1069,6 @@ "Nicaragua": "Nikaragua", "Lebanon": "Liban", "Armenia": "Armeni", - "%(displayName)s created this room.": "%(displayName)s krijoi këtë dhomë.", "Romania": "Rumani", "Kazakhstan": "Kazakistan", "St. Barthélemy": "Shën Bartolome", @@ -1164,7 +1109,6 @@ "Norway": "Norvegji", "Netherlands": "Hollandë", "Russia": "Rusi", - "Topic: %(topic)s ": "Temë: %(topic)s ", "Vatican City": "Vatikan", "Caribbean Netherlands": "Karaibet Holandeze", "Tonga": "Tonga", @@ -1175,7 +1119,6 @@ "France": "Francë", "Niger": "Niger", "Sint Maarten": "Shën Martin", - "You created this room.": "Krijuat këtë dhomë.", "Iran": "Iran", "Burkina Faso": "Burkina Faso", "Palau": "Palau", @@ -1192,21 +1135,17 @@ "Brazil": "Brazil", "Qatar": "Katar", "Comoros": "Komore", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Në këtë bisedë jeni vetëm ju të dy, veç nëse cilido qoftë prej jush ftoi dikë tjetër të vijë.", "Guinea-Bissau": "Guinea-Bisau", "Dominican Republic": "Republika Dominikane", "Georgia": "Xhorxhia", "Faroe Islands": "Ishujt Faroe", "Guadeloupe": "Guadalupë", "Czech Republic": "Republika Çeke", - "Topic: %(topic)s (edit)": "Temë: %(topic)s (përpunojeni)", "Bulgaria": "Bullgari", - "Add a photo, so people can easily spot your room.": "Shtoni një foto, që njerëzit ta dallojnë kollaj dhomën tuaj.", "El Salvador": "Salvador", "Zambia": "Zambia", "Cayman Islands": "Ishujt Kajman", "Congo - Brazzaville": "Kongo-Brazavil", - "This is the beginning of your direct message history with .": "Ky është fillimi i historikut të mesazheve tuaja të drejtpërdrejta me .", "Singapore": "Singapor", "Costa Rica": "Kosta Rika", "Ghana": "Ganë", @@ -1235,10 +1174,8 @@ "Libya": "Libi", "Tanzania": "Tanzani", "Lithuania": "Lituani", - "This is the start of .": "Ky është fillimi i .", "Antarctica": "Antarktidë", "Germany": "Gjermani", - "Add a topic to help people know what it is about.": "Shtoni një temë, për t’i ndihmuar njerëzit se përse bëhet fjalë.", "Switzerland": "Zvicër", "Maldives": "Maldive", "Bhutan": "Butan", @@ -1343,9 +1280,6 @@ "This widget would like to:": "Ky widget do të donte të:", "Approve widget permissions": "Miratoni leje widget-i", "There was a problem communicating with the homeserver, please try again later.": "Pati një problem në komunikimin me shërbyesin Home, ju lutemi, riprovoni më vonë.", - "Use email to optionally be discoverable by existing contacts.": "Përdorni email që, nëse doni, të mund t’ju gjejnë kontaktet ekzistues.", - "Use email or phone to optionally be discoverable by existing contacts.": "Përdorni email ose telefon që, nëse doni, të mund t’ju gjejnë kontaktet ekzistues.", - "Add an email to be able to reset your password.": "Shtoni një email, që të jeni në gjendje të ricaktoni fjalëkalimin tuaj.", "That phone number doesn't look quite right, please check and try again": "Ai numër telefoni s’duket i saktë, ju lutemi, rikontrollojeni dhe riprovojeni", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Që mos thoni nuk e dinim, nëse s’shtoni një email dhe harroni fjalëkalimin tuaj, mund të humbi përgjithmonë hyrjen në llogarinë tuaj.", "Continuing without email": "Vazhdim pa email", @@ -1355,7 +1289,6 @@ "Reason (optional)": "Arsye (opsionale)", "You've reached the maximum number of simultaneous calls.": "Keni mbërritur në numrin maksimum të thirrjeve të njëkohshme.", "Too Many Calls": "Shumë Thirrje", - "You have no visible notifications.": "S’keni njoftime të dukshme.", "Transfer": "Shpërngule", "Failed to transfer call": "S’u arrit të shpërngulej thirrje", "A call can only be transferred to a single user.": "Një thirrje mund të shpërngulet vetëm te një përdorues.", @@ -1396,12 +1329,10 @@ "We couldn't log you in": "S’ju nxorëm dot nga llogaria juaj", "Recently visited rooms": "Dhoma të vizituara së fundi", "Original event source": "Burim i veprimtarisë origjinale", - "Decrypted event source": "U shfshehtëzua burim veprimtarie", "%(count)s members": { "one": "%(count)s anëtar", "other": "%(count)s anëtarë" }, - "Your server does not support showing space hierarchies.": "Shërbyesi juaj nuk mbulon shfaqje hierarkish hapësire.", "Are you sure you want to leave the space '%(spaceName)s'?": "Jeni i sigurt se doni të dilni nga hapësira '%(spaceName)s'?", "This space is not public. You will not be able to rejoin without an invite.": "Kjo hapësirë s’është publike. S’do të jeni në gjendje të rihyni në të pa një ftesë.", "Start audio stream": "Nisni transmetim audio", @@ -1435,11 +1366,6 @@ " invites you": " ju fton", "You may want to try a different search or check for typos.": "Mund të doni të provoni një tjetër kërkim ose të kontrolloni për gabime shkrimi.", "No results found": "S’u gjetën përfundime", - "Mark as suggested": "Vëri shenjë si e sugjeruar", - "Mark as not suggested": "Hiqi shenjë si e sugjeruar", - "Failed to remove some rooms. Try again later": "S’ua arrit të hiqen disa dhoma. Riprovoni më vonë", - "Suggested": "E sugjeruar", - "This room is suggested as a good one to join": "Kjo dhomë sugjerohet si një e mirë për të marrë pjesë", "%(count)s rooms": { "one": "%(count)s dhomë", "other": "%(count)s dhoma" @@ -1463,8 +1389,6 @@ "one": "%(count)s person që e njihni është bërë pjesë tashmë", "other": "%(count)s persona që i njihni janë bërë pjesë tashmë" }, - "Invite to just this room": "Ftoje thjesht te kjo dhomë", - "Manage & explore rooms": "Administroni & eksploroni dhoma", "unknown person": "person i panjohur", "%(deviceId)s from %(ip)s": "%(deviceId)s prej %(ip)s", "Review to ensure your account is safe": "Shqyrtojeni për t’u siguruar se llogaria është e parrezik", @@ -1489,7 +1413,6 @@ "Enter your Security Phrase a second time to confirm it.": "Jepni Frazën tuaj të Sigurisë edhe një herë, për ta ripohuar.", "You have no ignored users.": "S’keni përdorues të shpërfillur.", "Search names and descriptions": "Kërko te emra dhe përshkrime", - "Select a room below first": "Së pari, përzgjidhni më poshtë një dhomë", "You may contact me if you have any follow up questions": "Mund të lidheni me mua, nëse keni pyetje të mëtejshme", "To leave the beta, visit your settings.": "Që të braktisni beta-n, vizitoni rregullimet tuaja.", "Want to add a new room instead?": "Doni të shtohet një dhomë e re, në vend të kësaj?", @@ -1507,7 +1430,6 @@ "Unable to access your microphone": "S’arrihet të përdoret mikrofoni juaj", "Connecting": "Po lidhet", "Message search initialisation failed": "Dështoi gatitje kërkimi mesazhesh", - "Space Autocomplete": "Vetëplotësim Hapësire", "Currently joining %(count)s rooms": { "one": "Aktualisht duke hyrë në %(count)s dhomë", "other": "Aktualisht duke hyrë në %(count)s dhoma" @@ -1523,12 +1445,10 @@ "Pinned messages": "Mesazhe të fiksuar", "If you have permissions, open the menu on any message and select Pin to stick them here.": "Nëse keni leje, hapni menunë për çfarëdo mesazhi dhe përzgjidhni Fiksoje, për ta ngjitur këtu.", "Nothing pinned, yet": "Ende pa fiksuar gjë", - "End-to-end encryption isn't enabled": "Fshehtëzimi skaj-më-skaj s’është i aktivizuar", "Report": "Raportoje", "Collapse reply thread": "Tkurre rrjedhën e përgjigjeve", "Show preview": "Shfaq paraparje", "View source": "Shihni burimin", - "Settings - %(spaceName)s": "Rregullime - %(spaceName)s", "Please provide an address": "Ju lutemi, jepni një adresë", "Message search initialisation failed, check your settings for more information": "Dështoi gatitja e kërkimit në mesazhe, për më tepër hollësi, shihni rregullimet tuaja", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Caktoni adresa për këtë hapësirë, që kështu përdoruesit të gjejnë këtë dhomë përmes shërbyesit tuaj Home (%(localDomain)s)", @@ -1595,8 +1515,6 @@ "Select spaces": "Përzgjidhni hapësira", "Public room": "Dhomë publike", "Access": "Hyrje", - "People with supported clients will be able to join the room without having a registered account.": "Persona me klientë të mbuluar do të jenë në gjendje të hyjnë te dhoma pa pasur ndonjë llogari të regjistruar.", - "Decide who can join %(roomName)s.": "Vendosni se cilët mund të hyjnë te %(roomName)s.", "Space members": "Anëtarë hapësire", "Anyone in a space can find and join. You can select multiple spaces.": "Mund të përzgjidhni një hapësirë që mund të gjejë dhe hyjë. Mund të përzgjidhni disa hapësira.", "Spaces with access": "Hapësira me hyrje", @@ -1645,23 +1563,15 @@ "Hide sidebar": "Fshihe anështyllën", "Delete avatar": "Fshije avatarin", "Unknown failure: %(reason)s": "Dështim për arsye të panjohur: %(reason)s", - "Enable encryption in settings.": "Aktivizoni fshehtëzimin te rregullimet.", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Mesazhet tuaja private normalisht fshehtëzohen, por kjo dhomë s’fshehtëzohet. Zakonisht kjo vjen për shkak të përdorimit të një pajisjeje ose metode të pambuluar, bie fjala, ftesa me email.", "Cross-signing is ready but keys are not backed up.": "“Cross-signing” është gati, por kyçet s’janë koperuajtur.", "Rooms and spaces": "Dhoma dhe hapësira", "Results": "Përfundime", - "Are you sure you want to add encryption to this public room?": "A jeni i sigurt se doni të shtohet fshehtëzim në këtë dhomë publike?", "Thumbs up": "Thumbs up", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "Nuk rekomandohet të bëhen publike dhoma të fshehtëzuara. Kjo do të thoshte se cilido mund të gjejë dhe hyjë te dhoma, pra cilido mund të lexojë mesazhet. S’do të përfitoni asnjë nga të mirat e fshehtëzimit. Fshehtëzimi i mesazheve në një dhomë publike do ta ngadalësojë marrjen dhe dërgimin e tyre.", - "Are you sure you want to make this encrypted room public?": "Jeni i sigurt se doni ta bëni publike këtë dhomë të fshehtëzuar?", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "Për të shmangur këto probleme, krijoni një dhomë të re të fshehtëzuar për bisedën që keni në plan të bëni.", - "To avoid these issues, create a new public room for the conversation you plan to have.": "Për të shmangur këto probleme, krijoni për bisedën që keni në plan një dhomë të re publike.", "Some encryption parameters have been changed.": "Janë ndryshuar disa parametra fshehtëzimi.", "Role in ": "Rol në ", "Unknown failure": "Dështim i panjohur", "Failed to update the join rules": "S’u arrit të përditësohen rregulla hyrjeje", "Anyone in can find and join. You can select other spaces too.": "Cilido te mund ta gjejë dhe hyjë në të. Mund të përzgjidhni gjithashtu hapësira të tjera.", - "Select the roles required to change various parts of the space": "Përzgjidhni rolet e domosdoshëm për të ndryshuar pjesë të ndryshme të hapësirës", "Message didn't send. Click for info.": "Mesazhi s’u dërgua. Klikoni për hollësi.", "To join a space you'll need an invite.": "Që të hyni në një hapësirë, do t’ju duhet një ftesë.", "Would you like to leave the rooms in this space?": "Doni të braktisen dhomat në këtë hapësirë?", @@ -1707,7 +1617,6 @@ }, "View in room": "Shiheni në dhomë", "Enter your Security Phrase or to continue.": "Që të vazhdohet, jepni Frazën tuaj të Sigurisë, ose .", - "See room timeline (devtools)": "Shihni rrjedhë kohore të dhomës (mjete zhvilluesi)", "Joined": "Hyri", "Insert link": "Futni lidhje", "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Depozitojeni Kyçin tuaj të Sigurisë diku të parrezik, bie fjala në një përgjegjës fjalëkalimesh, ose në një kasafortë, ngaqë përdoret për të mbrojtur të dhënat tuaja të fshehtëzuara.", @@ -1715,7 +1624,6 @@ "Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "Rifitoni hyrjen te llogaria juaj dhe rimerrni kyçe fshehtëzimi të depozituar në këtë sesion. Pa ta, s’do të jeni në gjendje të lexoni krejt mesazhet tuaj të siguruar në çfarëdo sesion.", "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Pa e verifikuar, s’do të mund të hyni te krejt mesazhet tuaja dhe mund të dukeni jo i besueshëm për të tjerët.", "Joining": "Po hyhet", - "You're all caught up": "Po ecni mirë", "If you can't see who you're looking for, send them your invite link below.": "Nëse s’e shihni atë që po kërkoni, dërgojini nga më poshtë një lidhje ftese.", "In encrypted rooms, verify all users to ensure it's secure.": "Në dhoma të fshehtëzuara, verifikoni krejt përdoruesit për të garantuar se është e sigurt.", "Yours, or the other users' session": "Sesioni juaj, ose i përdoruesve të tjerë", @@ -1723,20 +1631,6 @@ "The homeserver the user you're verifying is connected to": "Shërbyesi Home te i cili është lidhur përdoruesi që po verifikoni", "This room isn't bridging messages to any platforms. Learn more.": "Kjo dhomë s’kalon mesazhe në ndonjë platformë. Mësoni më tepër.", "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Kjo dhomë gjendet në disa hapësira për të cilat nuk jeni një nga përgjegjësit. Në këto hapësira, dhoma e vjetër prapë do të shfaqet, por njerëzve do t’u kërkohet të marrin pjesë te e reja.", - "Select all": "Përzgjidhi krejt", - "Deselect all": "Shpërzgjidhi krejt", - "Sign out devices": { - "one": "Dil nga pajisje", - "other": "Dil nga pajisje" - }, - "Click the button below to confirm signing out these devices.": { - "one": "Që të ripohoni daljen nga kjo pajisje, klikoni butonin më poshtë.", - "other": "Që të ripohoni daljen nga këto pajisje, klikoni butonin më poshtë." - }, - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "Ripohoni daljen nga kjo pajisje duke përdorur Hyrje Njëshe për të dëshmuar identitetin tuaj.", - "other": "Ripohoni daljen nga këto pajisje duke përdorur Hyrje Njëshe për të dëshmuar identitetin tuaj." - }, "Add option": "Shtoni mundësi", "Write an option": "Shkruani një mundësi", "Option %(number)s": "Mundësia %(number)s", @@ -1747,7 +1641,6 @@ "You do not have permission to start polls in this room.": "S’keni leje të nisni anketime në këtë dhomë.", "Copy link to thread": "Kopjoje lidhjen te rrjedha", "Thread options": "Mundësi rrjedhe", - "Someone already has that username. Try another or if it is you, sign in below.": "Dikush e ka tashmë këtë emër përdoruesi. Provoni një tjetër, ose nëse jeni ju, bëni hyrjen më poshtë.", "Reply in thread": "Përgjigjuni te rrjedha", "Rooms outside of a space": "Dhoma jashtë një hapësire", "Show all your rooms in Home, even if they're in a space.": "Shfaqni krejt dhomat tuaja te Kreu, edhe nëse gjenden në një hapësirë.", @@ -1830,7 +1723,6 @@ "Link to room": "Lidhje për te dhoma", "Including you, %(commaSeparatedMembers)s": "Përfshi ju, %(commaSeparatedMembers)s", "Copy room link": "Kopjo lidhje dhome", - "Failed to load list of rooms.": "S’u arrit të ngarkohej listë dhomash.", "Open in OpenStreetMap": "Hape në OpenStreetMap", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Kjo grupon fjalosjet tuaja me anëtarë në këtë hapësirë. Çaktivizimi i kësaj do t’i fshehë këto fjalosje prej pamjes tuaj për %(spaceName)s.", "Sections to show": "Ndarje për t’u shfaqur", @@ -1866,19 +1758,15 @@ "You were removed from %(roomName)s by %(memberName)s": "U hoqët %(roomName)s nga %(memberName)s", "Message pending moderation": "Mesazh në pritje të moderimit", "Message pending moderation: %(reason)s": "Mesazh në pritje të moderimit: %(reason)s", - "Space home": "Shtëpia e hapësirës", "Internal room ID": "ID e brendshme dhome", "Group all your rooms that aren't part of a space in one place.": "Gruponi në një vend krejt dhomat tuaja që s’janë pjesë e një hapësire.", "Group all your people in one place.": "Gruponi krejt personat tuaj në një vend.", "Group all your favourite rooms and people in one place.": "Gruponi në një vend krejt dhomat tuaja të parapëlqyera dhe personat e parapëlqyer.", "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Hapësirat janë mënyra për të grupuar dhoma dhe njerëz. Tok me hapësirat ku gjendeni, mundeni të përdorni edhe disa të krijuara paraprakisht.", - "Unable to check if username has been taken. Try again later.": "S’arrihet të kontrollohet nëse emri i përdoruesit është zënë. Riprovoni më vonë.", "Pick a date to jump to": "Zgjidhni një datë ku të kalohet", "Jump to date": "Kalo te datë", "The beginning of the room": "Fillimi i dhomës", "This address does not point at this room": "Kjo adresë nuk shpie te kjo dhomë", - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Nëse e dini se ç’bëni, Element-i është me burim të hapët, mos harroni ta merrni që nga depoja jonë GitHub (https://github.com/vector-im/element-web/) dhe jepni ndihmesë!", - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Nëse dikush ju ka thënë të kopjoni/hidhni diçka këtu, ka gjasa se po ju mashtrojnë!", "Wait!": "Daleni!", "Location": "Vendndodhje", "Poll": "Pyetësor", @@ -2028,7 +1916,6 @@ "To view %(roomName)s, you need an invite": "Që të shihni %(roomName)s, ju duhet një ftesë", "Private room": "Dhomë private", "Video room": "Dhomë me video", - "Video rooms are a beta feature": "Dhomat me video janë një veçori në fazë beta", "Read receipts": "Dëftesa leximi", "Seen by %(count)s people": { "one": "Parë nga %(count)s person", @@ -2038,10 +1925,6 @@ "%(members)s and more": "%(members)s dhe më tepër", "Deactivating your account is a permanent action — be careful!": "Çaktivizimi i llogarisë tuaj është një veprim i pakthyeshëm - hapni sytë!", "Your password was successfully changed.": "Fjalëkalimi juaj u ndryshua me sukses.", - "Confirm signing out these devices": { - "one": "Ripohoni daljen nga kjo pajisje", - "other": "Ripohoni daljen nga këto pajisje" - }, "%(count)s people joined": { "one": "Hyri %(count)s person", "other": "Hynë %(count)s vetë" @@ -2073,7 +1956,6 @@ "To view, please enable video rooms in Labs first": "Për të parë, ju lutemi, së pari aktivizoni te Labs dhoma me video", "Join the room to participate": "Që të merrni pjesë, hyni në dhomë", "Saved Items": "Zëra të Ruajtur", - "Send your first message to invite to chat": "Dërgoni mesazhin tuaj të parë për të ftuar në fjalosje ", "Spell check": "Kontroll drejtshkrimi", "You were disconnected from the call. (Error: %(message)s)": "U shkëputët nga thirrja. (Gabim: %(message)s)", "In %(spaceName)s and %(count)s other spaces.": { @@ -2084,13 +1966,8 @@ "In spaces %(space1Name)s and %(space2Name)s.": "Në hapësirat %(space1Name)s dhe %(space2Name)s.", "Completing set up of your new device": "Po plotësohet ujdisja e pajisjes tuaj të re", "Devices connected": "Pajisje të lidhura", - "Your server lacks native support": "Shërbyesit tuaj i mungon mbulim i brendshëm për këtë", - "Your server has native support": "Shërbyesi juaj ka mbulim të brendshëm për këtë", "%(name)s started a video call": "%(name)s nisni një thirrje video", "Video call (%(brand)s)": "Thirrje video (%(brand)s)", - "Filter devices": "Filtroni pajisje", - "Toggle push notifications on this session.": "Aktivizo/çaktivizo njoftime push për këtë sesion.", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "Nuk rekomandohet të shtohet fshehtëzim në dhoma publike.Dhomat publike mund t’i gjejë dhe hyjë në to kushdo, pra cilido të mund të lexojë mesazhet në to. S’do të përfitoni asnjë nga të mirat e fshehtëzimit dhe s’do të jeni në gjendje ta çaktivizoni më vonë. Fshehtëzimi i mesazheve në një dhomë publike do të ngadalësojë marrjen dhe dërgimin e mesazheve.", "Empty room (was %(oldName)s)": "Dhomë e zbrazët (qe %(oldName)s)", "Inviting %(user)s and %(count)s others": { "one": "Po ftohet %(user)s dhe 1 tjetër", @@ -2116,8 +1993,6 @@ "The linking wasn't completed in the required time.": "Lidhja s’u plotësua brenda kohës së domosdoshme.", "Interactively verify by emoji": "Verifikojeni në mënyrë ndërvepruese përmes emoji-sh", "Manually verify by text": "Verifikojeni dorazi përmes teksti", - "Proxy URL": "URL Ndërmjetësi", - "Proxy URL (optional)": "URL ndërmjetësi (opsionale)", "Video call ended": "Thirrja video përfundoi", "Room info": "Hollësi dhome", "View chat timeline": "Shihni rrjedhë kohore fjalosjeje", @@ -2130,54 +2005,9 @@ "Ongoing call": "Thirrje në kryerje e sipër", "Video call (Jitsi)": "Thirrje me video (Jitsi)", "Show formatting": "Shfaq formatim", - "Security recommendations": "Rekomandime sigurie", - "Show QR code": "Shfaq kod QR", - "Sign in with QR code": "Hyni me kod QR", - "Inactive for %(inactiveAgeDays)s days or longer": "Joaktiv për for %(inactiveAgeDays)s ditë ose më gjatë", - "Inactive": "Joaktiv", - "Not ready for secure messaging": "Jo gati për shkëmbim të sigurt mesazhesh", - "Ready for secure messaging": "Gati për shkëmbim të sigurt mesazhesh", - "All": "Krejt", - "No sessions found.": "S’u gjetën sesione.", - "No inactive sessions found.": "S’u gjetën sesione joaktive.", - "No unverified sessions found.": "S’u gjetën sesione të paverifikuar.", - "No verified sessions found.": "S’u gjetën sesione të verifikuar.", - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Verifikoni sesionet tuaj, për shkëmbim më të sigurt mesazhesh, ose dilni prej atyre që s’i njihni, apo përdorni më.", - "For best security, sign out from any session that you don't recognize or use anymore.": "Për sigurinë më të mirë, dilni nga çfarëdo sesioni që nuk e njihni apo përdorni më.", - "Verify or sign out from this session for best security and reliability.": "Për sigurinë dhe besueshmërinë më të mirë, verifikojeni, ose dilni nga ky sesion.", - "Unverified session": "Sesion i paverifikuar", - "This session is ready for secure messaging.": "Ky sesion është gati për shkëmbim të sigurt mesazhesh.", - "Verified session": "Sesion i verifikuar", - "Unknown session type": "Lloj i panjohur sesionesh", - "Web session": "Sesion Web", - "Mobile session": "Sesion në celular", - "Desktop session": "Sesion desktop", - "Inactive for %(inactiveAgeDays)s+ days": "Joaktiv për %(inactiveAgeDays)s+ ditë", - "Removing inactive sessions improves security and performance, and makes it easier for you to identify if a new session is suspicious.": "Heqja e sesioneve joaktive përmirëson sigurinë dhe punimin dhe e bën më të lehtë për ju të pikasni nëse një sesion i ri është i dyshimtë.", - "Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.": "Sesioni joaktive janë sesione që keni ca kohë që s’i përdorni, por që vazhdojnë të marrin kyçe fshehtëzimi.", - "Inactive sessions": "Sesione joaktivë", - "You should make especially certain that you recognise these sessions as they could represent an unauthorised use of your account.": "Duhet të jeni posaçërisht të qartë se i njihni këto sesione, ngaqë mund të përbëjnë përdorim të paautorizuar të llogarisë tuaj.", - "Unverified sessions": "Sesione të paverifikuar", - "Verified sessions": "Sesione të verifikuar", - "Sign out of this session": "Dilni nga ky sesion", - "Receive push notifications on this session.": "Merrni njoftime push për këtë sesion.", - "Push notifications": "Njoftime Push", - "Session details": "Hollësi sesioni", - "IP address": "Adresë IP", - "Browser": "Shfletues", - "Operating system": "Sistem operativ", - "URL": "URL", - "Last activity": "Veprimtaria e fundit", - "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "Kjo u jep atyre besim se po flasin vërtet me ju, por do të thotë gjithashtu që mund shohin emrin e sesionit që jepni këtu.", - "Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "Përdorues të tjerë në mesazhe të drejtpërdrejtë dhe dhoma ku hyni janë në gjendje të shohin një listë të plotë të sesioneve tuaj.", - "Renaming sessions": "Riemërtim sesionesh", - "Please be aware that session names are also visible to people you communicate with.": "Ju lutemi, kini parasysh se emrat e sesioneve janë të dukshëm edhe për personat me të cilët komunikoni.", - "Rename session": "Riemërtoni sesionin", - "Current session": "Sesioni i tanishëm", "Call type": "Lloj thirrjeje", "You do not have sufficient permissions to change this.": "S’keni leje të mjaftueshme që të ndryshoni këtë.", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Për sigurinë më të mirë, verifikoni sesionet tuaja dhe dilni nga çfarëdo sesioni që s’e njihni, ose s’e përdorni më.", - "Other sessions": "Sesione të tjerë", "Sessions": "Sesione", "Sorry — this call is currently full": "Na ndjeni — aktualisht kjo thirrje është plot", "Unknown room": "Dhomë e panjohur", @@ -2188,18 +2018,13 @@ "View List": "Shihni Listën", "View list": "Shihni listën", "Hide formatting": "Fshihe formatimin", - "Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.": "Sesionet e paverifikuara janë sesione ku është hyrë me kredencialet tuaja, por që nuk janë verifikuar ndërsjelltas.", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s ose %(copyButton)s", "We're creating a room with %(names)s": "Po krijojmë një dhomë me %(names)s", "By approving access for this device, it will have full access to your account.": "Duke miratuar hyrje për këtë pajisje, ajo do të ketë hyrje të plotë në llogarinë tuaj.", "The homeserver doesn't support signing in another device.": "Shërbyesi Home nuk mbulon bërje hyrjeje në një pajisje tjetër.", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s ose %(recoveryFile)s", - "To disable you will need to log out and back in, use with caution!": "Për ta çaktivizuar do t’ju duhet të bëni daljen dhe ribëni hyrjen, përdoreni me kujdes!", - "Your server lacks native support, you must specify a proxy": "Shërbyesit tuaj i mungon mbulimi së brendshmi, duhet të specifikoni një ndërmjetës", "You're in": "Kaq qe", "toggle event": "shfaqe/fshihe aktin", - "You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.": "Mund ta përdorni këtë pajisje për të hyrë në një pajisje të re me një kod QR. Do t’ju duhet të skanoni kodin QR të shfaqur në këtë pajisje, me pajisjen nga e cila është bërë dalja.", - "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Shihni mundësinë e daljes nga sesione të vjetër (%(inactiveAgeDays)s ditë ose më të vjetër) që s’i përdorni më.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s është i fshehtëzuar skaj-më-skaj, por aktualisht është i kufizuar në numra më të vegjël përdoruesish.", "Enable %(brand)s as an additional calling option in this room": "Aktivizojeni %(brand)s si një mundësi shtesë thirrjesh në këtë dhomë", "Are you sure you want to sign out of %(count)s sessions?": { @@ -2217,10 +2042,6 @@ "Error downloading image": "Gabim gjatë shkarkimit të figurës", "Unable to show image due to error": "S’arrihet të shihet figurë, për shkak gabimi", "Failed to set pusher state": "S’u arrit të ujdisej gjendja e shërbimit të njoftimeve push", - "This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Kjo do të thotë se keni krejt kyçet e nevojshëm për të shkyçur mesazhet tuaj të fshehtëzuar dhe për t’u ripohuar përdoruesve të tjerë se e besoni këtë sesion.", - "Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Sesionet e verifikuar janë kudo ku përdorni këtë llogari pas dhënies së frazëkalimit tuaj, apo ripohimit të identitetit me sesione të tjerë të verifikuar.", - "Show details": "Shfaqi hollësitë", - "Hide details": "Fshihi hollësitë", "Connection": "Lidhje", "Voice processing": "Përpunim zërash", "Video settings": "Rregullime video", @@ -2235,9 +2056,6 @@ "Upcoming features": "Veçori të ardhshme", "You have unverified sessions": "Keni sesioni të paverifikuar", "Change layout": "Ndryshoni skemë", - "This session doesn't support encryption and thus can't be verified.": "Ky sesion s’mbulon fshehtëzim, ndaj s’mund të verifikohet.", - "For best security and privacy, it is recommended to use Matrix clients that support encryption.": "Për sigurinë dhe privatësinë më të mirë, rekomandohet të përdoren klientë Matrix që mbulojnë fshehtëzim.", - "You won't be able to participate in rooms where encryption is enabled when using this session.": "S’do të jeni në gjendje të merrni pjesë në dhoma ku fshehtëzimi është aktivizuar, kur përdoret ky sesion.", "Search users in this room…": "Kërkoni për përdorues në këtë dhomë…", "Give one or multiple users in this room more privileges": "Jepini një ose disa përdoruesve më tepër privilegje në këtë dhomë", "Add privileged users": "Shtoni përdorues të privilegjuar", @@ -2246,28 +2064,15 @@ "You can’t start a call as you are currently recording a live broadcast. Please end your live broadcast in order to start a call.": "S’mund të nisni një thirrje, ngaqë aktualisht jeni duke regjistruar një transmetim të drejtpërdrejtë. Që të mund të nisni një thirrje, ju lutemi, përfundoni transmetimin tuaj të drejtpërdrejtë.", "Can’t start a call": "S’fillohet dot thirrje", " in %(room)s": " në %(room)s", - "Improve your account security by following these recommendations.": "Përmirësoni sigurinë e llogarisë tuaj duke ndjekur këto rekomandime.", - "%(count)s sessions selected": { - "one": "%(count)s sesion i përzgjedhur", - "other": "%(count)s sesione të përzgjedhur" - }, "Failed to read events": "S’u arrit të lexohen akte", "Failed to send event": "S’u arrit të dërgohet akt", "Mark as read": "Vëri shenjë si të lexuar", "Text": "Tekst", "Create a link": "Krijoni një lidhje", - "Sign out of %(count)s sessions": { - "one": "Dilni nga %(count)s sesion", - "other": "Dilni nga %(count)s sesione" - }, - "Verify your current session for enhanced secure messaging.": "Verifikoni sesionin tuaj të tanishëm për shkëmbim me siguri të thelluar mesazhesh.", - "Your current session is ready for secure messaging.": "Sesioni juaj i tanishëm është gati për shkëmbim të siguruar mesazhesh.", - "Sign out of all other sessions (%(otherSessionsCount)s)": "Dil nga krejt sesionet e tjerë (%(otherSessionsCount)s)", "You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "S’mund të niset mesazh zanor, ngaqë aktualisht po incizoni një transmetim të drejtpërdrejtë. Ju lutemi, përfundoni transmetimin e drejtpërdrejtë, që të mund të nisni incizimin e një mesazhi zanor.", "Can't start voice message": "S’niset dot mesazh zanor", "Edit link": "Përpunoni lidhje", "%(senderName)s started a voice broadcast": "%(senderName)s nisi një transmetim zanor", - "Decrypted source unavailable": "Burim i shfshehtëzuar jo i passhëm", "Registration token": "Token regjistrimi", "Enter a registration token provided by the homeserver administrator.": "Jepni një token regjistrimi dhënë nga përgjegjësi i shërbyesit Home.", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Krejt mesazhet dhe ftesat prej këtij përdoruesi do të fshihen. Jeni i sigurt se doni të shpërfillet?", @@ -2342,7 +2147,6 @@ "View poll in timeline": "Shiheni pyetësorin në rrjedhë kohore", "Verify Session": "Verifiko Sesion", "Ignore (%(counter)s)": "Shpërfill (%(counter)s)", - "Once everyone has joined, you’ll be able to chat": "Pasi të ketë ardhur gjithkush, do të jeni në gjendje të fjaloseni", "Invites by email can only be sent one at a time": "Ftesat me email mund të dërgohen vetëm një në herë", "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Ndodhi një gabim teksa përditësoheshin parapëlqimet tuaja për njoftime. Ju lutemi, provoni ta riaktivizoni mundësinë tuaj.", "Desktop app logo": "Stemë aplikacioni Desktop", @@ -2362,7 +2166,6 @@ "User (%(user)s) did not end up as invited to %(roomId)s but no error was given from the inviter utility": "Përdoruesi (%(user)s) s’doli i ftuar te %(roomId)s, por nga mjeti i ftuesit s’u dha gabim", "This may be caused by having the app open in multiple tabs or due to clearing browser data.": "Kjo mund të jetë e shkaktuar nga pasja e aplikacionit hapur në shumë skeda, ose për shkak të spastrimit të të dhënave të shfletuesit.", "Database unexpectedly closed": "Baza e të dhënave u mbyll papritur", - "Sliding Sync configuration": "Formësim Sliding Sync-u", "Start DM anyway": "Nis MD sido qoftë", "Start DM anyway and never warn me again": "Nis MD sido qoftë dhe mos më sinjalizo kurrë më", "Unable to find profiles for the Matrix IDs listed below - would you like to start a DM anyway?": "S’arrihet të gjenden profile për ID-të Matrix radhitur më poshtë - doni të niset një MD sido që të jetë?", @@ -2477,7 +2280,9 @@ "orphan_rooms": "Dhoma të tjera", "on": "On", "off": "Off", - "all_rooms": "Krejt dhomat" + "all_rooms": "Krejt dhomat", + "deselect_all": "Shpërzgjidhi krejt", + "select_all": "Përzgjidhi krejt" }, "action": { "continue": "Vazhdo", @@ -2649,7 +2454,15 @@ "rust_crypto_disabled_notice": "Aktualisht mund të aktivizohet vetëm përmes config.json-it", "automatic_debug_logs_key_backup": "Dërgo automatikisht regjistra diagnostikimi, kur kopjeruajtja e kyçeve nuk funksionon", "automatic_debug_logs_decryption": "Dërgo automatikisht regjistra diagnostikimi, gjatë gabimesh shfshehtëzimi", - "automatic_debug_logs": "Me çdo gabim, dërgo automatikisht regjistra diagnostikimi" + "automatic_debug_logs": "Me çdo gabim, dërgo automatikisht regjistra diagnostikimi", + "sliding_sync_server_support": "Shërbyesi juaj ka mbulim të brendshëm për këtë", + "sliding_sync_server_no_support": "Shërbyesit tuaj i mungon mbulim i brendshëm për këtë", + "sliding_sync_server_specify_proxy": "Shërbyesit tuaj i mungon mbulimi së brendshmi, duhet të specifikoni një ndërmjetës", + "sliding_sync_configuration": "Formësim Sliding Sync-u", + "sliding_sync_disable_warning": "Për ta çaktivizuar do t’ju duhet të bëni daljen dhe ribëni hyrjen, përdoreni me kujdes!", + "sliding_sync_proxy_url_optional_label": "URL ndërmjetësi (opsionale)", + "sliding_sync_proxy_url_label": "URL Ndërmjetësi", + "video_rooms_beta": "Dhomat me video janë një veçori në fazë beta" }, "keyboard": { "home": "Kreu", @@ -2744,7 +2557,19 @@ "placeholder_reply_encrypted": "Dërgoni një përgjigje të fshehtëzuar…", "placeholder_reply": "Dërgoni një përgjigje…", "placeholder_encrypted": "Dërgoni një mesazh të fshehtëzuar…", - "placeholder": "Dërgoni një mesazh…" + "placeholder": "Dërgoni një mesazh…", + "autocomplete": { + "command_description": "Urdhra", + "command_a11y": "Vetëplotësim Urdhrash", + "emoji_a11y": "Vetëplotësim Emoji-sh", + "@room_description": "Njofto krejt dhomën", + "notification_description": "Njoftim Dhome", + "notification_a11y": "Vetëplotësim NJoftimesh", + "room_a11y": "Vetëplotësim Dhomash", + "space_a11y": "Vetëplotësim Hapësire", + "user_description": "Përdorues", + "user_a11y": "Vetëplotësim Përdoruesish" + } }, "Bold": "Të trasha", "Link": "Lidhje", @@ -2996,6 +2821,95 @@ }, "keyboard": { "title": "Tastierë" + }, + "sessions": { + "rename_form_heading": "Riemërtoni sesionin", + "rename_form_caption": "Ju lutemi, kini parasysh se emrat e sesioneve janë të dukshëm edhe për personat me të cilët komunikoni.", + "rename_form_learn_more": "Riemërtim sesionesh", + "rename_form_learn_more_description_1": "Përdorues të tjerë në mesazhe të drejtpërdrejtë dhe dhoma ku hyni janë në gjendje të shohin një listë të plotë të sesioneve tuaj.", + "rename_form_learn_more_description_2": "Kjo u jep atyre besim se po flasin vërtet me ju, por do të thotë gjithashtu që mund shohin emrin e sesionit që jepni këtu.", + "session_id": "ID sesioni", + "last_activity": "Veprimtaria e fundit", + "url": "URL", + "os": "Sistem operativ", + "browser": "Shfletues", + "ip": "Adresë IP", + "details_heading": "Hollësi sesioni", + "push_toggle": "Aktivizo/çaktivizo njoftime push për këtë sesion.", + "push_heading": "Njoftime Push", + "push_subheading": "Merrni njoftime push për këtë sesion.", + "sign_out": "Dilni nga ky sesion", + "hide_details": "Fshihi hollësitë", + "show_details": "Shfaqi hollësitë", + "inactive_days": "Joaktiv për %(inactiveAgeDays)s+ ditë", + "verified_sessions": "Sesione të verifikuar", + "verified_sessions_explainer_1": "Sesionet e verifikuar janë kudo ku përdorni këtë llogari pas dhënies së frazëkalimit tuaj, apo ripohimit të identitetit me sesione të tjerë të verifikuar.", + "verified_sessions_explainer_2": "Kjo do të thotë se keni krejt kyçet e nevojshëm për të shkyçur mesazhet tuaj të fshehtëzuar dhe për t’u ripohuar përdoruesve të tjerë se e besoni këtë sesion.", + "unverified_sessions": "Sesione të paverifikuar", + "unverified_sessions_explainer_1": "Sesionet e paverifikuara janë sesione ku është hyrë me kredencialet tuaja, por që nuk janë verifikuar ndërsjelltas.", + "unverified_sessions_explainer_2": "Duhet të jeni posaçërisht të qartë se i njihni këto sesione, ngaqë mund të përbëjnë përdorim të paautorizuar të llogarisë tuaj.", + "unverified_session": "Sesion i paverifikuar", + "unverified_session_explainer_1": "Ky sesion s’mbulon fshehtëzim, ndaj s’mund të verifikohet.", + "unverified_session_explainer_2": "S’do të jeni në gjendje të merrni pjesë në dhoma ku fshehtëzimi është aktivizuar, kur përdoret ky sesion.", + "unverified_session_explainer_3": "Për sigurinë dhe privatësinë më të mirë, rekomandohet të përdoren klientë Matrix që mbulojnë fshehtëzim.", + "inactive_sessions": "Sesione joaktivë", + "inactive_sessions_explainer_1": "Sesioni joaktive janë sesione që keni ca kohë që s’i përdorni, por që vazhdojnë të marrin kyçe fshehtëzimi.", + "inactive_sessions_explainer_2": "Heqja e sesioneve joaktive përmirëson sigurinë dhe punimin dhe e bën më të lehtë për ju të pikasni nëse një sesion i ri është i dyshimtë.", + "desktop_session": "Sesion desktop", + "mobile_session": "Sesion në celular", + "web_session": "Sesion Web", + "unknown_session": "Lloj i panjohur sesionesh", + "device_verified_description_current": "Sesioni juaj i tanishëm është gati për shkëmbim të siguruar mesazhesh.", + "device_verified_description": "Ky sesion është gati për shkëmbim të sigurt mesazhesh.", + "verified_session": "Sesion i verifikuar", + "device_unverified_description_current": "Verifikoni sesionin tuaj të tanishëm për shkëmbim me siguri të thelluar mesazhesh.", + "device_unverified_description": "Për sigurinë dhe besueshmërinë më të mirë, verifikojeni, ose dilni nga ky sesion.", + "verify_session": "Verifiko sesion", + "verified_sessions_list_description": "Për sigurinë më të mirë, dilni nga çfarëdo sesioni që nuk e njihni apo përdorni më.", + "unverified_sessions_list_description": "Verifikoni sesionet tuaj, për shkëmbim më të sigurt mesazhesh, ose dilni prej atyre që s’i njihni, apo përdorni më.", + "inactive_sessions_list_description": "Shihni mundësinë e daljes nga sesione të vjetër (%(inactiveAgeDays)s ditë ose më të vjetër) që s’i përdorni më.", + "no_verified_sessions": "S’u gjetën sesione të verifikuar.", + "no_unverified_sessions": "S’u gjetën sesione të paverifikuar.", + "no_inactive_sessions": "S’u gjetën sesione joaktive.", + "no_sessions": "S’u gjetën sesione.", + "filter_all": "Krejt", + "filter_verified_description": "Gati për shkëmbim të sigurt mesazhesh", + "filter_unverified_description": "Jo gati për shkëmbim të sigurt mesazhesh", + "filter_inactive": "Joaktiv", + "filter_inactive_description": "Joaktiv për for %(inactiveAgeDays)s ditë ose më gjatë", + "filter_label": "Filtroni pajisje", + "n_sessions_selected": { + "one": "%(count)s sesion i përzgjedhur", + "other": "%(count)s sesione të përzgjedhur" + }, + "sign_in_with_qr": "Hyni me kod QR", + "sign_in_with_qr_description": "Mund ta përdorni këtë pajisje për të hyrë në një pajisje të re me një kod QR. Do t’ju duhet të skanoni kodin QR të shfaqur në këtë pajisje, me pajisjen nga e cila është bërë dalja.", + "sign_in_with_qr_button": "Shfaq kod QR", + "sign_out_n_sessions": { + "one": "Dilni nga %(count)s sesion", + "other": "Dilni nga %(count)s sesione" + }, + "other_sessions_heading": "Sesione të tjerë", + "sign_out_all_other_sessions": "Dil nga krejt sesionet e tjerë (%(otherSessionsCount)s)", + "current_session": "Sesioni i tanishëm", + "confirm_sign_out_sso": { + "one": "Ripohoni daljen nga kjo pajisje duke përdorur Hyrje Njëshe për të dëshmuar identitetin tuaj.", + "other": "Ripohoni daljen nga këto pajisje duke përdorur Hyrje Njëshe për të dëshmuar identitetin tuaj." + }, + "confirm_sign_out": { + "one": "Ripohoni daljen nga kjo pajisje", + "other": "Ripohoni daljen nga këto pajisje" + }, + "confirm_sign_out_body": { + "one": "Që të ripohoni daljen nga kjo pajisje, klikoni butonin më poshtë.", + "other": "Që të ripohoni daljen nga këto pajisje, klikoni butonin më poshtë." + }, + "confirm_sign_out_continue": { + "one": "Dil nga pajisje", + "other": "Dil nga pajisje" + }, + "security_recommendations": "Rekomandime sigurie", + "security_recommendations_description": "Përmirësoni sigurinë e llogarisë tuaj duke ndjekur këto rekomandime." } }, "devtools": { @@ -3088,7 +3002,9 @@ "show_hidden_events": "Shfaq te rrjedha kohore veprimtari të fshehura", "low_bandwidth_mode_description": "Lyp shërbyes Home të përputhshëm.", "low_bandwidth_mode": "Mënyra gjerësi e ulët bande", - "developer_mode": "Mënyra zhvillues" + "developer_mode": "Mënyra zhvillues", + "view_source_decrypted_event_source": "U shfshehtëzua burim veprimtarie", + "view_source_decrypted_event_source_unavailable": "Burim i shfshehtëzuar jo i passhëm" }, "export_chat": { "html": "HTML", @@ -3470,7 +3386,9 @@ "io.element.voice_broadcast_info": { "you": "Përfunduat një transmetim zanor", "user": "%(senderName)s përfundoi një transmetim zanor" - } + }, + "creation_summary_dm": "%(creator)s krijoi këtë DM.", + "creation_summary_room": "%(creator)s krijoi dhe formësoi dhomën." }, "slash_command": { "spoiler": "E dërgon mesazhin e dhënë si spoiler", @@ -3661,13 +3579,52 @@ "kick": "Hiqni përdorues", "ban": "Dëboni përdorues", "redact": "Hiqi mesazhet e dërguar nga të tjerët", - "notifications.room": "Njoftoni gjithkënd" + "notifications.room": "Njoftoni gjithkënd", + "no_privileged_users": "S’ka përdorues me privilegje të caktuara në këtë dhomë", + "privileged_users_section": "Përdorues të Privilegjuar", + "muted_users_section": "Përdorues të Heshtur", + "banned_users_section": "Përdorues të dëbuar", + "send_event_type": "Dërgo akte %(eventType)s", + "title": "Role & Leje", + "permissions_section": "Leje", + "permissions_section_description_space": "Përzgjidhni rolet e domosdoshëm për të ndryshuar pjesë të ndryshme të hapësirës", + "permissions_section_description_room": "Përzgjidhni rolet e domosdoshme për të ndryshuar anë të ndryshme të dhomës" }, "security": { "strict_encryption": "Mos dërgo kurrë prej këtij sesioni mesazhe të fshehtëzuar te sesione të paverifikuar në këtë dhomë", "join_rule_invite": "Private (vetëm me ftesa)", "join_rule_invite_description": "Vetëm personat e ftuar mund të hyjnë.", - "join_rule_public_description": "Kushdo mund ta gjejë dhe hyjë në të." + "join_rule_public_description": "Kushdo mund ta gjejë dhe hyjë në të.", + "enable_encryption_public_room_confirm_title": "A jeni i sigurt se doni të shtohet fshehtëzim në këtë dhomë publike?", + "enable_encryption_public_room_confirm_description_1": "Nuk rekomandohet të shtohet fshehtëzim në dhoma publike.Dhomat publike mund t’i gjejë dhe hyjë në to kushdo, pra cilido të mund të lexojë mesazhet në to. S’do të përfitoni asnjë nga të mirat e fshehtëzimit dhe s’do të jeni në gjendje ta çaktivizoni më vonë. Fshehtëzimi i mesazheve në një dhomë publike do të ngadalësojë marrjen dhe dërgimin e mesazheve.", + "enable_encryption_public_room_confirm_description_2": "Për të shmangur këto probleme, krijoni një dhomë të re të fshehtëzuar për bisedën që keni në plan të bëni.", + "enable_encryption_confirm_title": "Të aktivizohet fshehtëzim?", + "enable_encryption_confirm_description": "Pasi të aktivizohet, fshehtëzimi për një dhomë nuk mund të çaktivizohet. Mesazhet e dërguar në një dhomë të fshehtëzuar s’mund të shihen nga shërbyesi, vetëm nga pjesëmarrësit në dhomë. Aktivizimi i fshehtëzimit mund të pengojë funksionimin si duhet të mjaft robotëve dhe urave. Mësoni më tepër rreth fshehtëzimit.", + "public_without_alias_warning": "Që të lidhni këtë dhomë, ju lutemi, jepni një adresë.", + "join_rule_description": "Vendosni se cilët mund të hyjnë te %(roomName)s.", + "encrypted_room_public_confirm_title": "Jeni i sigurt se doni ta bëni publike këtë dhomë të fshehtëzuar?", + "encrypted_room_public_confirm_description_1": "Nuk rekomandohet të bëhen publike dhoma të fshehtëzuara. Kjo do të thoshte se cilido mund të gjejë dhe hyjë te dhoma, pra cilido mund të lexojë mesazhet. S’do të përfitoni asnjë nga të mirat e fshehtëzimit. Fshehtëzimi i mesazheve në një dhomë publike do ta ngadalësojë marrjen dhe dërgimin e tyre.", + "encrypted_room_public_confirm_description_2": "Për të shmangur këto probleme, krijoni për bisedën që keni në plan një dhomë të re publike.", + "history_visibility": {}, + "history_visibility_warning": "Ndryshime se cilët mund të lexojnë historikun do të vlejnë vetëm për mesazhe të ardhshëm në këtë dhomë. Dukshmëria e historikut ekzistues nuk do të ndryshohet.", + "history_visibility_legend": "Kush mund të lexojë historikun?", + "guest_access_warning": "Persona me klientë të mbuluar do të jenë në gjendje të hyjnë te dhoma pa pasur ndonjë llogari të regjistruar.", + "title": "Siguri & Privatësi", + "encryption_permanent": "Pasi të aktivizohet, fshehtëzimi s’mund të çaktivizohet më.", + "history_visibility_shared": "Vetëm anëtarët (që nga çasti i përzgjedhjes së kësaj mundësie)", + "history_visibility_invited": "Vetëm anëtarë (që kur qenë ftuar)", + "history_visibility_joined": "Vetëm anëtarë (që kur janë bërë pjesë)", + "history_visibility_world_readable": "Cilido" + }, + "general": { + "publish_toggle": "Të bëhet publike kjo dhomë te drejtoria e dhomave %(domain)s?", + "user_url_previews_default_on": "E keni aktivizuar, si parazgjedhje, paraparjen e URL-ve.", + "user_url_previews_default_off": "E keni çaktivizuar, si parazgjedhje, paraparjen e URL-ve.", + "default_url_previews_on": "Për pjesëmarrësit në këtë dhomë paraparja e URL-ve është e aktivizuar, si parazgjedhje.", + "default_url_previews_off": "Për pjesëmarrësit në këtë dhomë paraparja e URL-ve është e çaktivizuar, si parazgjedhje.", + "url_preview_encryption_warning": "Në dhoma të fshehtëzuara, si kjo, paraparja e URL-ve është e çaktivizuar, si parazgjedhje, për të garantuar që shërbyesi juaj home (ku edhe prodhohen paraparjet) të mos grumbullojë të dhëna rreth lidhjesh që shihni në këtë dhomë.", + "url_preview_explainer": "Kur dikush vë një URL në mesazh, për të dhënë rreth lidhjes më tepër të dhëna, të tilla si titulli, përshkrimi dhe një figurë e sajtit, do të shfaqet një paraparje e URL-së.", + "url_previews_section": "Paraparje URL-sh" } }, "encryption": { @@ -3790,7 +3747,15 @@ "server_picker_explainer": "Përdorni shërbyesin tuaj Home të parapëlqyer Matrix, nëse keni një të tillë, ose strehoni një tuajin.", "server_picker_learn_more": "Mbi shërbyesit Home", "incorrect_credentials": "Emër përdoruesi dhe/ose fjalëkalim i pasaktë.", - "account_deactivated": "Kjo llogari është çaktivizuar." + "account_deactivated": "Kjo llogari është çaktivizuar.", + "registration_username_validation": "Përdorni vetëm shkronja të vogla, numra, vija ndarëse dhe nënvija", + "registration_username_unable_check": "S’arrihet të kontrollohet nëse emri i përdoruesit është zënë. Riprovoni më vonë.", + "registration_username_in_use": "Dikush e ka tashmë këtë emër përdoruesi. Provoni një tjetër, ose nëse jeni ju, bëni hyrjen më poshtë.", + "phone_label": "Telefon", + "phone_optional_label": "Telefoni (në daçi)", + "email_help_text": "Shtoni një email, që të jeni në gjendje të ricaktoni fjalëkalimin tuaj.", + "email_phone_discovery_text": "Përdorni email ose telefon që, nëse doni, të mund t’ju gjejnë kontaktet ekzistues.", + "email_discovery_text": "Përdorni email që, nëse doni, të mund t’ju gjejnë kontaktet ekzistues." }, "room_list": { "sort_unread_first": "Së pari shfaq dhoma me mesazhe të palexuar", @@ -4000,7 +3965,21 @@ "light_high_contrast": "Kontrast i fortë drite" }, "space": { - "landing_welcome": "Mirë se vini te " + "landing_welcome": "Mirë se vini te ", + "suggested_tooltip": "Kjo dhomë sugjerohet si një e mirë për të marrë pjesë", + "suggested": "E sugjeruar", + "select_room_below": "Së pari, përzgjidhni më poshtë një dhomë", + "unmark_suggested": "Hiqi shenjë si e sugjeruar", + "mark_suggested": "Vëri shenjë si e sugjeruar", + "failed_remove_rooms": "S’ua arrit të hiqen disa dhoma. Riprovoni më vonë", + "failed_load_rooms": "S’u arrit të ngarkohej listë dhomash.", + "incompatible_server_hierarchy": "Shërbyesi juaj nuk mbulon shfaqje hierarkish hapësire.", + "context_menu": { + "devtools_open_timeline": "Shihni rrjedhë kohore të dhomës (mjete zhvilluesi)", + "home": "Shtëpia e hapësirës", + "explore": "Eksploroni dhoma", + "manage_and_explore": "Administroni & eksploroni dhoma" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "Ky shërbyes Home s’është formësuar të shfaqë harta.", @@ -4055,5 +4034,52 @@ "setup_rooms_description": "Mund të shtoni edhe të tjera më vonë, përfshi ato ekzistueset tashmë.", "setup_rooms_private_heading": "Me cilat projekte po merret ekipi juaj?", "setup_rooms_private_description": "Do të krijojmë dhoma për çdo prej tyre." + }, + "user_menu": { + "switch_theme_light": "Kalo nën mënyrën e çelët", + "switch_theme_dark": "Kalo nën mënyrën e errët" + }, + "notif_panel": { + "empty_heading": "Po ecni mirë", + "empty_description": "S’keni njoftime të dukshme." + }, + "console_scam_warning": "Nëse dikush ju ka thënë të kopjoni/hidhni diçka këtu, ka gjasa se po ju mashtrojnë!", + "console_dev_note": "Nëse e dini se ç’bëni, Element-i është me burim të hapët, mos harroni ta merrni që nga depoja jonë GitHub (https://github.com/vector-im/element-web/) dhe jepni ndihmesë!", + "room": { + "drop_file_prompt": "Hidheni kartelën këtu që të ngarkohet", + "intro": { + "send_message_start_dm": "Dërgoni mesazhin tuaj të parë për të ftuar në fjalosje ", + "encrypted_3pid_dm_pending_join": "Pasi të ketë ardhur gjithkush, do të jeni në gjendje të fjaloseni", + "start_of_dm_history": "Ky është fillimi i historikut të mesazheve tuaja të drejtpërdrejta me .", + "dm_caption": "Në këtë bisedë jeni vetëm ju të dy, veç nëse cilido qoftë prej jush ftoi dikë tjetër të vijë.", + "topic_edit": "Temë: %(topic)s (përpunojeni)", + "topic": "Temë: %(topic)s ", + "no_topic": "Shtoni një temë, për t’i ndihmuar njerëzit se përse bëhet fjalë.", + "you_created": "Krijuat këtë dhomë.", + "user_created": "%(displayName)s krijoi këtë dhomë.", + "room_invite": "Ftoje thjesht te kjo dhomë", + "no_avatar_label": "Shtoni një foto, që njerëzit ta dallojnë kollaj dhomën tuaj.", + "start_of_room": "Ky është fillimi i .", + "private_unencrypted_warning": "Mesazhet tuaja private normalisht fshehtëzohen, por kjo dhomë s’fshehtëzohet. Zakonisht kjo vjen për shkak të përdorimit të një pajisjeje ose metode të pambuluar, bie fjala, ftesa me email.", + "enable_encryption_prompt": "Aktivizoni fshehtëzimin te rregullimet.", + "unencrypted_warning": "Fshehtëzimi skaj-më-skaj s’është i aktivizuar" + } + }, + "file_panel": { + "guest_note": "Që të përdorni këtë funksion, duhet të regjistroheni", + "peek_note": "Duhet të hyni në dhomë, pa të shihni kartelat e saj", + "empty_heading": "S’ka kartela të dukshme në këtë dhomë", + "empty_description": "Bashkëngjitni kartela prej fjalosjeje ose thjesht tërhiqini dhe lërini kudo qoftë brenda dhomës." + }, + "terms": { + "integration_manager": "Përdorni robotë, ura, widget-e dhe paketa ngjitësish", + "tos": "Kushte Shërbimi", + "intro": "Që të vazhdohet, lypset të pranoni kushtet e këtij shërbimi.", + "column_service": "Shërbim", + "column_summary": "Përmbledhje", + "column_document": "Dokument" + }, + "space_settings": { + "title": "Rregullime - %(spaceName)s" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/sr.json b/src/i18n/strings/sr.json index 3008b362a4..3436f6dd10 100644 --- a/src/i18n/strings/sr.json +++ b/src/i18n/strings/sr.json @@ -75,7 +75,6 @@ "Change Password": "Промени лозинку", "Authentication": "Идентификација", "Failed to set display name": "Нисам успео да поставим приказно име", - "Drop file here to upload": "Превуци датотеку овде да би је отпремио", "Unban": "Скини забрану", "Failed to ban user": "Неуспех при забрањивању приступа кориснику", "Failed to mute user": "Неуспех при пригушивању корисника", @@ -116,26 +115,11 @@ "Banned by %(displayName)s": "Приступ забранио %(displayName)s", "unknown error code": "непознати код грешке", "Failed to forget room %(errCode)s": "Нисам успео да заборавим собу %(errCode)s", - "Privileged Users": "Овлашћени корисници", - "No users have specific privileges in this room": "Нема корисника са посебним овлашћењима у овој соби", - "Banned users": "Корисници са забраном приступа", "This room is not accessible by remote Matrix servers": "Ова соба није доступна са удаљених Матрикс сервера", "Favourite": "Омиљено", - "Publish this room to the public in %(domain)s's room directory?": "Објавити ову собу у јавној фасцикли соба на домену %(domain)s?", - "Who can read history?": "Ко може читати историјат?", - "Anyone": "Било ко", - "Members only (since the point in time of selecting this option)": "Само чланови (од тренутка бирања ове опције)", - "Members only (since they were invited)": "Само чланови (од тренутка позивања)", - "Members only (since they joined)": "Само чланови (од приступања)", - "Permissions": "Овлашћења", "Jump to first unread message.": "Скочи на прву непрочитану поруку.", "not specified": "није наведено", "This room has no local addresses": "Ова соба нема локалних адреса", - "You have enabled URL previews by default.": "Укључили сте да се УРЛ прегледи подразумевају.", - "You have disabled URL previews by default.": "Искључили сте да се УРЛ прегледи подразумевају.", - "URL previews are enabled by default for participants in this room.": "УРЛ прегледи су подразумевано укључени за чланове ове собе.", - "URL previews are disabled by default for participants in this room.": "УРЛ прегледи су подразумевано искључени за чланове ове собе.", - "URL Previews": "УРЛ прегледи", "Error decrypting attachment": "Грешка при дешифровању прилога", "Decrypt %(text)s": "Дешифруј %(text)s", "Download %(text)s": "Преузми %(text)s", @@ -182,8 +166,6 @@ "Unable to add email address": "Не могу да додам мејл адресу", "Unable to verify email address.": "Не могу да проверим мејл адресу.", "This will allow you to reset your password and receive notifications.": "Ово омогућава поновно постављање лозинке и примање обавештења.", - "You must register to use this functionality": "Морате се регистровати да бисте користили ову могућност", - "You must join the room to see its files": "Морате приступити соби да бисте видели њене датотеке", "Reject invitation": "Одбиј позивницу", "Are you sure you want to reject the invitation?": "Да ли сте сигурни да желите одбити позивницу?", "Failed to reject invitation": "Нисам успео да одбијем позивницу", @@ -232,10 +214,6 @@ "Please note you are logging into the %(hs)s server, not matrix.org.": "Знајте да се пријављујете на сервер %(hs)s, не на matrix.org.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Не могу да се повежем на сервер преко ХТТП када је ХТТПС УРЛ у траци вашег прегледача. Или користите HTTPS или омогућите небезбедне скрипте.", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Не могу да се повежем на домаћи сервер. Проверите вашу интернет везу, постарајте се да је ССЛ сертификат сервера од поверења и да проширење прегледача не блокира захтеве.", - "Commands": "Наредбе", - "Notify the whole room": "Обавести све у соби", - "Room Notification": "Собно обавештење", - "Users": "Корисници", "Session ID": "ИД сесије", "Passphrases must match": "Фразе се морају подударати", "Passphrase must not be empty": "Фразе не смеју бити празне", @@ -281,7 +259,6 @@ "Clear Storage and Sign Out": "Очисти складиште и одјави ме", "We encountered an error trying to restore your previous session.": "Наишли смо на грешку приликом повраћаја ваше претходне сесије.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Чишћење складишта вашег прегледача може решити проблем али ће вас то одјавити и учинити шифровани историјат ћаскања нечитљивим.", - "Muted Users": "Утишани корисници", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Не могу да учитам догађај на који је послат одговор, или не постоји или немате овлашћење да га погледате.", "Can't leave Server Notices room": "Не могу да напустим собу са напоменама сервера", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Ова соба се користи за важне поруке са сервера. Не можете напустити ову собу.", @@ -326,11 +303,7 @@ "General": "Опште", "Discovery": "Откриће", "None": "Ништа", - "Security & Privacy": "Безбедност и приватност", - "Roles & Permissions": "Улоге и дозволе", - "Enable encryption?": "Омогућити шифровање?", "Encryption": "Шифровање", - "Once enabled, encryption cannot be disabled.": "Након омогућавања, шифровање се не можете онемогућити.", "Discovery options will appear once you have added an email above.": "Опције откривања појавиће се након што додате мејл адресу изнад.", "Discovery options will appear once you have added a phone number above.": "Опције откривања појавиће се након што додате број телефона изнад.", "Email Address": "Е-адреса", @@ -358,15 +331,7 @@ "The encryption used by this room isn't supported.": "Начин шифровања унутар ове собе није подржан.", "Widgets do not use message encryption.": "Виџети не користе шифровање порука.", "Room Settings - %(roomName)s": "Подешавања собе - %(roomName)s", - "Terms of Service": "Услови коришћења", - "To continue you need to accept the terms of this service.": "За наставак, морате прихватити услове коришћења ове услуге.", - "Service": "Услуга", - "Summary": "Сажетак", - "Document": "Документ", "Resend %(unsentCount)s reaction(s)": "Поново пошаљи укупно %(unsentCount)s реакција", - "%(creator)s created and configured the room.": "Корисник %(creator)s је направио и подесио собу.", - "Switch to light mode": "Пребаци на светлу тему", - "Switch to dark mode": "Пребаци на тамну тему", "All settings": "Сва подешавања", "General failure": "Општа грешка", "Got It": "Разумем", @@ -779,11 +744,6 @@ "Ensure you have a stable internet connection, or get in touch with the server admin": "Уверите се да имате стабилну интернет везу или контактирајте администратора сервера", "Couldn't load page": "Учитавање странице није успело", "Sign in with SSO": "Пријавите се помоћу SSO", - "Use email to optionally be discoverable by existing contacts.": "Користите е-пошту да бисте је по жељи могли открити постојећи контакти.", - "Use email or phone to optionally be discoverable by existing contacts.": "Користите е-пошту или телефон да би вас постојећи контакти опционално могли открити.", - "Add an email to be able to reset your password.": "Додајте е-пошту да бисте могли да ресетујете лозинку.", - "Phone (optional)": "Телефон (необавезно)", - "Use lowercase letters, numbers, dashes and underscores only": "Користите само мала слова, бројеве, цртице и доње црте", "Enter phone number (required on this homeserver)": "Унесите број телефона (захтева на овом кућном серверу)", "Other users can invite you to rooms using your contact details": "Други корисници могу да вас позову у собе користећи ваше контакт податке", "Enter email address (required on this homeserver)": "Унесите адресу е-поште (захтева на овом кућном серверу)", @@ -972,7 +932,13 @@ "placeholder_reply_encrypted": "Пошаљи шифровани одговор…", "placeholder_reply": "Пошаљи одговор…", "placeholder_encrypted": "Пошаљи шифровану поруку…", - "placeholder": "Пошаљи поруку…" + "placeholder": "Пошаљи поруку…", + "autocomplete": { + "command_description": "Наредбе", + "@room_description": "Обавести све у соби", + "notification_description": "Собно обавештење", + "user_description": "Корисници" + } }, "Code": "Код", "power_level": { @@ -1044,6 +1010,9 @@ }, "voip": { "mirror_local_feed": "Копирај довод локалног видеа" + }, + "sessions": { + "session_id": "ИД сесије" } }, "devtools": { @@ -1243,7 +1212,8 @@ "lightbox_title": "%(senderDisplayName)s измени аватар собе %(roomName)s", "removed": "%(senderDisplayName)s уклони аватар собе.", "changed_img": "%(senderDisplayName)s промени аватар собе у " - } + }, + "creation_summary_room": "Корисник %(creator)s је направио и подесио собу." }, "slash_command": { "shrug": "Придодаје ¯\\_(ツ)_/¯ обичној поруци", @@ -1333,7 +1303,32 @@ "m.room.avatar": "Промените аватар собе", "m.room.name": "Промени назив собе", "m.room.encryption": "Омогући шифровање собе", - "state_default": "Промени подешавања" + "state_default": "Промени подешавања", + "no_privileged_users": "Нема корисника са посебним овлашћењима у овој соби", + "privileged_users_section": "Овлашћени корисници", + "muted_users_section": "Утишани корисници", + "banned_users_section": "Корисници са забраном приступа", + "title": "Улоге и дозволе", + "permissions_section": "Овлашћења" + }, + "security": { + "enable_encryption_confirm_title": "Омогућити шифровање?", + "history_visibility": {}, + "history_visibility_legend": "Ко може читати историјат?", + "title": "Безбедност и приватност", + "encryption_permanent": "Након омогућавања, шифровање се не можете онемогућити.", + "history_visibility_shared": "Само чланови (од тренутка бирања ове опције)", + "history_visibility_invited": "Само чланови (од тренутка позивања)", + "history_visibility_joined": "Само чланови (од приступања)", + "history_visibility_world_readable": "Било ко" + }, + "general": { + "publish_toggle": "Објавити ову собу у јавној фасцикли соба на домену %(domain)s?", + "user_url_previews_default_on": "Укључили сте да се УРЛ прегледи подразумевају.", + "user_url_previews_default_off": "Искључили сте да се УРЛ прегледи подразумевају.", + "default_url_previews_on": "УРЛ прегледи су подразумевано укључени за чланове ове собе.", + "default_url_previews_off": "УРЛ прегледи су подразумевано искључени за чланове ове собе.", + "url_previews_section": "УРЛ прегледи" } }, "encryption": { @@ -1357,7 +1352,13 @@ "sign_in_or_register": "Пријавите се или направите налог", "sign_in_or_register_description": "Користите постојећи или направите нови да наставите.", "register_action": "Направи налог", - "incorrect_credentials": "Нетачно корисничко име и/или лозинка." + "incorrect_credentials": "Нетачно корисничко име и/или лозинка.", + "registration_username_validation": "Користите само мала слова, бројеве, цртице и доње црте", + "phone_label": "Телефон", + "phone_optional_label": "Телефон (необавезно)", + "email_help_text": "Додајте е-пошту да бисте могли да ресетујете лозинку.", + "email_phone_discovery_text": "Користите е-пошту или телефон да би вас постојећи контакти опционално могли открити.", + "email_discovery_text": "Користите е-пошту да бисте је по жељи могли открити постојећи контакти." }, "export_chat": { "messages": "Поруке" @@ -1458,5 +1459,28 @@ "release_notes_toast_title": "Шта је ново", "toast_title": "Ажурирај %(brand)s", "toast_description": "Доступна је нова верзија %(brand)s" + }, + "user_menu": { + "switch_theme_light": "Пребаци на светлу тему", + "switch_theme_dark": "Пребаци на тамну тему" + }, + "room": { + "drop_file_prompt": "Превуци датотеку овде да би је отпремио" + }, + "file_panel": { + "guest_note": "Морате се регистровати да бисте користили ову могућност", + "peek_note": "Морате приступити соби да бисте видели њене датотеке" + }, + "space": { + "context_menu": { + "explore": "Истражи собе" + } + }, + "terms": { + "tos": "Услови коришћења", + "intro": "За наставак, морате прихватити услове коришћења ове услуге.", + "column_service": "Услуга", + "column_summary": "Сажетак", + "column_document": "Документ" } } diff --git a/src/i18n/strings/sr_Latn.json b/src/i18n/strings/sr_Latn.json index 0c1c6a2a49..7e21ac5d7c 100644 --- a/src/i18n/strings/sr_Latn.json +++ b/src/i18n/strings/sr_Latn.json @@ -124,5 +124,10 @@ "help_about": { "chat_bot": "Ćaskajte sa %(brand)s botom" } + }, + "space": { + "context_menu": { + "explore": "Istražite sobe" + } } } diff --git a/src/i18n/strings/sv.json b/src/i18n/strings/sv.json index b03a1f365f..ab0bdd7733 100644 --- a/src/i18n/strings/sv.json +++ b/src/i18n/strings/sv.json @@ -12,15 +12,12 @@ "one": "och en annan…" }, "A new password must be entered.": "Ett nytt lösenord måste anges.", - "Anyone": "Vem som helst", "An error has occurred.": "Ett fel har inträffat.", "Are you sure?": "Är du säker?", "Are you sure you want to leave the room '%(roomName)s'?": "Vill du lämna rummet '%(roomName)s'?", "Are you sure you want to reject the invitation?": "Är du säker på att du vill avböja inbjudan?", - "Banned users": "Bannade användare", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Kan inte ansluta till en hemserver via HTTP då adressen i webbläsaren är HTTPS. Använd HTTPS, eller aktivera osäkra skript.", "Change Password": "Byt lösenord", - "Commands": "Kommandon", "Confirm password": "Bekräfta lösenord", "Cryptography": "Kryptografi", "Current password": "Nuvarande lösenord", @@ -74,14 +71,11 @@ "": "", "No display name": "Inget visningsnamn", "No more results": "Inga fler resultat", - "No users have specific privileges in this room": "Inga användare har specifika privilegier i det här rummet", "Operation failed": "Handlingen misslyckades", "Passwords can't be empty": "Lösenorden kan inte vara tomma", - "Permissions": "Behörigheter", "Phone": "Telefon", "Please check your email and click on the link it contains. Once this is done, click continue.": "Öppna meddelandet i din e-post och klicka på länken i meddelandet. När du har gjort detta, klicka fortsätt.", "Power level must be positive integer.": "Behörighetsnivå måste vara ett positivt heltal.", - "Privileged Users": "Privilegierade användare", "Profile": "Profil", "Reason": "Orsak", "Reject invitation": "Avböj inbjudan", @@ -101,7 +95,6 @@ "Create new room": "Skapa nytt rum", "unknown error code": "okänd felkod", "Delete widget": "Radera widget", - "Publish this room to the public in %(domain)s's room directory?": "Publicera rummet i den offentliga rumskatalogen på %(domain)s?", "AM": "FM", "PM": "EM", "This email address is already in use": "Den här e-postadressen används redan", @@ -161,10 +154,6 @@ "Error encountered (%(errorDetail)s).": "Fel påträffat (%(errorDetail)s).", "Low Priority": "Låg prioritet", "Thank you!": "Tack!", - "Who can read history?": "Vilka kan läsa historik?", - "Members only (since the point in time of selecting this option)": "Endast medlemmar (från tidpunkten för när denna inställning valdes)", - "Members only (since they were invited)": "Endast medlemmar (från när de blev inbjudna)", - "Members only (since they joined)": "Endast medlemmar (från när de gick med)", "This room has no local addresses": "Det här rummet har inga lokala adresser", "Check for update": "Leta efter uppdatering", "Restricted": "Begränsad", @@ -204,8 +193,6 @@ "Verification Pending": "Avvaktar verifiering", "Unable to add email address": "Kunde inte lägga till e-postadress", "Unable to verify email address.": "Kunde inte verifiera e-postadressen.", - "You must register to use this functionality": "Du måste registrera dig för att använda den här funktionaliteten", - "You must join the room to see its files": "Du måste gå med i rummet för att se tillhörande filer", "This will allow you to reset your password and receive notifications.": "Det här låter dig återställa lösenordet och ta emot aviseringar.", "New Password": "Nytt lösenord", "Do you want to set an email address?": "Vill du ange en e-postadress?", @@ -228,16 +215,11 @@ "Delete Widget": "Radera widget", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Att radera en widget tar bort den för alla användare i rummet. Är du säker på att du vill radera den?", "This room is not public. You will not be able to rejoin without an invite.": "Det här rummet är inte offentligt. Du kommer inte kunna gå med igen utan en inbjudan.", - "Notify the whole room": "Meddela hela rummet", - "Room Notification": "Rumsavisering", - "Users": "Användare", "Export room keys": "Exportera rumsnycklar", "Import room keys": "Importera rumsnycklar", "File to import": "Fil att importera", - "Drop file here to upload": "Släpp en fil här för att ladda upp", "Replying": "Svarar", "Banned by %(displayName)s": "Bannad av %(displayName)s", - "Muted Users": "Dämpade användare", "This room is not accessible by remote Matrix servers": "Detta rum är inte tillgängligt för externa Matrix-servrar", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Kunde inte ladda händelsen som svarades på, antingen så finns den inte eller så har du inte behörighet att se den.", "Unknown error": "Okänt fel", @@ -271,11 +253,6 @@ "Something went wrong!": "Något gick fel!", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Du kommer inte att kunna ångra den här ändringen eftersom du degraderar dig själv. Om du är den sista privilegierade användaren i rummet blir det omöjligt att återfå behörigheter.", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Du kommer inte att kunna ångra den här ändringen eftersom du höjer användaren till samma behörighetsnivå som dig själv.", - "You have enabled URL previews by default.": "Du har aktiverat URL-förhandsgranskning som förval.", - "You have disabled URL previews by default.": "Du har inaktiverat URL-förhandsgranskning som förval.", - "URL previews are enabled by default for participants in this room.": "URL-förhandsgranskning är aktiverat som förval för deltagare i detta rum.", - "URL previews are disabled by default for participants in this room.": "URL-förhandsgranskning är inaktiverat som förval för deltagare i detta rum.", - "URL Previews": "URL-förhandsgranskning", "Unban": "Avblockera", "You don't currently have any stickerpacks enabled": "Du har för närvarande inga dekalpaket aktiverade", "Error decrypting image": "Fel vid avkryptering av bild", @@ -300,10 +277,8 @@ "Permission Required": "Behörighet krävs", "You do not have permission to start a conference call in this room": "Du har inte behörighet att starta ett gruppsamtal i detta rum", "This event could not be displayed": "Den här händelsen kunde inte visas", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "I krypterade rum, som detta, är URL-förhandsgranskning inaktiverad som förval för att säkerställa att din hemserver (där förhandsgranskningar genereras) inte kan samla information om länkar du ser i rummet.", "Demote yourself?": "Degradera dig själv?", "Demote": "Degradera", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "När någon lägger en URL i sitt meddelande, kan URL-förhandsgranskning ge mer information om länken, såsom titel, beskrivning, och en bild från webbplatsen.", "You can't send any messages until you review and agree to our terms and conditions.": "Du kan inte skicka några meddelanden innan du granskar och godkänner våra villkor.", "Please contact your homeserver administrator.": "Vänligen kontakta din hemserveradministratör.", "This homeserver has hit its Monthly Active User limit.": "Hemservern har nått sin månatliga gräns för användaraktivitet.", @@ -412,7 +387,6 @@ "Room Addresses": "Rumsadresser", "This homeserver would like to make sure you are not a robot.": "Denna hemserver vill se till att du inte är en robot.", "Email (optional)": "E-post (valfritt)", - "Phone (optional)": "Telefon (valfritt)", "Join millions for free on the largest public server": "Gå med miljontals användare gratis på den största publika servern", "Your password has been reset.": "Ditt lösenord har återställts.", "General failure": "Allmänt fel", @@ -420,12 +394,7 @@ "The user must be unbanned before they can be invited.": "Användaren behöver avbannas innan den kan bjudas in.", "Missing media permissions, click the button below to request.": "Saknar mediebehörigheter, klicka på knappen nedan för att begära.", "Request media permissions": "Begär mediebehörigheter", - "Send %(eventType)s events": "Skicka %(eventType)s-händelser", - "Roles & Permissions": "Roller & behörigheter", - "Enable encryption?": "Aktivera kryptering?", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "När det är aktiverat kan kryptering för ett rum inte inaktiveras. Meddelanden som skickas i ett krypterat rum kan inte ses av servern, utan endast av deltagarna i rummet. Att aktivera kryptering kan förhindra att många bottar och bryggor fungerar korrekt. Läs mer om kryptering.", "Encryption": "Kryptering", - "Once enabled, encryption cannot be disabled.": "Efter aktivering kan kryptering inte inaktiveras.", "Error updating main address": "Fel vid uppdatering av huvudadress", "Room avatar": "Rumsavatar", "Room Name": "Rumsnamn", @@ -444,10 +413,7 @@ "Ignored users": "Ignorerade användare", "Bulk options": "Massalternativ", "Accept all %(invitedRooms)s invites": "Acceptera alla %(invitedRooms)s inbjudningar", - "Security & Privacy": "Säkerhet & sekretess", "Upgrade this room to the recommended room version": "Uppgradera detta rum till rekommenderad rumsversion", - "Select the roles required to change various parts of the room": "Välj de roller som krävs för att ändra olika delar av rummet", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Ändringar av vem som kan läsa historiken gäller endast för framtida meddelanden i detta rum. Synligheten för befintlig historik kommer att vara oförändrad.", "Failed to revoke invite": "Misslyckades att återkalla inbjudan", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Kunde inte återkalla inbjudan. Servern kan ha ett tillfälligt problem eller så har du inte tillräckliga behörigheter för att återkalla inbjudan.", "Revoke invite": "Återkalla inbjudan", @@ -624,11 +590,6 @@ "Message edits": "Meddelanderedigeringar", "Find others by phone or email": "Hitta andra via telefon eller e-post", "Be found by phone or email": "Bli hittad via telefon eller e-post", - "Terms of Service": "Användarvillkor", - "To continue you need to accept the terms of this service.": "För att fortsätta måste du acceptera villkoren för denna tjänst.", - "Service": "Tjänst", - "Summary": "Sammanfattning", - "Document": "Dokument", "Cancel entering passphrase?": "Avbryta inmatning av lösenfras?", "Setting up keys": "Sätter upp nycklar", "Verify this session": "Verifiera denna session", @@ -644,7 +605,6 @@ "Unable to share phone number": "Kunde inte dela telefonnummer", "Please enter verification code sent via text.": "Ange verifieringskod skickad via SMS.", "Discovery options will appear once you have added a phone number above.": "Upptäcktsalternativ kommer att visas när du har lagt till ett telefonnummer ovan.", - "Verify session": "Verifiera sessionen", "Session name": "Sessionsnamn", "Session key": "Sessionsnyckel", "Upgrade private room": "Uppgradera privat rum", @@ -665,7 +625,6 @@ "%(name)s is requesting verification": "%(name)s begär verifiering", "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "VARNING: NYCKELVERIFIERING MISSLYCKADES! Den signerade nyckeln för %(userId)s och sessionen %(deviceId)s är \"%(fprint)s\" vilket inte matchar den givna nyckeln \"%(fingerprint)s\". Detta kan betyda att kommunikationen är övervakad!", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Signeringsnyckeln du gav matchar signeringsnyckeln du fick av %(userId)ss session %(deviceId)s. Sessionen markerades som verifierad.", - "Use bots, bridges, widgets and sticker packs": "Använd bottar, bryggor, widgets och dekalpaket", "You signed in to a new session without verifying it:": "Du loggade in i en ny session utan att verifiera den:", "Verify your other session using one of the options below.": "Verifiera din andra session med ett av alternativen nedan.", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) loggade in i en ny session utan att verifiera den:", @@ -766,7 +725,6 @@ "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Ett fel inträffade vid ändring av rummets krav på behörighetsnivå. Försäkra att du har tillräcklig behörighet och försök igen.", "Error changing power level": "Fel vid ändring av behörighetsnivå", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Ett fel inträffade vid ändring av användarens behörighetsnivå. Försäkra att du har tillräcklig behörighet och försök igen.", - "To link to this room, please add an address.": "För att länka till det här rummet, lägg till en adress.", "This user has not verified all of their sessions.": "Den här användaren har inte verifierat alla sina sessioner.", "You have not verified this user.": "Du har inte verifierat den här användaren.", "You have verified this user. This user has verified all of their sessions.": "Du har verifierat den här användaren. Den här användaren har verifierat alla sina sessioner.", @@ -961,20 +919,14 @@ "Passwords don't match": "Lösenorden matchar inte", "Other users can invite you to rooms using your contact details": "Andra användare kan bjuda in dig till rum med dina kontaktuppgifter", "Enter phone number (required on this homeserver)": "Skriv in telefonnummer (krävs på den här hemservern)", - "Use lowercase letters, numbers, dashes and underscores only": "Använd endast små bokstäver, siffror, bindestreck och understreck", "Enter username": "Skriv in användarnamn", "Sign in with SSO": "Logga in med SSO", - "No files visible in this room": "Inga filer synliga i det här rummet", - "Attach files from chat or just drag and drop them anywhere in a room.": "Bifoga filer från chatten eller dra och släpp dem vart som helst i rummet.", "Explore rooms": "Utforska rum", - "%(creator)s created and configured the room.": "%(creator)s skapade och konfigurerade rummet.", "You have %(count)s unread notifications in a prior version of this room.": { "other": "Du har %(count)s olästa aviseringar i en tidigare version av det här rummet.", "one": "Du har %(count)s oläst avisering i en tidigare version av det här rummet." }, "All settings": "Alla inställningar", - "Switch to light mode": "Byt till ljust läge", - "Switch to dark mode": "Byt till mörkt läge", "Switch theme": "Byt tema", "Invalid homeserver discovery response": "Ogiltigt hemserverupptäcktssvar", "Failed to get autodiscovery configuration from server": "Misslyckades att få konfiguration för autoupptäckt från servern", @@ -985,11 +937,6 @@ "Identity server URL does not appear to be a valid identity server": "Identitetsserver-URL:en verkar inte vara en giltig Matrix-identitetsserver", "Failed to re-authenticate due to a homeserver problem": "Misslyckades att återautentisera p.g.a. ett hemserverproblem", "Clear personal data": "Rensa personlig information", - "Command Autocomplete": "Autokomplettering av kommandon", - "Emoji Autocomplete": "Autokomplettering av emoji", - "Notification Autocomplete": "Autokomplettering av aviseringar", - "Room Autocomplete": "Autokomplettering av rum", - "User Autocomplete": "Autokomplettering av användare", "Confirm encryption setup": "Bekräfta krypteringsinställning", "Click the button below to confirm setting up encryption.": "Klicka på knappen nedan för att bekräfta inställning av kryptering.", "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Skydda mot att förlora åtkomst till krypterade meddelanden och data genom att säkerhetskopiera krypteringsnycklar på din server.", @@ -1113,19 +1060,9 @@ "Åland Islands": "Åland", "Afghanistan": "Afghanistan", "United States": "USA", - "%(creator)s created this DM.": "%(creator)s skapade den här DM:en.", "Invite someone using their name, email address, username (like ) or share this room.": "Bjud in någon med deras namn, e-postadress eller användarnamn (som ) eller dela det här rummet.", "Start a conversation with someone using their name, email address or username (like ).": "Starta en konversation med någon med deras namn, e-postadress eller användarnamn (som ).", "Invite by email": "Bjud in via e-post", - "This is the start of .": "Det här är början på .", - "Add a photo, so people can easily spot your room.": "Lägg till en bild, så att folk lätt kan se ditt rum.", - "%(displayName)s created this room.": "%(displayName)s skapade det här rummet.", - "You created this room.": "Du skapade det här rummet.", - "Add a topic to help people know what it is about.": "Lägg till ett ämne för att låta folk veta vad det handlar om.", - "Topic: %(topic)s ": "Ämne: %(topic)s ", - "Topic: %(topic)s (edit)": "Ämne: %(topic)s (redigera)", - "This is the beginning of your direct message history with .": "Det här är början på din direktmeddelandehistorik med .", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Bara ni två är med i den här konversationen, om inte någon av er bjuder in någon annan.", "Enable desktop notifications": "Aktivera skrivbordsaviseringar", "Don't miss a reply": "Missa inte ett svar", "Zimbabwe": "Zimbabwe", @@ -1344,9 +1281,6 @@ "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "En förvarning, om du inte lägger till en e-postadress och glömmer ditt lösenord, så kan du permanent förlora åtkomst till ditt konto.", "Continuing without email": "Fortsätter utan e-post", "There was a problem communicating with the homeserver, please try again later.": "Ett problem inträffade vi kommunikation med hemservern, vänligen försök igen senare.", - "Use email to optionally be discoverable by existing contacts.": "Använd e-post för att valfritt kunna upptäckas av existerande kontakter.", - "Use email or phone to optionally be discoverable by existing contacts.": "Använd e-post eller telefon för att valfritt kunna upptäckas av existerande kontakter.", - "Add an email to be able to reset your password.": "Lägg till en e-postadress för att kunna återställa ditt lösenord.", "That phone number doesn't look quite right, please check and try again": "Det telefonnumret ser inte korrekt ut, vänligen kolla det och försök igen", "Enter phone number": "Ange telefonnummer", "Enter email address": "Ange e-postadress", @@ -1357,7 +1291,6 @@ "Approve widget permissions": "Godta widgetbehörigheter", "You've reached the maximum number of simultaneous calls.": "Du har nått det maximala antalet samtidiga samtal.", "Too Many Calls": "För många samtal", - "You have no visible notifications.": "Du har inga synliga aviseringar.", "Transfer": "Överlåt", "Failed to transfer call": "Misslyckades att överlåta samtal", "A call can only be transferred to a single user.": "Ett samtal kan bara överlåtas till en enskild användare.", @@ -1398,12 +1331,10 @@ "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Vi bad webbläsaren att komma ihåg vilken hemserver du använder för att logga in, men tyvärr har din webbläsare glömt det. Gå till inloggningssidan och försök igen.", "We couldn't log you in": "Vi kunde inte logga in dig", "Original event source": "Ursprunglig händelsekällkod", - "Decrypted event source": "Avkrypterad händelsekällkod", "%(count)s members": { "one": "%(count)s medlem", "other": "%(count)s medlemmar" }, - "Your server does not support showing space hierarchies.": "Din server stöder inte att visa utrymmeshierarkier.", "Are you sure you want to leave the space '%(spaceName)s'?": "Är du säker på att du vill lämna utrymmet '%(spaceName)s'?", "This space is not public. You will not be able to rejoin without an invite.": "Det här utrymmet är inte offentligt. Du kommer inte kunna gå med igen utan en inbjudan.", "Start audio stream": "Starta ljudström", @@ -1438,11 +1369,6 @@ " invites you": " bjuder in dig", "You may want to try a different search or check for typos.": "Du kanske vill pröva en annan söksträng eller kolla efter felstavningar.", "No results found": "Inga resultat funna", - "Mark as suggested": "Markera som föreslaget", - "Mark as not suggested": "Markera som inte föreslaget", - "Failed to remove some rooms. Try again later": "Misslyckades att ta bort vissa rum. Försök igen senare", - "Suggested": "Föreslaget", - "This room is suggested as a good one to join": "Det här rummet föreslås som ett bra att gå med i", "%(count)s rooms": { "one": "%(count)s rum", "other": "%(count)s rum" @@ -1460,7 +1386,6 @@ "Review to ensure your account is safe": "Granska för att försäkra dig om att ditt konto är säkert", "%(deviceId)s from %(ip)s": "%(deviceId)s från %(ip)s", "unknown person": "okänd person", - "Invite to just this room": "Bjud in till bara det här rummet", "Add existing rooms": "Lägg till existerande rum", "We couldn't create your DM.": "Vi kunde inte skapa ditt DM.", "Reset event store": "Återställ händelselagring", @@ -1470,7 +1395,6 @@ "Consult first": "Tillfråga först", "Avatar": "Avatar", "Verification requested": "Verifiering begärd", - "Manage & explore rooms": "Hantera och utforska rum", "Verify your identity to access encrypted messages and prove your identity to others.": "Verifiera din identitet för att komma åt krypterade meddelanden och bevisa din identitet för andra.", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Du är den enda personen här. Om du lämnar så kommer ingen kunna gå med igen, inklusive du.", "If you reset everything, you will restart with no trusted sessions, no trusted users, and might not be able to see past messages.": "Om du återställer allt så kommer du att börja om utan betrodda sessioner eller betrodda användare, och kommer kanske inte kunna se gamla meddelanden.", @@ -1494,7 +1418,6 @@ "You have no ignored users.": "Du har inga ignorerade användare.", "Message search initialisation failed": "Initialisering av meddelandesökning misslyckades", "Search names and descriptions": "Sök namn och beskrivningar", - "Select a room below first": "Välj ett rum nedan först", "You may contact me if you have any follow up questions": "Ni kan kontakta mig om ni har vidare frågor", "To leave the beta, visit your settings.": "För att lämna betan, besök dina inställningar.", "Want to add a new room instead?": "Vill du lägga till ett nytt rum istället?", @@ -1511,7 +1434,6 @@ "We were unable to access your microphone. Please check your browser settings and try again.": "Vi kunde inte komma åt din mikrofon. Vänligen kolla dina webbläsarinställningar och försök igen.", "Unable to access your microphone": "Kan inte komma åt din mikrofon", "Connecting": "Ansluter", - "Space Autocomplete": "Utrymmesautokomplettering", "Currently joining %(count)s rooms": { "one": "Går just nu med i %(count)s rum", "other": "Går just nu med i %(count)s rum" @@ -1529,7 +1451,6 @@ "Pinned messages": "Fästa meddelanden", "If you have permissions, open the menu on any message and select Pin to stick them here.": "Om du har behörighet, öppna menyn på ett meddelande och välj Fäst för att fösta dem här.", "Nothing pinned, yet": "Inget fäst än", - "End-to-end encryption isn't enabled": "Totalsträckskryptering är inte aktiverat", "Some invites couldn't be sent": "Vissa inbjudningar kunde inte skickas", "We sent the others, but the below people couldn't be invited to ": "Vi skickade de andra, men personerna nedan kunde inte bjudas in till ", "Report": "Rapportera", @@ -1574,8 +1495,6 @@ "other": "Visa %(count)s andra förhandsgranskningar" }, "Access": "Åtkomst", - "People with supported clients will be able to join the room without having a registered account.": "Personer med stödda klienter kommer kunna gå med i rummet utan ett registrerat konto.", - "Decide who can join %(roomName)s.": "Bestäm vem som kan gå med i %(roomName)s.", "Space members": "Utrymmesmedlemmar", "Anyone in a space can find and join. You can select multiple spaces.": "Vem som helst i ett utrymme kan hitta och gå med. Du kan välja flera utrymmen.", "Spaces with access": "Utrymmen med åtkomst", @@ -1626,7 +1545,6 @@ "Collapse reply thread": "Kollapsa svarstråd", "Show preview": "Visa förhandsgranskning", "View source": "Visa källkod", - "Settings - %(spaceName)s": "Inställningar - %(spaceName)s", "Please note upgrading will make a new version of the room. All current messages will stay in this archived room.": "Observera att en uppgradering kommer att skapa en ny version av rummet. Alla nuvarande meddelanden kommer att stanna i det arkiverade rummet.", "Automatically invite members from this room to the new one": "Bjud automatiskt in medlemmar från det här rummet till det nya", "These are likely ones other room admins are a part of.": "Dessa är troligen såna andra rumsadmins är med i.", @@ -1652,19 +1570,11 @@ "Public room": "Offentligt rum", "Rooms and spaces": "Rum och utrymmen", "Results": "Resultat", - "Enable encryption in settings.": "Aktivera kryptering i inställningarna.", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Dina privata meddelanden är normalt krypterade, men det här rummet är inte det. Detta beror oftast på att en ostödd enhet eller metod används, som e-postinbjudningar.", - "To avoid these issues, create a new public room for the conversation you plan to have.": "För att undvika dessa problem, skapa ett nytt offentligt rum för konversationen du planerar att ha.", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "Det rekommenderas inte att föra krypterade rum offentliga. Det kommer betyda att vem som helst kan hitta och gå med i rummet, som vem som helst kan läsa meddelanden i dem. Du får inga av fördelarna med kryptering. Kryptering av meddelanden i ett offentligt rum kommer att göra sändning och mottagning av meddelanden långsammare.", - "Are you sure you want to make this encrypted room public?": "Är du säker på att du vill göra det här krypterade rummet offentligt?", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "För att undvika dessa problem, skapa ett nytt krypterat rum för konversationen du planerar att ha.", - "Are you sure you want to add encryption to this public room?": "Är du säker på att du vill lägga till kryptering till det här offentliga rummet?", "Cross-signing is ready but keys are not backed up.": "Korssignering är klart, men nycklarna är inte säkerhetskopierade än.", "Some encryption parameters have been changed.": "Vissa krypteringsparametrar har ändrats.", "Role in ": "Roll i ", "Unknown failure": "Okänt fel", "Failed to update the join rules": "Misslyckades att uppdatera regler för att gå med", - "Select the roles required to change various parts of the space": "Välj de roller som krävs för att ändra olika delar av utrymmet", "Anyone in can find and join. You can select other spaces too.": "Vem som helst i kan hitta och gå med. Du kan välja andra utrymmen också.", "Message didn't send. Click for info.": "Meddelande skickades inte. Klicka för info.", "To join a space you'll need an invite.": "För att gå med i ett utrymme så behöver du en inbjudan.", @@ -1700,7 +1610,6 @@ }, "Loading new room": "Laddar nytt rum", "Upgrading room": "Uppgraderar rum", - "See room timeline (devtools)": "Se rummets tidslinje (utvecklingsverktyg)", "View in room": "Visa i rum", "Enter your Security Phrase or to continue.": "Ange din säkerhetsfras eller för att fortsätta.", "MB": "MB", @@ -1719,7 +1628,6 @@ "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Vi kommer att generera en säkerhetsnyckel så du kan lagra någonstans säkert, som en lösenordshanterare eller ett kassaskåp.", "Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "Återfå åtkomst till ditt konto och få tillbaka krypteringsnycklar lagrade i den här sessionen. Utan dem kommer du inte kunna läsa alla dina säkra meddelanden i någon session.", "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Om du inte verifierar så kommer du inte komma åt alla dina meddelanden och visas kanske som ej betrodd för andra.", - "You're all caught up": "Du är ikapp", "Copy link to thread": "Kopiera länk till tråd", "Thread options": "Trådalternativ", "If you can't see who you're looking for, send them your invite link below.": "Om du inte ser den du letar efter, skicka din inbjudningslänk nedan till denne.", @@ -1737,21 +1645,6 @@ "You do not have permission to start polls in this room.": "Du får inte starta omröstningar i det här rummet.", "This room isn't bridging messages to any platforms. Learn more.": "Det här rummet bryggar inte meddelanden till några platformar. Läs mer.", "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Det här rummet är med i några utrymmen du inte är admin för. I de utrymmena så kommer det gamla rummet fortfarande visas, men folk kommer uppmanas att gå med i det nya.", - "Select all": "Välj alla", - "Deselect all": "Välj bort alla", - "Sign out devices": { - "one": "Logga ut enhet", - "other": "Logga ut enheter" - }, - "Click the button below to confirm signing out these devices.": { - "one": "Klicka på knappen nedan för att bekräfta utloggning av denna enhet.", - "other": "Klicka på knappen nedan för att bekräfta utloggning av dessa enheter." - }, - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "Bekräfta utloggning av denna enhet genom att använda samlad inloggning för att bevisa din identitet.", - "other": "Bekräfta utloggning av dessa enheter genom att använda samlad inloggning för att bevisa din identitet." - }, - "Someone already has that username. Try another or if it is you, sign in below.": "Någon annan har redan det användarnamnet. Pröva ett annat, eller om det är ditt, logga in nedan.", "%(spaceName)s and %(count)s others": { "one": "%(spaceName)s och %(count)s till", "other": "%(spaceName)s och %(count)s till" @@ -1868,12 +1761,7 @@ "Device verified": "Enhet verifierad", "Verify this device": "Verifiera den här enheten", "Unable to verify this device": "Kunde inte verifiera den här enheten", - "Failed to load list of rooms.": "Misslyckades att ladda lista över rum.", - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Ifall du vet vad du gör: Element är öppen källkod, kolla gärna våran GitHub (https://github.com/vector-im/element-web/) och bidra!", - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Om någon sa åt dig att kopiera/klistra något när, så är det troligt att du blir lurad!", "Wait!": "Vänta!", - "Unable to check if username has been taken. Try again later.": "Kunde inte kolla om användarnamnet var upptaget. Pröva igen senare.", - "Space home": "Utrymmeshem", "Mentions only": "Endast omnämnanden", "Forget": "Glöm", "Open in OpenStreetMap": "Öppna i OpenStreetMap", @@ -1948,10 +1836,6 @@ "Expand quotes": "Expandera citat", "Collapse quotes": "Kollapsa citat", "Can't create a thread from an event with an existing relation": "Kan inte skapa tråd från en händelse med en existerande relation", - "Confirm signing out these devices": { - "one": "Bekräfta utloggning av denna enhet", - "other": "Bekräfta utloggning av dessa enheter" - }, "Unban from room": "Avbanna i rum", "Ban from space": "Banna från utrymme", "Unban from space": "Avbanna i utrymme", @@ -2065,7 +1949,6 @@ "Show: %(instance)s rooms (%(server)s)": "Visa: %(instance)s-rum (%(server)s)", "Add new server…": "Lägg till ny server…", "Remove server “%(roomServer)s”": "Fjärrserver \"%(roomServer)s\"", - "Video rooms are a beta feature": "Videorum är en betafunktion", "Explore public spaces in the new search dialog": "Utforska offentliga utrymmen i den nya sökdialogen", "In %(spaceName)s and %(count)s other spaces.": { "one": "I %(spaceName)s och %(count)s annat utrymme.", @@ -2085,7 +1968,6 @@ "Messages in this chat will be end-to-end encrypted.": "Meddelanden i den här chatten kommer att vara totalsträckskypterade.", "Join the room to participate": "Gå med i rummet för att delta", "Saved Items": "Sparade föremål", - "Send your first message to invite to chat": "Skicka ditt första meddelande för att bjuda in att chatta", "You need to be able to kick users to do that.": "Du behöver kunna kicka användare för att göra det.", "Empty room (was %(oldName)s)": "Tomt rum (var %(oldName)s)", "Inviting %(user)s and %(count)s others": { @@ -2108,7 +1990,6 @@ "Automatically adjust the microphone volume": "Justera automatiskt mikrofonvolymen", "Voice settings": "Röstinställningar", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "För bäst säkerhet, verifiera dina sessioner och logga ut alla sessioner du inte känner igen eller använder längre.", - "Other sessions": "Andra sessioner", "Are you sure you want to sign out of %(count)s sessions?": { "one": "Är du säker på att du vill logga ut %(count)s session?", "other": "Är du säker på att du vill logga ut %(count)s sessioner?" @@ -2126,13 +2007,6 @@ "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s eller %(recoveryFile)s", "Interactively verify by emoji": "Verifiera interaktivt med emoji", "Manually verify by text": "Verifiera manuellt med text", - "Proxy URL": "Proxy-URL", - "Proxy URL (optional)": "Proxy-URL (valfritt)", - "To disable you will need to log out and back in, use with caution!": "För att inaktivera det här så behöver du logga ut och logga in igen, använd varsamt!", - "Sliding Sync configuration": "Glidande synk-läge", - "Your server lacks native support, you must specify a proxy": "Din server saknar nativt stöd, du måste ange en proxy", - "Your server lacks native support": "Din server saknar nativt stöd", - "Your server has native support": "Din server har nativt stöd", "Choose a locale": "Välj en lokalisering", "WARNING: ": "VARNING: ", "Error downloading image": "Fel vid nedladdning av bild", @@ -2156,67 +2030,10 @@ "Show formatting": "Visa formatering", "Hide formatting": "Dölj formatering", "Failed to set pusher state": "Misslyckades att sätta pusharläge", - "Security recommendations": "Säkerhetsrekommendationer", - "Show QR code": "Visa QR-kod", - "You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.": "Du kan använda den här enheten för att logga in en ny enhet med en QR-kod. Du kommer behöva skanna QR-koden som visas på den här enheten med din enhet som är utloggad.", - "Sign in with QR code": "Logga in med QR-kod", - "Filter devices": "Filtrera enheter", - "Inactive for %(inactiveAgeDays)s days or longer": "Inaktiv i %(inactiveAgeDays)s dagar eller längre", - "Inactive": "Inaktiv", - "Not ready for secure messaging": "Inte redo för säkra meddelanden", - "Ready for secure messaging": "Redo för säkra meddelanden", - "All": "Alla", - "No sessions found.": "Inga sessioner hittades.", - "No inactive sessions found.": "Inga inaktiva sessioner hittades.", - "No unverified sessions found.": "Inga overifierade sessioner hittades.", - "No verified sessions found.": "Inga verifierade sessioner hittades.", - "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Överväg att logga ut ur gamla sessioner (%(inactiveAgeDays)s dagar eller äldre) du inte använder längre.", - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Verifiera dina sessioner för förbättrad säker meddelandehantering eller logga ut ur de du inte känner igen eller använder längre.", - "For best security, sign out from any session that you don't recognize or use anymore.": "För bäst säkerhet, logga ut från alla sessioner du inte känner igen eller använder längre.", - "Verify or sign out from this session for best security and reliability.": "Verifiera eller logga ut ur den här sessionen för bäst säkerhet och pålitlighet.", - "This session doesn't support encryption and thus can't be verified.": "Den här sessionen stöder inte kryptering och kan därför inte verifieras.", - "This session is ready for secure messaging.": "Den här sessionen är redo för säkra meddelanden.", - "Verified session": "Verifierad session", - "Unknown session type": "Okänd sessionstyp", - "Web session": "Webbsession", - "Mobile session": "Mobil session", - "Desktop session": "Skrivbordssession", - "Inactive for %(inactiveAgeDays)s+ days": "Inaktiv i %(inactiveAgeDays)s+ dagar", - "Removing inactive sessions improves security and performance, and makes it easier for you to identify if a new session is suspicious.": "Borttagning av inaktiva sessioner förbättra säkerhet och prestanda, och gör det enklare för dig att identifiera om en ny session är misstänkt.", - "Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.": "Inaktiva sessioner är sessioner du inte har använt på länge, men de fortsätter att motta krypteringsnycklar.", - "Inactive sessions": "Inaktiva sessioner", - "For best security and privacy, it is recommended to use Matrix clients that support encryption.": "För bäst säkerhet och sekretess så rekommenderas du använda Matrixklienter som stöder kryptering.", - "You won't be able to participate in rooms where encryption is enabled when using this session.": "Du kommer inte kunna delta i rum där kryptering är aktiverad när du använder den här sessionen.", - "Unverified session": "Overifierad session", - "You should make especially certain that you recognise these sessions as they could represent an unauthorised use of your account.": "Du bör speciellt försäkra dig om att du känner igen alla dessa sessioner eftersom att de kan representera en oauktoriserad användning av ditt konto.", - "Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.": "Overifierade sessioner är sessioner där du har loggat in med dina uppgifter men som inte har korsverifierats.", - "Unverified sessions": "Overifierade sessioner", - "This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Detta betyder att du har alla nycklar som krävs för att låsa upp dina krypterade meddelanden och bekräfta för andra användare att du litar på den här sessionen.", - "Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Verifierade sessioner är alla ställen där du använder det här kontot efter att ha angett din lösenfras eller bekräftat din identitet med en annan verifierad session.", - "Verified sessions": "Verifierade sessioner", - "Show details": "Visa detaljer", - "Hide details": "Dölj detaljer", - "Sign out of this session": "Logga ut den här sessionen", - "Receive push notifications on this session.": "Få pushnotiser på den här sessionen.", - "Push notifications": "Pushnotiser", - "Toggle push notifications on this session.": "Växla pushnotiser på den här sessionen.", - "Session details": "Sessionsdetaljer", - "IP address": "IP-adress", - "Browser": "Webbläsare", - "Operating system": "Operativsystem", - "URL": "URL", - "Last activity": "Senaste aktiviteten", - "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "Detta gör att de kan lita på att de verkligen pratar med dig, men det betyder också att de kan se sessionsnamnet du anger här.", - "Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "Andra användare i direktmeddelanden och rum du går med i kan se en full lista över dina sessioner.", - "Renaming sessions": "Döper om sessioner", - "Please be aware that session names are also visible to people you communicate with.": "Observera att sessionsnamn också syns för personer du kommunicerar med.", - "Rename session": "Döp om session", - "Current session": "Nuvarande session", "Call type": "Samtalstyp", "You do not have sufficient permissions to change this.": "Du är inte behörig att ändra detta.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s är totalsträckskrypterad, men är för närvarande begränsad till ett lägre antal användare.", "Enable %(brand)s as an additional calling option in this room": "Aktivera %(brand)s som ett extra samtalsalternativ i det här rummet", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "Det rekommenderas inte att lägga till kryptering i offentliga rum. Vem som helst kan hitta och gå med i offentliga rum, så vem som helst kan läsa meddelanden i dem. Du får inga av fördelarna med kryptering, och du kommer inte kunna stänga av de senare. Kryptering av meddelanden i offentliga rum kommer att göra det långsammare att ta emot och skicka meddelanden.", "Too many attempts in a short time. Wait some time before trying again.": "För många försök under för kort tid. Vänta ett tag innan du försöker igen.", "Thread root ID: %(threadRootId)s": "Trådens rot-ID: %(threadRootId)s", "We're creating a room with %(names)s": "Vi skapar ett rum med %(names)s", @@ -2252,23 +2069,10 @@ "Create a link": "Skapa en länk", "Edit link": "Redigera länk", " in %(room)s": " i %(room)s", - "Improve your account security by following these recommendations.": "Förbättra din kontosäkerhet genom att följa dessa rekommendationer.", - "Sign out of %(count)s sessions": { - "one": "Logga ut ur %(count)s session", - "other": "Logga ut ur %(count)s sessioner" - }, - "%(count)s sessions selected": { - "one": "%(count)s session vald", - "other": "%(count)s sessioner valda" - }, - "Verify your current session for enhanced secure messaging.": "Verifiera din nuvarande session för förbättrade säkra meddelanden.", - "Your current session is ready for secure messaging.": "Din nuvarande session är redo för säkra meddelanden.", - "Sign out of all other sessions (%(otherSessionsCount)s)": "Logga ut ur alla andra sessioner (%(otherSessionsCount)s)", "You can’t start a call as you are currently recording a live broadcast. Please end your live broadcast in order to start a call.": "Du kan inte starta ett samtal eftersom att du spelar in en direktsändning. Vänligen avsluta din direktsändning för att starta ett samtal.", "Can’t start a call": "Kunde inte starta ett samtal", "Failed to read events": "Misslyckades att läsa händelser", "Failed to send event": "Misslyckades att skicka händelse", - "Decrypted source unavailable": "Avkrypterad källa otillgänglig", "Registration token": "Registreringstoken", "Enter a registration token provided by the homeserver administrator.": "Ange en registreringstoken försedd av hemserveradministratören.", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", @@ -2348,7 +2152,6 @@ "Poll history": "Omröstningshistorik", "Search all rooms": "Sök i alla rum", "Search this room": "Sök i det här rummet", - "Once everyone has joined, you’ll be able to chat": "När alla har gått med kommer du kunna chatta", "Formatting": "Formatering", "You do not have permission to invite users": "Du är inte behörig att bjuda in användare", "Upload custom sound": "Ladda upp anpassat ljud", @@ -2390,7 +2193,6 @@ "Match default setting": "Matcha förvalsinställning", "Mute room": "Tysta rum", "Unable to find event at that date": "Kunde inte hitta händelse vid det datumet", - "Your server requires encryption to be disabled.": "Din server kräver att kryptering är inaktiverat.", "Are you sure you wish to remove (delete) this event?": "Är du säker på att du vill ta bort (radera) den här händelsen?", "Note that removing room changes like this could undo the change.": "Observera att om du tar bort rumsändringar som den här kanske det ångrar ändringen.", "Your server is unsupported": "Din server stöds inte", @@ -2497,7 +2299,9 @@ "orphan_rooms": "Andra rum", "on": "På", "off": "Av", - "all_rooms": "Alla rum" + "all_rooms": "Alla rum", + "deselect_all": "Välj bort alla", + "select_all": "Välj alla" }, "action": { "continue": "Fortsätt", @@ -2679,7 +2483,15 @@ "rust_crypto_disabled_notice": "Kan för närvarande endast aktiveras via config.json", "automatic_debug_logs_key_backup": "Skicka automatiskt felsökningsloggar när nyckelsäkerhetskopiering inte funkar", "automatic_debug_logs_decryption": "Skicka automatiskt avbuggningsloggar vid avkrypteringsfel", - "automatic_debug_logs": "Skicka automatiskt felsökningsloggar vid fel" + "automatic_debug_logs": "Skicka automatiskt felsökningsloggar vid fel", + "sliding_sync_server_support": "Din server har nativt stöd", + "sliding_sync_server_no_support": "Din server saknar nativt stöd", + "sliding_sync_server_specify_proxy": "Din server saknar nativt stöd, du måste ange en proxy", + "sliding_sync_configuration": "Glidande synk-läge", + "sliding_sync_disable_warning": "För att inaktivera det här så behöver du logga ut och logga in igen, använd varsamt!", + "sliding_sync_proxy_url_optional_label": "Proxy-URL (valfritt)", + "sliding_sync_proxy_url_label": "Proxy-URL", + "video_rooms_beta": "Videorum är en betafunktion" }, "keyboard": { "home": "Hem", @@ -2774,7 +2586,19 @@ "placeholder_reply_encrypted": "Skicka ett krypterat svar…", "placeholder_reply": "Skicka ett svar…", "placeholder_encrypted": "Skicka ett krypterat meddelande…", - "placeholder": "Skicka ett meddelande…" + "placeholder": "Skicka ett meddelande…", + "autocomplete": { + "command_description": "Kommandon", + "command_a11y": "Autokomplettering av kommandon", + "emoji_a11y": "Autokomplettering av emoji", + "@room_description": "Meddela hela rummet", + "notification_description": "Rumsavisering", + "notification_a11y": "Autokomplettering av aviseringar", + "room_a11y": "Autokomplettering av rum", + "space_a11y": "Utrymmesautokomplettering", + "user_description": "Användare", + "user_a11y": "Autokomplettering av användare" + } }, "Bold": "Fet", "Link": "Länk", @@ -3029,6 +2853,95 @@ }, "keyboard": { "title": "Tangentbord" + }, + "sessions": { + "rename_form_heading": "Döp om session", + "rename_form_caption": "Observera att sessionsnamn också syns för personer du kommunicerar med.", + "rename_form_learn_more": "Döper om sessioner", + "rename_form_learn_more_description_1": "Andra användare i direktmeddelanden och rum du går med i kan se en full lista över dina sessioner.", + "rename_form_learn_more_description_2": "Detta gör att de kan lita på att de verkligen pratar med dig, men det betyder också att de kan se sessionsnamnet du anger här.", + "session_id": "Sessions-ID", + "last_activity": "Senaste aktiviteten", + "url": "URL", + "os": "Operativsystem", + "browser": "Webbläsare", + "ip": "IP-adress", + "details_heading": "Sessionsdetaljer", + "push_toggle": "Växla pushnotiser på den här sessionen.", + "push_heading": "Pushnotiser", + "push_subheading": "Få pushnotiser på den här sessionen.", + "sign_out": "Logga ut den här sessionen", + "hide_details": "Dölj detaljer", + "show_details": "Visa detaljer", + "inactive_days": "Inaktiv i %(inactiveAgeDays)s+ dagar", + "verified_sessions": "Verifierade sessioner", + "verified_sessions_explainer_1": "Verifierade sessioner är alla ställen där du använder det här kontot efter att ha angett din lösenfras eller bekräftat din identitet med en annan verifierad session.", + "verified_sessions_explainer_2": "Detta betyder att du har alla nycklar som krävs för att låsa upp dina krypterade meddelanden och bekräfta för andra användare att du litar på den här sessionen.", + "unverified_sessions": "Overifierade sessioner", + "unverified_sessions_explainer_1": "Overifierade sessioner är sessioner där du har loggat in med dina uppgifter men som inte har korsverifierats.", + "unverified_sessions_explainer_2": "Du bör speciellt försäkra dig om att du känner igen alla dessa sessioner eftersom att de kan representera en oauktoriserad användning av ditt konto.", + "unverified_session": "Overifierad session", + "unverified_session_explainer_1": "Den här sessionen stöder inte kryptering och kan därför inte verifieras.", + "unverified_session_explainer_2": "Du kommer inte kunna delta i rum där kryptering är aktiverad när du använder den här sessionen.", + "unverified_session_explainer_3": "För bäst säkerhet och sekretess så rekommenderas du använda Matrixklienter som stöder kryptering.", + "inactive_sessions": "Inaktiva sessioner", + "inactive_sessions_explainer_1": "Inaktiva sessioner är sessioner du inte har använt på länge, men de fortsätter att motta krypteringsnycklar.", + "inactive_sessions_explainer_2": "Borttagning av inaktiva sessioner förbättra säkerhet och prestanda, och gör det enklare för dig att identifiera om en ny session är misstänkt.", + "desktop_session": "Skrivbordssession", + "mobile_session": "Mobil session", + "web_session": "Webbsession", + "unknown_session": "Okänd sessionstyp", + "device_verified_description_current": "Din nuvarande session är redo för säkra meddelanden.", + "device_verified_description": "Den här sessionen är redo för säkra meddelanden.", + "verified_session": "Verifierad session", + "device_unverified_description_current": "Verifiera din nuvarande session för förbättrade säkra meddelanden.", + "device_unverified_description": "Verifiera eller logga ut ur den här sessionen för bäst säkerhet och pålitlighet.", + "verify_session": "Verifiera sessionen", + "verified_sessions_list_description": "För bäst säkerhet, logga ut från alla sessioner du inte känner igen eller använder längre.", + "unverified_sessions_list_description": "Verifiera dina sessioner för förbättrad säker meddelandehantering eller logga ut ur de du inte känner igen eller använder längre.", + "inactive_sessions_list_description": "Överväg att logga ut ur gamla sessioner (%(inactiveAgeDays)s dagar eller äldre) du inte använder längre.", + "no_verified_sessions": "Inga verifierade sessioner hittades.", + "no_unverified_sessions": "Inga overifierade sessioner hittades.", + "no_inactive_sessions": "Inga inaktiva sessioner hittades.", + "no_sessions": "Inga sessioner hittades.", + "filter_all": "Alla", + "filter_verified_description": "Redo för säkra meddelanden", + "filter_unverified_description": "Inte redo för säkra meddelanden", + "filter_inactive": "Inaktiv", + "filter_inactive_description": "Inaktiv i %(inactiveAgeDays)s dagar eller längre", + "filter_label": "Filtrera enheter", + "n_sessions_selected": { + "one": "%(count)s session vald", + "other": "%(count)s sessioner valda" + }, + "sign_in_with_qr": "Logga in med QR-kod", + "sign_in_with_qr_description": "Du kan använda den här enheten för att logga in en ny enhet med en QR-kod. Du kommer behöva skanna QR-koden som visas på den här enheten med din enhet som är utloggad.", + "sign_in_with_qr_button": "Visa QR-kod", + "sign_out_n_sessions": { + "one": "Logga ut ur %(count)s session", + "other": "Logga ut ur %(count)s sessioner" + }, + "other_sessions_heading": "Andra sessioner", + "sign_out_all_other_sessions": "Logga ut ur alla andra sessioner (%(otherSessionsCount)s)", + "current_session": "Nuvarande session", + "confirm_sign_out_sso": { + "one": "Bekräfta utloggning av denna enhet genom att använda samlad inloggning för att bevisa din identitet.", + "other": "Bekräfta utloggning av dessa enheter genom att använda samlad inloggning för att bevisa din identitet." + }, + "confirm_sign_out": { + "one": "Bekräfta utloggning av denna enhet", + "other": "Bekräfta utloggning av dessa enheter" + }, + "confirm_sign_out_body": { + "one": "Klicka på knappen nedan för att bekräfta utloggning av denna enhet.", + "other": "Klicka på knappen nedan för att bekräfta utloggning av dessa enheter." + }, + "confirm_sign_out_continue": { + "one": "Logga ut enhet", + "other": "Logga ut enheter" + }, + "security_recommendations": "Säkerhetsrekommendationer", + "security_recommendations_description": "Förbättra din kontosäkerhet genom att följa dessa rekommendationer." } }, "devtools": { @@ -3123,7 +3036,9 @@ "show_hidden_events": "Visa dolda händelser i tidslinjen", "low_bandwidth_mode_description": "Kräver kompatibel hemserver.", "low_bandwidth_mode": "Lågt bandbreddsläge", - "developer_mode": "Utvecklarläge" + "developer_mode": "Utvecklarläge", + "view_source_decrypted_event_source": "Avkrypterad händelsekällkod", + "view_source_decrypted_event_source_unavailable": "Avkrypterad källa otillgänglig" }, "export_chat": { "html": "HTML", @@ -3510,7 +3425,9 @@ "io.element.voice_broadcast_info": { "you": "Du avslutade en röstsändning", "user": "%(senderName)s avslutade en röstsändning" - } + }, + "creation_summary_dm": "%(creator)s skapade den här DM:en.", + "creation_summary_room": "%(creator)s skapade och konfigurerade rummet." }, "slash_command": { "spoiler": "Skickar det angivna meddelandet som en spoiler", @@ -3704,13 +3621,53 @@ "kick": "Ta bort användare", "ban": "Banna användare", "redact": "Ta bort meddelanden skickade av andra", - "notifications.room": "Meddela alla" + "notifications.room": "Meddela alla", + "no_privileged_users": "Inga användare har specifika privilegier i det här rummet", + "privileged_users_section": "Privilegierade användare", + "muted_users_section": "Dämpade användare", + "banned_users_section": "Bannade användare", + "send_event_type": "Skicka %(eventType)s-händelser", + "title": "Roller & behörigheter", + "permissions_section": "Behörigheter", + "permissions_section_description_space": "Välj de roller som krävs för att ändra olika delar av utrymmet", + "permissions_section_description_room": "Välj de roller som krävs för att ändra olika delar av rummet" }, "security": { "strict_encryption": "Skicka aldrig krypterade meddelanden till overifierade sessioner i det här rummet från den här sessionen", "join_rule_invite": "Privat (endast inbjudan)", "join_rule_invite_description": "Endast inbjudna personer kan gå med.", - "join_rule_public_description": "Vem som helst kan hitta och gå med." + "join_rule_public_description": "Vem som helst kan hitta och gå med.", + "enable_encryption_public_room_confirm_title": "Är du säker på att du vill lägga till kryptering till det här offentliga rummet?", + "enable_encryption_public_room_confirm_description_1": "Det rekommenderas inte att lägga till kryptering i offentliga rum. Vem som helst kan hitta och gå med i offentliga rum, så vem som helst kan läsa meddelanden i dem. Du får inga av fördelarna med kryptering, och du kommer inte kunna stänga av de senare. Kryptering av meddelanden i offentliga rum kommer att göra det långsammare att ta emot och skicka meddelanden.", + "enable_encryption_public_room_confirm_description_2": "För att undvika dessa problem, skapa ett nytt krypterat rum för konversationen du planerar att ha.", + "enable_encryption_confirm_title": "Aktivera kryptering?", + "enable_encryption_confirm_description": "När det är aktiverat kan kryptering för ett rum inte inaktiveras. Meddelanden som skickas i ett krypterat rum kan inte ses av servern, utan endast av deltagarna i rummet. Att aktivera kryptering kan förhindra att många bottar och bryggor fungerar korrekt. Läs mer om kryptering.", + "public_without_alias_warning": "För att länka till det här rummet, lägg till en adress.", + "join_rule_description": "Bestäm vem som kan gå med i %(roomName)s.", + "encrypted_room_public_confirm_title": "Är du säker på att du vill göra det här krypterade rummet offentligt?", + "encrypted_room_public_confirm_description_1": "Det rekommenderas inte att föra krypterade rum offentliga. Det kommer betyda att vem som helst kan hitta och gå med i rummet, som vem som helst kan läsa meddelanden i dem. Du får inga av fördelarna med kryptering. Kryptering av meddelanden i ett offentligt rum kommer att göra sändning och mottagning av meddelanden långsammare.", + "encrypted_room_public_confirm_description_2": "För att undvika dessa problem, skapa ett nytt offentligt rum för konversationen du planerar att ha.", + "history_visibility": {}, + "history_visibility_warning": "Ändringar av vem som kan läsa historiken gäller endast för framtida meddelanden i detta rum. Synligheten för befintlig historik kommer att vara oförändrad.", + "history_visibility_legend": "Vilka kan läsa historik?", + "guest_access_warning": "Personer med stödda klienter kommer kunna gå med i rummet utan ett registrerat konto.", + "title": "Säkerhet & sekretess", + "encryption_permanent": "Efter aktivering kan kryptering inte inaktiveras.", + "encryption_forced": "Din server kräver att kryptering är inaktiverat.", + "history_visibility_shared": "Endast medlemmar (från tidpunkten för när denna inställning valdes)", + "history_visibility_invited": "Endast medlemmar (från när de blev inbjudna)", + "history_visibility_joined": "Endast medlemmar (från när de gick med)", + "history_visibility_world_readable": "Vem som helst" + }, + "general": { + "publish_toggle": "Publicera rummet i den offentliga rumskatalogen på %(domain)s?", + "user_url_previews_default_on": "Du har aktiverat URL-förhandsgranskning som förval.", + "user_url_previews_default_off": "Du har inaktiverat URL-förhandsgranskning som förval.", + "default_url_previews_on": "URL-förhandsgranskning är aktiverat som förval för deltagare i detta rum.", + "default_url_previews_off": "URL-förhandsgranskning är inaktiverat som förval för deltagare i detta rum.", + "url_preview_encryption_warning": "I krypterade rum, som detta, är URL-förhandsgranskning inaktiverad som förval för att säkerställa att din hemserver (där förhandsgranskningar genereras) inte kan samla information om länkar du ser i rummet.", + "url_preview_explainer": "När någon lägger en URL i sitt meddelande, kan URL-förhandsgranskning ge mer information om länken, såsom titel, beskrivning, och en bild från webbplatsen.", + "url_previews_section": "URL-förhandsgranskning" } }, "encryption": { @@ -3833,7 +3790,15 @@ "server_picker_explainer": "Använd din föredragna hemserver om du har en, eller driv din egen.", "server_picker_learn_more": "Om hemservrar", "incorrect_credentials": "Fel användarnamn och/eller lösenord.", - "account_deactivated": "Det här kontot har avaktiverats." + "account_deactivated": "Det här kontot har avaktiverats.", + "registration_username_validation": "Använd endast små bokstäver, siffror, bindestreck och understreck", + "registration_username_unable_check": "Kunde inte kolla om användarnamnet var upptaget. Pröva igen senare.", + "registration_username_in_use": "Någon annan har redan det användarnamnet. Pröva ett annat, eller om det är ditt, logga in nedan.", + "phone_label": "Telefon", + "phone_optional_label": "Telefon (valfritt)", + "email_help_text": "Lägg till en e-postadress för att kunna återställa ditt lösenord.", + "email_phone_discovery_text": "Använd e-post eller telefon för att valfritt kunna upptäckas av existerande kontakter.", + "email_discovery_text": "Använd e-post för att valfritt kunna upptäckas av existerande kontakter." }, "room_list": { "sort_unread_first": "Visa rum med olästa meddelanden först", @@ -4045,7 +4010,21 @@ "light_high_contrast": "Ljust högkontrast" }, "space": { - "landing_welcome": "Välkommen till " + "landing_welcome": "Välkommen till ", + "suggested_tooltip": "Det här rummet föreslås som ett bra att gå med i", + "suggested": "Föreslaget", + "select_room_below": "Välj ett rum nedan först", + "unmark_suggested": "Markera som inte föreslaget", + "mark_suggested": "Markera som föreslaget", + "failed_remove_rooms": "Misslyckades att ta bort vissa rum. Försök igen senare", + "failed_load_rooms": "Misslyckades att ladda lista över rum.", + "incompatible_server_hierarchy": "Din server stöder inte att visa utrymmeshierarkier.", + "context_menu": { + "devtools_open_timeline": "Se rummets tidslinje (utvecklingsverktyg)", + "home": "Utrymmeshem", + "explore": "Utforska rum", + "manage_and_explore": "Hantera och utforska rum" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "Den här hemservern har inte konfigurerats för att visa kartor.", @@ -4102,5 +4081,52 @@ "setup_rooms_description": "Du kan lägga till flera senare också, inklusive redan existerande.", "setup_rooms_private_heading": "Vilka projekt jobbar ditt team på?", "setup_rooms_private_description": "Vi kommer skapa rum för var och en av dem." + }, + "user_menu": { + "switch_theme_light": "Byt till ljust läge", + "switch_theme_dark": "Byt till mörkt läge" + }, + "notif_panel": { + "empty_heading": "Du är ikapp", + "empty_description": "Du har inga synliga aviseringar." + }, + "console_scam_warning": "Om någon sa åt dig att kopiera/klistra något när, så är det troligt att du blir lurad!", + "console_dev_note": "Ifall du vet vad du gör: Element är öppen källkod, kolla gärna våran GitHub (https://github.com/vector-im/element-web/) och bidra!", + "room": { + "drop_file_prompt": "Släpp en fil här för att ladda upp", + "intro": { + "send_message_start_dm": "Skicka ditt första meddelande för att bjuda in att chatta", + "encrypted_3pid_dm_pending_join": "När alla har gått med kommer du kunna chatta", + "start_of_dm_history": "Det här är början på din direktmeddelandehistorik med .", + "dm_caption": "Bara ni två är med i den här konversationen, om inte någon av er bjuder in någon annan.", + "topic_edit": "Ämne: %(topic)s (redigera)", + "topic": "Ämne: %(topic)s ", + "no_topic": "Lägg till ett ämne för att låta folk veta vad det handlar om.", + "you_created": "Du skapade det här rummet.", + "user_created": "%(displayName)s skapade det här rummet.", + "room_invite": "Bjud in till bara det här rummet", + "no_avatar_label": "Lägg till en bild, så att folk lätt kan se ditt rum.", + "start_of_room": "Det här är början på .", + "private_unencrypted_warning": "Dina privata meddelanden är normalt krypterade, men det här rummet är inte det. Detta beror oftast på att en ostödd enhet eller metod används, som e-postinbjudningar.", + "enable_encryption_prompt": "Aktivera kryptering i inställningarna.", + "unencrypted_warning": "Totalsträckskryptering är inte aktiverat" + } + }, + "file_panel": { + "guest_note": "Du måste registrera dig för att använda den här funktionaliteten", + "peek_note": "Du måste gå med i rummet för att se tillhörande filer", + "empty_heading": "Inga filer synliga i det här rummet", + "empty_description": "Bifoga filer från chatten eller dra och släpp dem vart som helst i rummet." + }, + "terms": { + "integration_manager": "Använd bottar, bryggor, widgets och dekalpaket", + "tos": "Användarvillkor", + "intro": "För att fortsätta måste du acceptera villkoren för denna tjänst.", + "column_service": "Tjänst", + "column_summary": "Sammanfattning", + "column_document": "Dokument" + }, + "space_settings": { + "title": "Inställningar - %(spaceName)s" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/ta.json b/src/i18n/strings/ta.json index 7b2bfb69c8..4cd2901703 100644 --- a/src/i18n/strings/ta.json +++ b/src/i18n/strings/ta.json @@ -167,5 +167,10 @@ "update": { "see_changes_button": "புதிதாக என்ன?", "release_notes_toast_title": "புதிதாக வந்தவை" + }, + "space": { + "context_menu": { + "explore": "அறைகளை ஆராயுங்கள்" + } } } diff --git a/src/i18n/strings/te.json b/src/i18n/strings/te.json index 83560a909e..6c7396cac1 100644 --- a/src/i18n/strings/te.json +++ b/src/i18n/strings/te.json @@ -9,16 +9,13 @@ "You do not have permission to post to this room": "మీకు ఈ గదికి పోస్ట్ చేయడానికి అనుమతి లేదు", "A new password must be entered.": "కొత్త పాస్ వర్డ్ ను తప్పక నమోదు చేయాలి.", "An error has occurred.": "ఒక లోపము సంభవించినది.", - "Anyone": "ఎవరైనా", "Are you sure?": "మీరు చెప్పేది నిజమా?", "Are you sure you want to leave the room '%(roomName)s'?": "మీరు ఖచ్చితంగా గది '%(roomName)s' వదిలివేయాలనుకుంటున్నారా?", "Are you sure you want to reject the invitation?": "మీరు ఖచ్చితంగా ఆహ్వానాన్ని తిరస్కరించాలనుకుంటున్నారా?", - "Banned users": "నిషేధించిన వినియోగదారులు", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "గృహనిర్వాహకులకు కనెక్ట్ చేయలేరు - దయచేసి మీ కనెక్టివిటీని తనిఖీ చేయండి, మీ 1 హోమరుసు యొక్క ఎస్ఎస్ఎల్ సర్టిఫికేట్ 2 ని విశ్వసనీయపరుచుకొని, బ్రౌజర్ పొడిగింపు అభ్యర్థనలను నిరోధించబడదని నిర్ధారించుకోండి.", "Change Password": "పాస్వర్డ్ మార్చండి", "You cannot place a call with yourself.": "మీకు మీరే కాల్ చేయలేరు.", "You need to be able to invite users to do that.": "మీరు దీన్ని చేయడానికి వినియోగదారులను ఆహ్వానించగలరు.", - "Commands": "కమ్మండ్స్", "Confirm password": "పాస్వర్డ్ని నిర్ధారించండి", "Cryptography": "క్రిప్టోగ్రఫీ", "Current password": "ప్రస్తుత పాస్వర్డ్", @@ -159,5 +156,18 @@ "room_list": { "failed_remove_tag": "గది నుండి బొందు %(tagName)s తొలగించడంలో విఫలమైంది", "failed_add_tag": "%(tagName)s ను బొందు జోడించడంలో విఫలమైంది" + }, + "composer": { + "autocomplete": { + "command_description": "కమ్మండ్స్" + } + }, + "room_settings": { + "permissions": { + "banned_users_section": "నిషేధించిన వినియోగదారులు" + }, + "security": { + "history_visibility_world_readable": "ఎవరైనా" + } } } diff --git a/src/i18n/strings/th.json b/src/i18n/strings/th.json index 7c761b3234..25f4a48573 100644 --- a/src/i18n/strings/th.json +++ b/src/i18n/strings/th.json @@ -24,12 +24,9 @@ "other": "และอีก %(count)s ผู้ใช้..." }, "An error has occurred.": "เกิดข้อผิดพลาด", - "Anyone": "ทุกคน", "Are you sure?": "คุณแน่ใจหรือไม่?", "Are you sure you want to leave the room '%(roomName)s'?": "คุณแน่ใจหรือว่าต้องการจะออกจากห้อง '%(roomName)s'?", "Are you sure you want to reject the invitation?": "คุณแน่ใจหรือว่าต้องการจะปฏิเสธคำเชิญ?", - "Banned users": "ผู้ใช้ที่ถูกแบน", - "Commands": "คำสั่ง", "Confirm password": "ยืนยันรหัสผ่าน", "Cryptography": "วิทยาการเข้ารหัส", "Current password": "รหัสผ่านปัจจุบัน", @@ -64,10 +61,8 @@ "": "<ไม่รองรับ>", "No more results": "ไม่มีผลลัพธ์อื่น", "Passwords can't be empty": "รหัสผ่านต้องไม่ว่าง", - "Permissions": "สิทธิ์", "Phone": "โทรศัพท์", "Please check your email and click on the link it contains. Once this is done, click continue.": "กรุณาเช็คอีเมลและคลิกลิงก์ข้างใน หลังจากนั้น คลิกดำเนินการต่อ", - "Privileged Users": "ผู้ใช้ที่มีสิทธิพิเศษ", "Reject invitation": "ปฏิเสธคำเชิญ", "Return to login screen": "กลับไปยังหน้าลงชื่อเข้าใช้", "%(brand)s does not have permission to send you notifications - please check your browser settings": "%(brand)s ไม่มีสิทธิ์ส่งการแจ้งเตือน - กรุณาตรวจสอบการตั้งค่าเบราว์เซอร์ของคุณ", @@ -96,10 +91,6 @@ }, "Upload Failed": "การอัปโหลดล้มเหลว", "Warning!": "คำเตือน!", - "Who can read history?": "ใครสามารถอ่านประวัติแชทได้?", - "You have disabled URL previews by default.": "ค่าเริ่มต้นของคุณปิดใช้งานตัวอย่าง URL เอาไว้", - "You have enabled URL previews by default.": "ค่าเริ่มต้นของคุณเปิดใช้งานตัวอย่าง URL เอาไว้", - "You must register to use this functionality": "คุณต้องลงทะเบียนเพื่อใช้ฟังก์ชันนี้", "You need to be logged in.": "คุณต้องเข้าสู่ระบบก่อน", "Sun": "อา.", "Mon": "จ.", @@ -144,7 +135,6 @@ "%(roomName)s does not exist.": "ไม่มีห้อง %(roomName)s อยู่จริง", "Enter passphrase": "กรอกรหัสผ่าน", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (ระดับอำนาจ %(powerLevelNumber)s)", - "Users": "ผู้ใช้", "Verification Pending": "รอการตรวจสอบ", "You cannot place a call with yourself.": "คุณไม่สามารถโทรหาตัวเองได้", "Error decrypting image": "เกิดข้อผิดพลาดในการถอดรหัสรูป", @@ -214,45 +204,8 @@ "Too Many Calls": "โทรมากเกินไป", "You cannot place calls without a connection to the server.": "คุณไม่สามารถโทรออกได้หากไม่ได้เชื่อมต่อกับเซิร์ฟเวอร์.", "Connectivity to the server has been lost": "ขาดการเชื่อมต่อกับเซิร์ฟเวอร์", - "Show details": "แสดงรายละเอียด", - "Hide details": "ซ่อนรายละเอียด", - "Sign out of this session": "ออกจากระบบเซสชันนี้.", - "Receive push notifications on this session.": "รับการแจ้งเตือนแบบพุชในเซสชันนี้.", - "Push notifications": "การแจ้งเตือนแบบพุช", - "Toggle push notifications on this session.": "สลับการแจ้งเตือนแบบพุชในเซสชันนี้.", - "Session details": "รายละเอียดเซสชัน", - "IP address": "ที่อยู่ IP", - "Browser": "เบราว์เซอร์", - "Operating system": "ระบบปฏิบัติการ", - "Last activity": "กิจกรรมสุดท้าย", "Session ID": "รหัสเซสชัน", - "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "สิ่งนี้ทำให้พวกเขามั่นใจว่าพวกเขากำลังพูดกับคุณจริงๆ แต่ก็หมายความว่าพวกเขาสามารถเห็นชื่อเซสชันที่คุณป้อนที่นี่.", - "Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "ผู้ใช้รายอื่นในข้อความส่วนตัวและห้องแชทที่คุณเข้าร่วมจะดูรายการเซสชันทั้งหมดของคุณได้.", - "Renaming sessions": "การเปลี่ยนชื่อเซสชัน", - "Please be aware that session names are also visible to people you communicate with.": "โปรดทราบว่าชื่อเซสชันจะปรากฏแก่บุคคลที่คุณสื่อสารด้วย.", - "Rename session": "เปลี่ยนชื่อเซสชัน", - "Sign out devices": { - "one": "ออกจากระบบอุปกรณ์", - "other": "ออกจากระบบอุปกรณ์" - }, - "Click the button below to confirm signing out these devices.": { - "one": "คลิกปุ่มด้านล่างเพื่อยืนยันการออกจากระบบอุปกรณ์นี้.", - "other": "คลิกปุ่มด้านล่างเพื่อยืนยันการออกจากระบบอุปกรณ์เหล่านี้." - }, - "Confirm signing out these devices": { - "one": "ยืนยันการออกจากระบบอุปกรณ์นี้", - "other": "ยืนยันการออกจากระบบอุปกรณ์เหล่านี้" - }, - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "ยืนยันการออกจากระบบอุปกรณ์นี้โดยใช้การลงชื่อเพียงครั้งเดียวเพื่อพิสูจน์ตัวตนของคุณ.", - "other": "ยืนยันการออกจากระบบอุปกรณ์เหล่านี้โดยใช้การลงชื่อเพียงครั้งเดียวเพื่อพิสูจน์ตัวตนของคุณ." - }, - "Current session": "เซสชันปัจจุบัน", "Encryption not enabled": "ไม่ได้เปิดใช้งานการเข้ารหัส", - "End-to-end encryption isn't enabled": "ไม่ได้เปิดใช้งานการเข้ารหัสจากต้นทางถึงปลายทาง", - "You won't be able to participate in rooms where encryption is enabled when using this session.": "คุณจะไม่สามารถเข้าร่วมในห้องที่เปิดใช้งานการเข้ารหัสเมื่อใช้เซสชันนี้.", - "Once enabled, encryption cannot be disabled.": "เมื่อเปิดใช้งานแล้ว จะไม่สามารถปิดใช้งานการเข้ารหัสได้.", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "เมื่อเปิดใช้งานแล้ว จะไม่สามารถปิดใช้งานการเข้ารหัสสำหรับห้องได้ เซิร์ฟเวอร์ไม่สามารถเห็นข้อความที่ส่งในห้องที่เข้ารหัสได้ เฉพาะผู้เข้าร่วมในห้องเท่านั้น การเปิดใช้งานการเข้ารหัสอาจทำให้บอทและบริดจ์จำนวนมากทำงานไม่ถูกต้อง. เรียนรู้เพิ่มเติมเกี่ยวกับการเข้ารหัส.", "Deactivate user": "ปิดใช้งานผู้ใช้", "Deactivating this user will log them out and prevent them from logging back in. Additionally, they will leave all the rooms they are in. This action cannot be reversed. Are you sure you want to deactivate this user?": "การปิดใช้งานผู้ใช้รายนี้จะออกจากระบบและป้องกันไม่ให้กลับเข้าสู่ระบบ นอกจากนี้ ผู้ใช้จะออกจากห้องทั้งหมดที่พวกเขาอยู่ การดำเนินการนี้ไม่สามารถย้อนกลับได้ คุณแน่ใจหรือไม่ว่าต้องการปิดใช้งานผู้ใช้รายนี้?", "Deactivate user?": "ปิดการใช้งานผู้ใช้?", @@ -417,7 +370,11 @@ "format_italic": "ตัวเอียง", "format_underline": "ขีดเส้นใต้", "format_inline_code": "โค้ด", - "format_link": "ลิงค์" + "format_link": "ลิงค์", + "autocomplete": { + "command_description": "คำสั่ง", + "user_description": "ผู้ใช้" + } }, "Link": "ลิงค์", "Code": "โค้ด", @@ -453,6 +410,43 @@ "appearance": { "timeline_image_size_default": "ค่าเริ่มต้น", "image_size_default": "ค่าเริ่มต้น" + }, + "sessions": { + "rename_form_heading": "เปลี่ยนชื่อเซสชัน", + "rename_form_caption": "โปรดทราบว่าชื่อเซสชันจะปรากฏแก่บุคคลที่คุณสื่อสารด้วย.", + "rename_form_learn_more": "การเปลี่ยนชื่อเซสชัน", + "rename_form_learn_more_description_1": "ผู้ใช้รายอื่นในข้อความส่วนตัวและห้องแชทที่คุณเข้าร่วมจะดูรายการเซสชันทั้งหมดของคุณได้.", + "rename_form_learn_more_description_2": "สิ่งนี้ทำให้พวกเขามั่นใจว่าพวกเขากำลังพูดกับคุณจริงๆ แต่ก็หมายความว่าพวกเขาสามารถเห็นชื่อเซสชันที่คุณป้อนที่นี่.", + "session_id": "รหัสเซสชัน", + "last_activity": "กิจกรรมสุดท้าย", + "os": "ระบบปฏิบัติการ", + "browser": "เบราว์เซอร์", + "ip": "ที่อยู่ IP", + "details_heading": "รายละเอียดเซสชัน", + "push_toggle": "สลับการแจ้งเตือนแบบพุชในเซสชันนี้.", + "push_heading": "การแจ้งเตือนแบบพุช", + "push_subheading": "รับการแจ้งเตือนแบบพุชในเซสชันนี้.", + "sign_out": "ออกจากระบบเซสชันนี้.", + "hide_details": "ซ่อนรายละเอียด", + "show_details": "แสดงรายละเอียด", + "unverified_session_explainer_2": "คุณจะไม่สามารถเข้าร่วมในห้องที่เปิดใช้งานการเข้ารหัสเมื่อใช้เซสชันนี้.", + "current_session": "เซสชันปัจจุบัน", + "confirm_sign_out_sso": { + "one": "ยืนยันการออกจากระบบอุปกรณ์นี้โดยใช้การลงชื่อเพียงครั้งเดียวเพื่อพิสูจน์ตัวตนของคุณ.", + "other": "ยืนยันการออกจากระบบอุปกรณ์เหล่านี้โดยใช้การลงชื่อเพียงครั้งเดียวเพื่อพิสูจน์ตัวตนของคุณ." + }, + "confirm_sign_out": { + "one": "ยืนยันการออกจากระบบอุปกรณ์นี้", + "other": "ยืนยันการออกจากระบบอุปกรณ์เหล่านี้" + }, + "confirm_sign_out_body": { + "one": "คลิกปุ่มด้านล่างเพื่อยืนยันการออกจากระบบอุปกรณ์นี้.", + "other": "คลิกปุ่มด้านล่างเพื่อยืนยันการออกจากระบบอุปกรณ์เหล่านี้." + }, + "confirm_sign_out_continue": { + "one": "ออกจากระบบอุปกรณ์", + "other": "ออกจากระบบอุปกรณ์" + } } }, "timeline": { @@ -523,7 +517,8 @@ "server_picker_custom": "โฮมเซิร์ฟเวอร์อื่น ๆ", "server_picker_explainer": "ใช้ Matrix โฮมเซิร์ฟเวอร์ที่คุณต้องการหากคุณมี หรือโฮสต์ของคุณเอง", "server_picker_learn_more": "เกี่ยวกับโฮมเซิร์ฟเวอร์", - "incorrect_credentials": "ชื่อผู้ใช้และ/หรือรหัสผ่านไม่ถูกต้อง" + "incorrect_credentials": "ชื่อผู้ใช้และ/หรือรหัสผ่านไม่ถูกต้อง", + "phone_label": "โทรศัพท์" }, "setting": { "help_about": { @@ -540,5 +535,35 @@ "update": { "see_changes_button": "มีอะไรใหม่?", "release_notes_toast_title": "มีอะไรใหม่" + }, + "file_panel": { + "guest_note": "คุณต้องลงทะเบียนเพื่อใช้ฟังก์ชันนี้" + }, + "space": { + "context_menu": { + "explore": "สำรวจห้อง" + } + }, + "room_settings": { + "permissions": { + "privileged_users_section": "ผู้ใช้ที่มีสิทธิพิเศษ", + "banned_users_section": "ผู้ใช้ที่ถูกแบน", + "permissions_section": "สิทธิ์" + }, + "security": { + "enable_encryption_confirm_description": "เมื่อเปิดใช้งานแล้ว จะไม่สามารถปิดใช้งานการเข้ารหัสสำหรับห้องได้ เซิร์ฟเวอร์ไม่สามารถเห็นข้อความที่ส่งในห้องที่เข้ารหัสได้ เฉพาะผู้เข้าร่วมในห้องเท่านั้น การเปิดใช้งานการเข้ารหัสอาจทำให้บอทและบริดจ์จำนวนมากทำงานไม่ถูกต้อง. เรียนรู้เพิ่มเติมเกี่ยวกับการเข้ารหัส.", + "history_visibility_legend": "ใครสามารถอ่านประวัติแชทได้?", + "encryption_permanent": "เมื่อเปิดใช้งานแล้ว จะไม่สามารถปิดใช้งานการเข้ารหัสได้.", + "history_visibility_world_readable": "ทุกคน" + }, + "general": { + "user_url_previews_default_on": "ค่าเริ่มต้นของคุณเปิดใช้งานตัวอย่าง URL เอาไว้", + "user_url_previews_default_off": "ค่าเริ่มต้นของคุณปิดใช้งานตัวอย่าง URL เอาไว้" + } + }, + "room": { + "intro": { + "unencrypted_warning": "ไม่ได้เปิดใช้งานการเข้ารหัสจากต้นทางถึงปลายทาง" + } } } diff --git a/src/i18n/strings/tr.json b/src/i18n/strings/tr.json index d89a9ab3ef..9f82281b48 100644 --- a/src/i18n/strings/tr.json +++ b/src/i18n/strings/tr.json @@ -14,15 +14,12 @@ }, "A new password must be entered.": "Yeni bir şifre girilmelidir.", "An error has occurred.": "Bir hata oluştu.", - "Anyone": "Kimse", "Are you sure?": "Emin misiniz ?", "Are you sure you want to leave the room '%(roomName)s'?": "'%(roomName)s' odasından ayrılmak istediğinize emin misiniz ?", "Are you sure you want to reject the invitation?": "Daveti reddetmek istediğinizden emin misiniz ?", - "Banned users": "Yasaklanan(Banlanan) Kullanıcılar", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Ana Sunucu'ya bağlanılamıyor - lütfen bağlantınızı kontrol edin , Ana Sunucu SSL sertifikanızın güvenilir olduğundan ve bir tarayıcı uzantısının istekleri engellemiyor olduğundan emin olun.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Tarayıcı çubuğunuzda bir HTTPS URL'si olduğunda Ana Sunusuna HTTP üzerinden bağlanılamıyor . Ya HTTPS kullanın veya güvensiz komut dosyalarını etkinleştirin.", "Change Password": "Şifre Değiştir", - "Commands": "Komutlar", "Confirm password": "Şifreyi Onayla", "Cryptography": "Kriptografi", "Current password": "Şimdiki Şifre", @@ -74,14 +71,11 @@ "": "", "No display name": "Görünür isim yok", "No more results": "Başka sonuç yok", - "No users have specific privileges in this room": "Bu odada hiçbir kullanıcının belirli ayrıcalıkları yoktur", "Operation failed": "Operasyon başarısız oldu", "Passwords can't be empty": "Şifreler boş olamaz", - "Permissions": "İzinler", "Phone": "Telefon", "Please check your email and click on the link it contains. Once this is done, click continue.": "Lütfen e-postanızı kontrol edin ve içerdiği bağlantıya tıklayın . Bu işlem tamamlandıktan sonra , 'devam et' e tıklayın .", "Power level must be positive integer.": "Güç seviyesi pozitif tamsayı olmalıdır.", - "Privileged Users": "Ayrıcalıklı Kullanıcılar", "Profile": "Profil", "Reason": "Sebep", "Reject invitation": "Daveti Reddet", @@ -121,16 +115,11 @@ "Upload avatar": "Avatar yükle", "Upload Failed": "Yükleme Başarısız", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (güç %(powerLevelNumber)s)", - "Users": "Kullanıcılar", "Verification Pending": "Bekleyen doğrulama", "Verified key": "Doğrulama anahtarı", "Warning!": "Uyarı!", - "Who can read history?": "Geçmişi kimler okuyabilir ?", "You cannot place a call with yourself.": "Kendinizle görüşme yapamazsınız .", "You do not have permission to post to this room": "Bu odaya göndermeye izniniz yok", - "You have disabled URL previews by default.": "URL önizlemelerini varsayılan olarak devre dışı bıraktınız.", - "You have enabled URL previews by default.": "URL önizlemelerini varsayılan olarak etkinleştirdiniz.", - "You must register to use this functionality": "Bu işlevi kullanmak için Kayıt Olun ", "You need to be able to invite users to do that.": "Bunu yapmak için kullanıcıları davet etmeye ihtiyacınız var.", "You need to be logged in.": "Oturum açmanız gerekiyor.", "You seem to be in a call, are you sure you want to quit?": "Bir çağrıda gözüküyorsunuz , çıkmak istediğinizden emin misiniz ?", @@ -175,7 +164,6 @@ "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Bu işlem şifreli odalarda aldığınız iletilerin anahtarlarını yerel dosyaya vermenizi sağlar . Bundan sonra dosyayı ileride başka bir Matrix istemcisine de aktarabilirsiniz , böylece istemci bu mesajların şifresini çözebilir (decryption).", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Bu işlem , geçmişte başka Matrix istemcisinden dışa aktardığınız şifreleme anahtarlarınızı içe aktarmanızı sağlar . Böylece diğer istemcinin çözebileceği tüm iletilerin şifresini çözebilirsiniz.", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Dışa aktarma dosyası bir şifre ile korunacaktır . Dosyanın şifresini çözmek için buraya şifre girmelisiniz.", - "You must join the room to see its files": "Dosyalarını görmek için odaya katılmalısınız", "Reject all %(invitedRooms)s invites": "Tüm %(invitedRooms)s davetlerini reddet", "Failed to invite": "Davet edilemedi", "Confirm Removal": "Kaldırma İşlemini Onayla", @@ -188,8 +176,6 @@ "Error decrypting video": "Video şifre çözme hatası", "Add an Integration": "Entegrasyon ekleyin", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Hesabınızı %(integrationsUrl)s ile kullanmak üzere doğrulayabilmeniz için üçüncü taraf bir siteye götürülmek üzeresiniz. Devam etmek istiyor musunuz ?", - "URL Previews": "URL önizlemeleri", - "Drop file here to upload": "Yüklemek için dosyaları buraya bırakın", "Something went wrong!": "Bir şeyler yanlış gitti!", "Your browser does not support the required cryptography extensions": "Tarayıcınız gerekli şifreleme uzantılarını desteklemiyor", "Not a valid %(brand)s keyfile": "Geçersiz bir %(brand)s anahtar dosyası", @@ -291,10 +277,6 @@ "Missing session data": "Kayıp oturum verisi", "Find others by phone or email": "Kişileri telefon yada e-posta ile bul", "Be found by phone or email": "Telefon veya e-posta ile bulunun", - "Terms of Service": "Hizmet Şartları", - "Service": "Hizmet", - "Summary": "Özet", - "Document": "Belge", "Upload files": "Dosyaları yükle", "Upload all": "Hepsini yükle", "Cancel All": "Hepsi İptal", @@ -315,7 +297,6 @@ "Enter phone number (required on this homeserver)": "Telefon numarası gir ( bu ana sunucuda gerekli)", "Enter username": "Kullanıcı adı gir", "Email (optional)": "E-posta (opsiyonel)", - "Phone (optional)": "Telefon (opsiyonel)", "Couldn't load page": "Sayfa yüklenemiyor", "Old cryptography data detected": "Eski kriptolama verisi tespit edildi", "Verification Request": "Doğrulama Talebi", @@ -340,10 +321,6 @@ "Unrecognised address": "Tanınmayan adres", "You do not have permission to invite people to this room.": "Bu odaya kişi davet etme izniniz yok.", "Clear personal data": "Kişisel veri temizle", - "Command Autocomplete": "Oto tamamlama komutu", - "Emoji Autocomplete": "Emoji Oto Tamamlama", - "Notify the whole room": "Tüm odayı bilgilendir", - "Room Notification": "Oda Bildirimi", "That matches!": "Eşleşti!", "That doesn't match.": "Eşleşmiyor.", "Success!": "Başarılı!", @@ -439,7 +416,6 @@ "Server rules": "Sunucu kuralları", "User rules": "Kullanıcı kuralları", "View rules": "Kuralları görüntüle", - "Security & Privacy": "Güvenlik & Gizlilik", "No Audio Outputs detected": "Ses çıkışları tespit edilemedi", "Audio Output": "Ses Çıkışı", "Voice & Video": "Ses & Video", @@ -452,13 +428,7 @@ "Notification sound": "Bildirim sesi", "Browse": "Gözat", "Banned by %(displayName)s": "%(displayName)s tarafından yasaklandı", - "Muted Users": "Sessizdeki Kullanıcılar", - "Roles & Permissions": "Roller & İzinler", - "Enable encryption?": "Şifrelemeyi aç?", - "Members only (since they were invited)": "Sadece üyeler (davet edildiklerinden beri)", - "Members only (since they joined)": "Sadece üyeler (katıldıklarından beri)", "Encryption": "Şifreleme", - "Once enabled, encryption cannot be disabled.": "Açıldıktan donra şifreleme kapatılamaz.", "Unable to share email address": "E-posta adresi paylaşılamıyor", "Your email address hasn't been verified yet": "E-posta adresiniz henüz doğrulanmadı", "Verify the link in your inbox": "Gelen kutunuzdaki linki doğrulayın", @@ -562,7 +532,6 @@ "Set a new custom sound": "Özel bir ses ayarla", "Error changing power level requirement": "Güç düzey gereksinimi değiştirmede hata", "Error changing power level": "Güç düzeyi değiştirme hatası", - "Send %(eventType)s events": "%(eventType)s olaylarını gönder", "This event could not be displayed": "Bu olay görüntülenemedi", "Demote yourself?": "Kendinin rütbeni düşür?", "Demote": "Rütbe Düşür", @@ -591,7 +560,6 @@ "You are not subscribed to any lists": "Herhangi bir listeye aboneliğiniz bulunmuyor", "⚠ These settings are meant for advanced users.": "⚠ Bu ayarlar ileri düzey kullanıcılar içindir.", "Unignore": "Yoksayma", - "Members only (since the point in time of selecting this option)": "Sadece üyeler ( bu seçeneği seçtiğinizden itibaren)", "Unable to revoke sharing for email address": "E-posta adresi paylaşımı kaldırılamadı", "Unable to revoke sharing for phone number": "Telefon numarası paylaşımı kaldırılamıyor", "Please ask the administrator of your homeserver (%(homeserverDomain)s) to configure a TURN server in order for calls to work reliably.": "Çağrıların sağlıklı bir şekide yapılabilmesi için lütfen anasunucunuzun (%(homeserverDomain)s) yöneticisinden bir TURN sunucusu yapılandırmasını isteyin.", @@ -619,7 +587,6 @@ "Subscribing to a ban list will cause you to join it!": "Bir yasak listesine abonelik ona katılmanıza yol açar!", "Message search": "Mesaj arama", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Kullanıcının güç düzeyini değiştirirken bir hata oluştu. Yeterli izinlere sahip olduğunuza emin olun ve yeniden deneyin.", - "Select the roles required to change various parts of the room": "Odanın çeşitli bölümlerini değişmek için gerekli rolleri seçiniz", "Click the link in the email you received to verify and then click continue again.": "Aldığınız e-postaki bağlantıyı tıklayarak doğrulayın ve sonra tekrar tıklayarak devam edin.", "Verify this session": "Bu oturumu doğrula", "Encryption upgrade available": "Şifreleme güncellemesi var", @@ -681,7 +648,6 @@ "Destroy cross-signing keys?": "Çarpraz-imzalama anahtarlarını imha et?", "Clear cross-signing keys": "Çapraz-imzalama anahtarlarını temizle", "Clear all data in this session?": "Bu oturumdaki tüm verileri temizle?", - "Verify session": "Oturum doğrula", "Session name": "Oturum adı", "Session key": "Oturum anahtarı", "Recent Conversations": "Güncel Sohbetler", @@ -700,7 +666,6 @@ "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Davet geri çekilemiyor. Sunucu geçici bir problem yaşıyor olabilir yada daveti geri çekmek için gerekli izinlere sahip değilsin.", "Mark all as read": "Tümünü okunmuş olarak işaretle", "Incoming Verification Request": "Gelen Doğrulama İsteği", - "Use bots, bridges, widgets and sticker packs": "Botları, köprüleri, görsel bileşenleri ve çıkartma paketlerini kullan", "Explore rooms": "Odaları keşfet", "Invalid base_url for m.homeserver": "m.anasunucu için geçersiz base_url", "Invalid base_url for m.identity_server": "m.kimlik_sunucu için geçersiz base_url", @@ -716,15 +681,12 @@ "You'll upgrade this room from to .": "Bu odayı versiyonundan versiyonuna güncelleyeceksiniz.", "We encountered an error trying to restore your previous session.": "Önceki oturumunuzu geri yüklerken bir hatayla karşılaştık.", "To help us prevent this in future, please send us logs.": "Bunun gelecekte de olmasının önüne geçmek için lütfen günceleri bize gönderin.", - "To continue you need to accept the terms of this service.": "Devam etmek için bu servisi kullanma şartlarını kabul etmeniz gerekiyor.", "Upload files (%(current)s of %(total)s)": "Dosyaları yükle (%(current)s / %(total)s)", "Failed to decrypt %(failedCount)s sessions!": "%(failedCount)s adet oturum çözümlenemedi!", "Confirm your identity by entering your account password below.": "Hesabınızın şifresini aşağıya girerek kimliğinizi teyit edin.", "A text message has been sent to %(msisdn)s": "%(msisdn)s ye bir metin mesajı gönderildi", - "Use lowercase letters, numbers, dashes and underscores only": "Sadece küçük harfler, numara, tire ve alt tire kullanın", "Join millions for free on the largest public server": "En büyük açık sunucu üzerindeki milyonlara ücretsiz ulaşmak için katılın", "This room is not public. You will not be able to rejoin without an invite.": "Bu oda açık bir oda değil. Davet almadan tekrar katılamayacaksınız.", - "%(creator)s created and configured the room.": "%(creator)s odayı oluşturdu ve yapılandırdı.", "Something went wrong trying to invite the users.": "Kullanıcıların davet edilmesinde bir şeyler yanlış gitti.", "a new master key signature": "yeni bir master anahtar imzası", "a new cross-signing key signature": "yeni bir çapraz-imzalama anahtarı imzası", @@ -1039,14 +1001,6 @@ "Show Widgets": "Widgetları Göster", "Hide Widgets": "Widgetları gizle", "No recently visited rooms": "Yakında ziyaret edilen oda yok", - "This is the start of .": "Bu odasının başlangıcıdır.", - "Add a photo, so people can easily spot your room.": "İnsanların odanı kolayca tanıması için bir fotoğraf ekle.", - "%(displayName)s created this room.": "%(displayName)s bu odayı oluşturdu.", - "You created this room.": "Bu odayı oluşturdunuz.", - "Add a topic to help people know what it is about.": "İnsanların ne hakkında olduğunu bilmelerine yardımcı olmak için Konu ekle.", - "Topic: %(topic)s ": "Konu: %(topic)s ", - "This is the beginning of your direct message history with .": "Bu ile olan direkt mesaj geçmişinizin başlangıcıdır.", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Biriniz bir başkasını davet etmediğiniz sürece bu görüşmede sadece ikiniz varsınız.", "Scroll to most recent messages": "En son mesajlara git", "The authenticity of this encrypted message can't be guaranteed on this device.": "Bu şifrelenmiş mesajın güvenilirliği bu cihazda garanti edilemez.", "Australia": "Avustralya", @@ -1100,14 +1054,10 @@ "This bridge was provisioned by .": "Bu köprü tarafından sağlandı.", "Verify all users in a room to ensure it's secure.": "Güvenli olduğuna emin olmak için odadaki tüm kullanıcıları onaylayın.", "No recent messages by %(user)s found": "%(user)s kullanıcısın hiç yeni ileti yok", - "Topic: %(topic)s (edit)": "Konu: %(topic)s (düzenle)", "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Onaylamanız için size e-posta gönderdik. Lütfen yönergeleri takip edin ve sonra aşağıdaki butona tıklayın.", "Room settings": "Oda ayarları", "Not encrypted": "Şifrelenmemiş", "Backup version:": "Yedekleme sürümü:", - "User Autocomplete": "Kullanıcı Otomatik Tamamlama", - "Room Autocomplete": "Otomatik Oda Tamamlama", - "Notification Autocomplete": "Otomatik Bildirim Tamamlama", "Widgets": "Widgetlar", "Looks good!": "İyi görünüyor!", "Security Key": "Güvenlik anahtarı", @@ -1147,7 +1097,6 @@ "Enter the name of a new server you want to explore.": "Keşfetmek istediğiniz sunucunun adını girin.", "Preparing to download logs": "Loglar indirilmeye hazırlanıyor", "Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Hatırlatma:Tarayıcınız desteklenmiyor, deneyiminiz öngörülemiyor.", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Bir oda için şifreleme bir kez etkinleştirildiğinde geri alınamaz. Şifrelenmiş bir odada gönderilen iletiler yalnızca ve yalnızca odadaki kullanıcılar tarafından görülebilir. Şifrelemeyi etkinleştirmek bir çok bot'un ve köprülemenin doğru çalışmasını etkileyebilir. Şifrelemeyle ilgili daha fazla bilgi edinmek için.", "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Doğrudan %(brand)s uygulamasından davet isteği almak için bu e-posta adresini Ayarlardan kendi hesabınıza bağlayın.", "This client does not support end-to-end encryption.": "Bu istemci uçtan uca şifrelemeyi desteklemiyor.", "Deactivating this user will log them out and prevent them from logging back in. Additionally, they will leave all the rooms they are in. This action cannot be reversed. Are you sure you want to deactivate this user?": "Bu kullanıcı etkisizleştirmek onu bir daha oturum açmasını engeller.Ek olarak da bulundukları bütün odalardan atılırlar. Bu eylem geri dönüştürülebilir. Bu kullanıcıyı etkisizleştirmek istediğinize emin misiniz?", @@ -1161,7 +1110,6 @@ "Messages in this room are end-to-end encrypted.": "Bu odadaki iletiler uçtan uca şifrelenmiştir.", "Your messages are secured and only you and the recipient have the unique keys to unlock them.": "İletileriniz şifreledir ve yalnızca sizde ve gönderdiğiniz kullanıcılarda iletileri açmak için anahtarlar vardır.", "Waiting for %(displayName)s to accept…": "%(displayName)s kullanıcısın onaylaması için bekleniliyor…", - "URL previews are disabled by default for participants in this room.": "URL ön izlemeleri, bu odadaki kullanıcılar için varsayılan olarak devre dışı bıraktırılmıştır.", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Adanın alternatif adresini güncellerken bir hata oluştu. Bu eylem, sunucu tarafından izin verilmemiş olabilir ya da geçici bir sorun oluşmuş olabilir.", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Odanın ana adresini güncellerken bir sorun oluştu. Bu eylem, sunucu tarafından izin verilmemiş olabilir ya da geçici bir sorun oluşmuş olabilir.", "This room is running room version , which this homeserver has marked as unstable.": "Bu oda, oda sürümünü kullanmaktadır ve ana sunucunuz tarafından tutarsız olarak işaretlenmiştir.", @@ -1173,8 +1121,6 @@ "Recently visited rooms": "En son ziyaret edilmiş odalar", "Discovery options will appear once you have added a phone number above.": "Bulunulabilirlik seçenekleri, yukarıya bir telefon numarası ekleyince ortaya çıkacaktır.", "Discovery options will appear once you have added an email above.": "Bulunulabilirlik seçenekleri, yukarıya bir e-posta adresi ekleyince ortaya çıkacaktır.", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Geçmişi kimin okuyabileceğini değiştirmek yalnızca odadaki yeni iletileri etkiler. Var olan geçmiş değişmeden kalacaktır.", - "To link to this room, please add an address.": "Bu odaya bağlamak için lütfen bir adres ekleyin.", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Odanın güç düzeyi gereksinimlerini değiştirirken bir hata ile karşılaşıldı. Yeterince yetkiniz olduğunuzdan emin olup yeniden deyin.", "This room is bridging messages to the following platforms. Learn more.": "Bu oda, iletileri sözü edilen platformlara köprülüyor. Daha fazla bilgi için.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Sunucu yönetinciniz varsayılan olarak odalarda ve doğrudandan iletilerde uçtan uca şifrelemeyi kapadı.", @@ -1218,7 +1164,6 @@ "Empty room": "Boş oda", "Suggested Rooms": "Önerilen Odalar", "View message": "Mesajı görüntüle", - "Invite to just this room": "Sadece bu odaya davet et", "Your message was sent": "Mesajınız gönderildi", "Visibility": "Görünürlük", "Save Changes": "Değişiklikleri Kaydet", @@ -1236,33 +1181,6 @@ "Unable to transfer call": "Arama Karşıdaki kişiye aktarılamıyor", "This homeserver has been blocked by its administrator.": "Bu sunucu yöneticisi tarafından bloke edildi.", "Failed to transfer call": "Arama aktarılırken hata oluştu", - "For best security, sign out from any session that you don't recognize or use anymore.": "En iyi güvenlik için, tanımadığın ya da artık kullanmadığın oturumlardan çıkış yap.", - "Security recommendations": "Güvenlik önerileri", - "Filter devices": "Cihazları filtrele", - "Not ready for secure messaging": "Güvenli mesajlaşma için hazır değil", - "Ready for secure messaging": "Güvenli mesajlaşma için hazır", - "All": "Hepsi", - "No sessions found.": "Oturum bulunamadı.", - "No inactive sessions found.": "Aktif olmayan oturum bulunamadı.", - "No unverified sessions found.": "Doğrulanmamış oturum bulunamadı.", - "No verified sessions found.": "Doğrulanmış oturum bulunamadı.", - "Inactive sessions": "Aktif olmayan oturumlar", - "Unverified sessions": "Doğrulanmamış oturumlar", - "Verified sessions": "Doğrulanmış oturumlar", - "Unverified session": "Doğrulanmamış oturum", - "This session is ready for secure messaging.": "Bu oturum güvenli mesajlaşma için hazır.", - "Verified session": "Doğrulanmış oturum", - "Session details": "Oturum detayları", - "IP address": "IP adresi", - "Click the button below to confirm signing out these devices.": { - "one": "Bu cihazın oturumunu kapatmak için aşağıdaki butona tıkla.", - "other": "Bu cihazların oturumunu kapatmak için aşağıdaki butona tıkla." - }, - "Confirm signing out these devices": { - "one": "Bu cihazın oturumunu kapatmayı onayla", - "other": "Şu cihazlardan oturumu kapatmayı onayla" - }, - "Current session": "Şimdiki oturum", "common": { "about": "Hakkında", "analytics": "Analitik", @@ -1460,7 +1378,18 @@ "placeholder_reply_encrypted": "Şifrelenmiş bir cevap gönder…", "placeholder_reply": "Bir cevap gönder…", "placeholder_encrypted": "Şifreli bir mesaj gönder…", - "placeholder": "Bir mesaj gönder…" + "placeholder": "Bir mesaj gönder…", + "autocomplete": { + "command_description": "Komutlar", + "command_a11y": "Oto tamamlama komutu", + "emoji_a11y": "Emoji Oto Tamamlama", + "@room_description": "Tüm odayı bilgilendir", + "notification_description": "Oda Bildirimi", + "notification_a11y": "Otomatik Bildirim Tamamlama", + "room_a11y": "Otomatik Oda Tamamlama", + "user_description": "Kullanıcılar", + "user_a11y": "Kullanıcı Otomatik Tamamlama" + } }, "Bold": "Kalın", "Code": "Kod", @@ -1589,6 +1518,37 @@ "rm_lifetime": "Okundu iminin gösterim süresi (ms)", "rm_lifetime_offscreen": "Okundu iminin ekran dışındaki gösterim süresi (ms)", "always_show_menu_bar": "Pencerenin menü çubuğunu her zaman göster" + }, + "sessions": { + "session_id": "Oturum ID", + "ip": "IP adresi", + "details_heading": "Oturum detayları", + "verified_sessions": "Doğrulanmış oturumlar", + "unverified_sessions": "Doğrulanmamış oturumlar", + "unverified_session": "Doğrulanmamış oturum", + "inactive_sessions": "Aktif olmayan oturumlar", + "device_verified_description": "Bu oturum güvenli mesajlaşma için hazır.", + "verified_session": "Doğrulanmış oturum", + "verify_session": "Oturum doğrula", + "verified_sessions_list_description": "En iyi güvenlik için, tanımadığın ya da artık kullanmadığın oturumlardan çıkış yap.", + "no_verified_sessions": "Doğrulanmış oturum bulunamadı.", + "no_unverified_sessions": "Doğrulanmamış oturum bulunamadı.", + "no_inactive_sessions": "Aktif olmayan oturum bulunamadı.", + "no_sessions": "Oturum bulunamadı.", + "filter_all": "Hepsi", + "filter_verified_description": "Güvenli mesajlaşma için hazır", + "filter_unverified_description": "Güvenli mesajlaşma için hazır değil", + "filter_label": "Cihazları filtrele", + "current_session": "Şimdiki oturum", + "confirm_sign_out": { + "one": "Bu cihazın oturumunu kapatmayı onayla", + "other": "Şu cihazlardan oturumu kapatmayı onayla" + }, + "confirm_sign_out_body": { + "one": "Bu cihazın oturumunu kapatmak için aşağıdaki butona tıkla.", + "other": "Bu cihazların oturumunu kapatmak için aşağıdaki butona tıkla." + }, + "security_recommendations": "Güvenlik önerileri" } }, "devtools": { @@ -1835,7 +1795,8 @@ "lightbox_title": "%(senderDisplayName)s %(roomName)s için avatarı değiştirdi", "removed": "%(senderDisplayName)s odanın avatarını kaldırdı.", "changed_img": "%(senderDisplayName)s odanın avatarını olarak çevirdi" - } + }, + "creation_summary_room": "%(creator)s odayı oluşturdu ve yapılandırdı." }, "slash_command": { "spoiler": "Mesajı sürprizbozan olarak gönder", @@ -1968,10 +1929,36 @@ "state_default": "Ayarları değiştir", "ban": "Kullanıcıları yasakla", "redact": "Diğerleri tarafından gönderilen iletileri kaldır", - "notifications.room": "Herkesi bilgilendir" + "notifications.room": "Herkesi bilgilendir", + "no_privileged_users": "Bu odada hiçbir kullanıcının belirli ayrıcalıkları yoktur", + "privileged_users_section": "Ayrıcalıklı Kullanıcılar", + "muted_users_section": "Sessizdeki Kullanıcılar", + "banned_users_section": "Yasaklanan(Banlanan) Kullanıcılar", + "send_event_type": "%(eventType)s olaylarını gönder", + "title": "Roller & İzinler", + "permissions_section": "İzinler", + "permissions_section_description_room": "Odanın çeşitli bölümlerini değişmek için gerekli rolleri seçiniz" }, "security": { - "strict_encryption": "Şifreli mesajları asla oturumdaki bu odadaki doğrulanmamış oturumlara iletme" + "strict_encryption": "Şifreli mesajları asla oturumdaki bu odadaki doğrulanmamış oturumlara iletme", + "enable_encryption_confirm_title": "Şifrelemeyi aç?", + "enable_encryption_confirm_description": "Bir oda için şifreleme bir kez etkinleştirildiğinde geri alınamaz. Şifrelenmiş bir odada gönderilen iletiler yalnızca ve yalnızca odadaki kullanıcılar tarafından görülebilir. Şifrelemeyi etkinleştirmek bir çok bot'un ve köprülemenin doğru çalışmasını etkileyebilir. Şifrelemeyle ilgili daha fazla bilgi edinmek için.", + "public_without_alias_warning": "Bu odaya bağlamak için lütfen bir adres ekleyin.", + "history_visibility": {}, + "history_visibility_warning": "Geçmişi kimin okuyabileceğini değiştirmek yalnızca odadaki yeni iletileri etkiler. Var olan geçmiş değişmeden kalacaktır.", + "history_visibility_legend": "Geçmişi kimler okuyabilir ?", + "title": "Güvenlik & Gizlilik", + "encryption_permanent": "Açıldıktan donra şifreleme kapatılamaz.", + "history_visibility_shared": "Sadece üyeler ( bu seçeneği seçtiğinizden itibaren)", + "history_visibility_invited": "Sadece üyeler (davet edildiklerinden beri)", + "history_visibility_joined": "Sadece üyeler (katıldıklarından beri)", + "history_visibility_world_readable": "Kimse" + }, + "general": { + "user_url_previews_default_on": "URL önizlemelerini varsayılan olarak etkinleştirdiniz.", + "user_url_previews_default_off": "URL önizlemelerini varsayılan olarak devre dışı bıraktınız.", + "default_url_previews_off": "URL ön izlemeleri, bu odadaki kullanıcılar için varsayılan olarak devre dışı bıraktırılmıştır.", + "url_previews_section": "URL önizlemeleri" } }, "encryption": { @@ -2032,7 +2019,10 @@ "sign_in_or_register_description": "Hesabınızı kullanın veya devam etmek için yeni bir tane oluşturun.", "register_action": "Hesap Oluştur", "incorrect_credentials": "Yanlış kullanıcı adı ve / veya şifre.", - "account_deactivated": "Hesap devre dışı bırakıldı." + "account_deactivated": "Hesap devre dışı bırakıldı.", + "registration_username_validation": "Sadece küçük harfler, numara, tire ve alt tire kullanın", + "phone_label": "Telefon", + "phone_optional_label": "Telefon (opsiyonel)" }, "room_list": { "sort_unread_first": "Önce okunmamış mesajları olan odaları göster", @@ -2180,5 +2170,37 @@ "labs_mjolnir": { "room_name": "Yasaklı Listem", "room_topic": "Bu sizin engellediğiniz kullanıcılar/sunucular listeniz - odadan ayrılmayın!" + }, + "room": { + "drop_file_prompt": "Yüklemek için dosyaları buraya bırakın", + "intro": { + "start_of_dm_history": "Bu ile olan direkt mesaj geçmişinizin başlangıcıdır.", + "dm_caption": "Biriniz bir başkasını davet etmediğiniz sürece bu görüşmede sadece ikiniz varsınız.", + "topic_edit": "Konu: %(topic)s (düzenle)", + "topic": "Konu: %(topic)s ", + "no_topic": "İnsanların ne hakkında olduğunu bilmelerine yardımcı olmak için Konu ekle.", + "you_created": "Bu odayı oluşturdunuz.", + "user_created": "%(displayName)s bu odayı oluşturdu.", + "room_invite": "Sadece bu odaya davet et", + "no_avatar_label": "İnsanların odanı kolayca tanıması için bir fotoğraf ekle.", + "start_of_room": "Bu odasının başlangıcıdır." + } + }, + "file_panel": { + "guest_note": "Bu işlevi kullanmak için Kayıt Olun ", + "peek_note": "Dosyalarını görmek için odaya katılmalısınız" + }, + "space": { + "context_menu": { + "explore": "Odaları keşfet" + } + }, + "terms": { + "integration_manager": "Botları, köprüleri, görsel bileşenleri ve çıkartma paketlerini kullan", + "tos": "Hizmet Şartları", + "intro": "Devam etmek için bu servisi kullanma şartlarını kabul etmeniz gerekiyor.", + "column_service": "Hizmet", + "column_summary": "Özet", + "column_document": "Belge" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/tzm.json b/src/i18n/strings/tzm.json index 298231b4c5..6036296638 100644 --- a/src/i18n/strings/tzm.json +++ b/src/i18n/strings/tzm.json @@ -18,7 +18,6 @@ "Sun": "Asa", "Add Phone Number": "Rnu uṭṭun n utilifun", "Add Email Address": "Rnu tasna imayl", - "Permissions": "Tisirag", "exists": "illa", "Santa": "Santa", "Pizza": "Tapizzat", @@ -165,6 +164,12 @@ "sort_by_alphabet": "A-Ẓ" }, "auth": { - "register_action": "senflul amiḍan" + "register_action": "senflul amiḍan", + "phone_label": "Atilifun" + }, + "room_settings": { + "permissions": { + "permissions_section": "Tisirag" + } } } diff --git a/src/i18n/strings/uk.json b/src/i18n/strings/uk.json index b4641a2147..023364efb3 100644 --- a/src/i18n/strings/uk.json +++ b/src/i18n/strings/uk.json @@ -21,11 +21,9 @@ }, "A new password must be entered.": "Має бути введений новий пароль.", "An error has occurred.": "Сталася помилка.", - "Anyone": "Кожний", "Are you sure?": "Ви впевнені?", "Are you sure you want to leave the room '%(roomName)s'?": "Ви впевнені, що хочете вийти з «%(roomName)s»?", "Are you sure you want to reject the invitation?": "Ви впевнені, що хочете відхилити запрошення?", - "Banned users": "Заблоковані користувачі", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Не вдалося під'єднатися до домашнього сервера — перевірте з'єднання, переконайтесь, що ваш SSL-сертифікат домашнього сервера довірений і що розширення браузера не блокує запити.", "Change Password": "Змінити пароль", "Email": "Е-пошта", @@ -142,7 +140,6 @@ "New Password": "Новий пароль", "Confirm password": "Підтвердження пароля", "Failed to set display name": "Не вдалося налаштувати псевдонім", - "Drop file here to upload": "Перетягніть сюди файл, щоб вивантажити", "This event could not be displayed": "Неможливо показати цю подію", "Unban": "Розблокувати", "Failed to ban user": "Не вдалося заблокувати користувача", @@ -229,7 +226,6 @@ "Use an identity server in Settings to receive invites directly in %(brand)s.": "Використовувати сервер ідентифікації у Налаштуваннях, щоб отримувати запрошення безпосередньо в %(brand)s.", "Are you sure you want to deactivate your account? This is irreversible.": "Ви впевнені, що бажаєте деактивувати обліковий запис? Ця дія безповоротна.", "Confirm account deactivation": "Підтвердьте знедіювання облікового запису", - "Verify session": "Звірити сеанс", "Session name": "Назва сеансу", "Session ID": "ID сеансу", "Session key": "Ключ сеансу", @@ -254,7 +250,6 @@ "Failed to deactivate user": "Не вдалося деактивувати користувача", "Are you sure you want to cancel entering passphrase?": "Ви точно хочете скасувати введення парольної фрази?", "%(name)s is requesting verification": "%(name)s робить запит на звірення", - "Once enabled, encryption cannot be disabled.": "Після увімкнення шифрування не можна буде вимкнути.", "Please enter verification code sent via text.": "Введіть код перевірки, надісланий у текстовому повідомленні.", "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Текстове повідомлення надіслано на номер +%(msisdn)s. Введіть код перевірки з нього.", "Messages in this room are end-to-end encrypted.": "Повідомлення у цій кімнаті захищено наскрізним шифруванням.", @@ -322,7 +317,6 @@ "Subscribing to a ban list will cause you to join it!": "Підписавшись на список блокування ви приєднаєтесь до нього!", "If this isn't what you want, please use a different tool to ignore users.": "Якщо вас це не влаштовує, спробуйте інший інструмент для ігнорування користувачів.", "Room ID or address of ban list": "ID кімнати або адреса списку блокування", - "Security & Privacy": "Безпека й приватність", "Error changing power level requirement": "Помилка під час зміни вимог до рівня повноважень", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Під час зміни вимог рівня повноважень кімнати трапилась помилка. Переконайтесь, що ви маєте необхідні дозволи і спробуйте ще раз.", "Error changing power level": "Помилка під час зміни рівня повноважень", @@ -451,8 +445,6 @@ "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Адміністратором вашого сервера було вимкнено автоматичне наскрізне шифрування у приватних кімнатах і особистих повідомленнях.", "Something went wrong!": "Щось пішло не так!", "expand": "розгорнути", - "Switch to light mode": "Світла тема", - "Switch to dark mode": "Темна тема", "New Recovery Method": "Новий метод відновлення", "This session is encrypting history using the new recovery method.": "Цей сеанс зашифровує історію новим відновлювальним засобом.", "Set up Secure Messages": "Налаштувати захищені повідомлення", @@ -472,14 +464,12 @@ "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Зашифровані повідомлення захищені наскрізним шифруванням. Лише ви та отримувачі повідомлень мають ключі для їх читання.", "Display Name": "Псевдонім", "wait and try again later": "зачекати та повторити спробу пізніше", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Якщо ви увімкнете шифрування для кімнати, його неможливо буде вимкнути. Надіслані у зашифровану кімнату повідомлення будуть прочитними тільки для учасників кімнати, натомість для сервера вони будуть непрочитними. Увімкнення шифрування може унеможливити роботу ботів та мостів. Дізнатись більше про шифрування.", "This room is end-to-end encrypted": "Ця кімната є наскрізно зашифрованою", "Encrypted by an unverified session": "Зашифроване незвіреним сеансом", "Encrypted by a deleted session": "Зашифроване видаленим сеансом", "The authenticity of this encrypted message can't be guaranteed on this device.": "Справжність цього зашифрованого повідомлення не може бути гарантованою на цьому пристрої.", "Replying": "Відповідання", "Low priority": "Неважливі", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "У кімнатах з шифруванням, як у цій, попередній перегляд посилань усталено вимкнено. Це робиться, щоб гарантувати, що ваш домашній сервер (на якому генеруються перегляди) не матиме змоги збирати дані щодо посилань, які ви бачите у цій кімнаті.", "In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "У зашифрованих кімнатах ваші повідомлення є захищеними, тож тільки ви та отримувач маєте ключі для їх розблокування.", "Failed to copy": "Не вдалося скопіювати", "Your display name": "Ваш псевдонім", @@ -494,7 +484,6 @@ "If you can't scan the code above, verify by comparing unique emoji.": "Якщо ви не можете сканувати зазначений код, звірте порівнянням унікальних емодзі.", "Verify by comparing unique emoji.": "Звірити порівнянням унікальних емодзі.", "Verify by emoji": "Звірити за допомогою емодзі", - "Emoji Autocomplete": "Самодоповнення емодзі", "The integration manager is offline or it cannot reach your homeserver.": "Менеджер інтеграцій не під'єднаний або не може зв'язатися з вашим домашнім сервером.", "Profile picture": "Зображення профілю", "Failed to connect to integration manager": "Не вдалось з'єднатись з менеджером інтеграцій", @@ -771,7 +760,6 @@ "You're all caught up.": "Все готово.", "You've reached the maximum number of simultaneous calls.": "Ви досягли максимальної кількості одночасних викликів.", "Too Many Calls": "Забагато викликів", - "Members only (since they joined)": "Лише учасники (від часу приєднання)", "This room is not accessible by remote Matrix servers": "Ця кімната недоступна для віддалених серверів Matrix", "Explore rooms": "Каталог кімнат", "Session key:": "Ключ сеансу:", @@ -785,9 +773,7 @@ "Encryption not enabled": "Шифрування не ввімкнено", "Ignored attempt to disable encryption": "Знехтувані спроби вимкнути шифрування", "This client does not support end-to-end encryption.": "Цей клієнт не підтримує наскрізного шифрування.", - "Enable encryption?": "Увімкнути шифрування?", "Encryption": "Шифрування", - "%(creator)s created this DM.": "%(creator)s створює цю приватну розмову.", "Share Link to User": "Поділитися посиланням на користувача", "In reply to ": "У відповідь на ", "The user you called is busy.": "Користувач, якого ви викликаєте, зайнятий.", @@ -811,11 +797,6 @@ "Share Room": "Поділитись кімнатою", "Share room": "Поділитись кімнатою", "Invite people": "Запросити людей", - "Document": "Документ", - "Summary": "Опис", - "Service": "Служба", - "To continue you need to accept the terms of this service.": "Погодьтесь з Умовами надання послуг, щоб продовжити.", - "Terms of Service": "Умови надання послуг", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Погодьтесь з Умовами надання послуг сервера ідентифікації (%(serverName)s), щоб дозволити знаходити вас за адресою електронної пошти або за номером телефону.", "The identity server you have chosen does not have any terms of service.": "Вибраний вами сервер ідентифікації не містить жодних умов користування.", "Terms of service not accepted or the identity server is invalid.": "Умови користування не прийнято або сервер ідентифікації недійсний.", @@ -845,14 +826,9 @@ "Failed to unban": "Не вдалося розблокувати", "Banned by %(displayName)s": "Блокує %(displayName)s", "You were banned from %(roomName)s by %(memberName)s": "%(memberName)s блокує вас у %(roomName)s", - "This is the beginning of your direct message history with .": "Це початок історії вашого особистого спілкування з .", - "Publish this room to the public in %(domain)s's room directory?": "Опублікувати цю кімнату для всіх у каталозі кімнат %(domain)s?", "Recently Direct Messaged": "Недавно надіслані особисті повідомлення", "User Directory": "Каталог користувачів", "Room version:": "Версія кімнати:", - "Select the roles required to change various parts of the room": "Виберіть ролі, необхідні для зміни різних частин кімнати", - "Privileged Users": "Привілейовані користувачі", - "Roles & Permissions": "Ролі й дозволи", "Main address": "Основна адреса", "Error updating main address": "Помилка оновлення основної адреси", "No other published addresses yet, add one below": "Поки немає загальнодоступних адрес, додайте їх унизу", @@ -865,7 +841,6 @@ "Preparing to download logs": "Приготування до завантаження журналів", "Download %(text)s": "Завантажити %(text)s", "Room ID": "ID кімнати", - "Decide who can join %(roomName)s.": "Вкажіть, хто може приєднуватися до %(roomName)s.", "Original event source": "Оригінальний початковий код", "View source": "Переглянути код", "Report": "Поскаржитися", @@ -913,9 +888,7 @@ "Start authentication": "Почати автентифікацію", "Start Verification": "Почати перевірку", "Start chatting": "Почати спілкування", - "This is the start of .": "Це початок .", "Couldn't load page": "Не вдалося завантажити сторінку", - "Phone (optional)": "Телефон (не обов'язково)", "That phone number doesn't look quite right, please check and try again": "Цей номер телефону не правильний. Перевірте та повторіть спробу", "Enter phone number": "Введіть телефонний номер", "Enter email address": "Введіть адресу е-пошти", @@ -937,7 +910,6 @@ "Remove for everyone": "Прибрати для всіх", "Delete widget": "Видалити віджет", "Delete Widget": "Видалити віджет", - "Manage & explore rooms": "Керування і перегляд кімнат", "Add space": "Додати простір", "Collapse reply thread": "Згорнути відповіді", "Public space": "Загальнодоступний простір", @@ -994,15 +966,6 @@ "Custom level": "Власний рівень", "To leave the beta, visit your settings.": "Щоб вийти з бета-тестування, перейдіть до налаштувань.", "File to import": "Файл для імпорту", - "User Autocomplete": "Автозаповнення користувача", - "Users": "Користувачі", - "Space Autocomplete": "Автозаповнення простору", - "Room Autocomplete": "Автозаповнення кімнати", - "Notification Autocomplete": "Автозаповнення сповіщення", - "Room Notification": "Сповіщення кімнати", - "Notify the whole room": "Сповістити всю кімнату", - "Command Autocomplete": "Команда автозаповнення", - "Commands": "Команди", "Return to login screen": "Повернутися на сторінку входу", "Switch theme": "Змінити тему", " invites you": " запрошує вас", @@ -1012,13 +975,6 @@ "Results": "Результати", "You may want to try a different search or check for typos.": "Ви можете спробувати інший пошуковий запит або перевірити помилки.", "No results found": "Нічого не знайдено", - "Your server does not support showing space hierarchies.": "Ваш сервер не підтримує показ ієрархій простору.", - "Mark as suggested": "Позначити рекомендованим", - "Mark as not suggested": "Позначити не рекомендованим", - "Failed to remove some rooms. Try again later": "Не вдалося вилучити кілька кімнат. Повторіть спробу пізніше", - "Select a room below first": "Спочатку виберіть кімнату внизу", - "Suggested": "Пропоновано", - "This room is suggested as a good one to join": "Ця кімната пропонується як хороша для приєднання", "You don't have permission": "Ви не маєте дозволу", "You can select all or individual messages to retry or delete": "Ви можете вибрати всі або окремі повідомлення, щоб повторити спробу або видалити", "Retry all": "Повторити надсилання всіх", @@ -1112,7 +1068,6 @@ "Delete avatar": "Видалити аватар", "Your server isn't responding to some requests.": "Ваш сервер не відповідає на деякі запити.", "Cancel All": "Скасувати все", - "Settings - %(spaceName)s": "Налаштування — %(spaceName)s", "Send Logs": "Надіслати журнали", "Email (optional)": "Е-пошта (необов'язково)", "Search spaces": "Пошук просторів", @@ -1206,11 +1161,6 @@ "%(duration)sm": "%(duration)s хв", "%(duration)ss": "%(duration)s с", "View message": "Переглянути повідомлення", - "%(displayName)s created this room.": "%(displayName)s створює цю кімнату.", - "You created this room.": "Ви створили кімнату.", - "Add a topic to help people know what it is about.": "Додайте тему, щоб люди розуміли про що вона.", - "Topic: %(topic)s ": "Тема: %(topic)s ", - "Topic: %(topic)s (edit)": "Тема: %(topic)s (змінити)", "Italics": "Курсив", "More options": "Інші опції", "Create poll": "Створити опитування", @@ -1233,19 +1183,13 @@ "Verify the link in your inbox": "Перевірте посилання у теці «Вхідні»", "Unable to verify email address.": "Не вдалося перевірити адресу е-пошти.", "Access": "Доступ", - "Who can read history?": "Хто може читати історію?", - "Members only (since they were invited)": "Лише учасники (від часу їхнього запрошення)", "Unknown failure": "Невідомий збій", "Failed to update the join rules": "Не вдалося оновити правила приєднання", - "Permissions": "Дозволи", - "Send %(eventType)s events": "Надіслати події %(eventType)s", - "No users have specific privileges in this room": "У цій кімнаті немає користувачів з визначеними привілеями", "Browse": "Огляд", "Set a new custom sound": "Указати нові власні звуки", "Notification sound": "Звуки сповіщень", "Sounds": "Звуки", "Uploaded sound": "Вивантажені звуки", - "URL Previews": "Попередній перегляд URL-адрес", "Bridges": "Мости", "This room is bridging messages to the following platforms. Learn more.": "Ця кімната передає повідомлення на такі платформи. Докладніше.", "Room version": "Версія кімнати", @@ -1278,20 +1222,7 @@ "You've previously used a newer version of %(brand)s with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "Ви раніше використовували новішу версію %(brand)s для цього сеансу. Щоб знову використовувати цю версію із наскрізним шифруванням, вам потрібно буде вийти та знову ввійти.", "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Налаштуйте цьому сеансу резервне копіювання, інакше при виході втратите ключі, доступні лише в цьому сеансі.", "Signed Out": "Виконано вихід", - "Sign out devices": { - "one": "Вийти з пристрою", - "other": "Вийти з пристроїв" - }, - "Click the button below to confirm signing out these devices.": { - "other": "Клацніть кнопку внизу, щоб підтвердити вихід із цих пристроїв.", - "one": "Натисніть кнопку внизу, щоб підтвердити вихід із цього пристрою." - }, - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "other": "Підтвердьте вихід із цих пристроїв за допомогою єдиного входу, щоб довести вашу справжність.", - "one": "Підтвердьте вихід із цього пристрою за допомогою єдиного входу, щоб підтвердити вашу особу." - }, "To continue, use Single Sign On to prove your identity.": "Щоб продовжити, скористайтеся єдиним входом для підтвердження особи.", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Ваші приватні повідомлення, зазвичай, зашифровані, але ця кімната — ні. Зазвичай це пов'язано з непідтримуваним пристроєм або використаним методом, наприклад, запрошення електронною поштою.", "For extra security, verify this user by checking a one-time code on both of your devices.": "Для додаткової безпеки перевірте цього користувача, звіривши одноразовий код на обох своїх пристроях.", "Verifying this device will mark it as trusted, and users who have verified with you will trust this device.": "Якщо звірити цей пристрій, його буде позначено надійним, а користувачі, які перевірили у вас, будуть довіряти цьому пристрою.", "Only do this if you have no other device to complete verification with.": "Робіть це лише якщо у вас немає іншого пристрою для виконання перевірки.", @@ -1326,8 +1257,6 @@ "Reply in thread": "Відповісти у гілці", "You cannot place calls without a connection to the server.": "Неможливо здійснювати виклики без з'єднання з сервером.", "Unable to remove contact information": "Не вдалося вилучити контактні дані", - "Deselect all": "Скасувати вибір", - "Select all": "Вибрати всі", "Request media permissions": "Запитати медіадозволи", "Missing media permissions, click the button below to request.": "Бракує медіадозволів, натисніть кнопку нижче, щоб їх надати.", "Developer": "Розробка", @@ -1344,7 +1273,6 @@ "Option %(number)s": "Варіант %(number)s", "Write an option": "Вписати варіант", "Add option": "Додати варіант", - "Someone already has that username. Try another or if it is you, sign in below.": "Хтось уже має це користувацьке ім'я. Спробуйте інше або, якщо це ви, зайдіть нижче.", "You won't get any notifications": "Ви не отримуватимете жодних сповіщень", "Unpin this widget to view it in this panel": "Відкріпіть віджет, щоб він зʼявився на цій панелі", "Vote not registered": "Голос не зареєстрований", @@ -1368,7 +1296,6 @@ "End Poll": "Завершити опитування", "Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "Точно завершити опитування? Буде показано підсумки опитування, і більше ніхто не зможе голосувати.", "Link to room": "Посилання на кімнату", - "You're all caught up": "Ви в курсі всього", "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Ми створимо ключ безпеки. Зберігайте його в надійному місці, скажімо в менеджері паролів чи сейфі.", "Command Help": "Допомога команди", "Unnamed audio": "Аудіо без назви", @@ -1386,13 +1313,7 @@ "You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Ви єдиний адміністратор кімнат чи просторів, з яких ви бажаєте вийти. Вихід із них залишить їх без адміністраторів.", "Leave %(spaceName)s": "Вийти з %(spaceName)s", "Call declined": "Виклик відхилено", - "Are you sure you want to add encryption to this public room?": "Точно додати шифрування цій загальнодоступній кімнаті?", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "Щоб уникнути цих проблем, створіть нову зашифровану кімнату для розмови, яку плануєте.", - "Are you sure you want to make this encrypted room public?": "Точно зробити цю зашифровану кімнату загальнодоступною?", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "Не варто робити зашифровані кімнати загальнодоступними. Будь-хто зможе знайти кімнату, приєднатись і читати повідомлення. Ви не отримаєте переваг шифрування. Зашифровані повідомлення в загальнодоступній кімнаті отримуватимуться й надсилатимуться повільніше.", - "To avoid these issues, create a new public room for the conversation you plan to have.": "Щоб уникнути цих проблем, створіть нову загальнодоступну кімнату для розмови, яку плануєте.", "Role in ": "Роль у ", - "Select the roles required to change various parts of the space": "Оберіть ролі, потрібні для зміни різних частин простору", "To join a space you'll need an invite.": "Щоб приєднатись до простору, вам потрібне запрошення.", "You are about to leave .": "Ви збираєтеся вийти з .", "Enter your Security Phrase or to continue.": "Введіть свою фразу безпеки чи для продовження.", @@ -1417,9 +1338,7 @@ "Waiting for %(displayName)s to accept…": "Очікування згоди %(displayName)s…", "Waiting for %(displayName)s to verify…": "Очікування звірки %(displayName)s…", "Message didn't send. Click for info.": "Повідомлення не надіслане. Натисніть, щоб дізнатись більше.", - "Invite to just this room": "Запросити лише до цієї кімнати", "Insert link": "Додати посилання", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "У цій розмові вас лише двоє, поки хтось із вас не запросить іще когось приєднатися.", "Set my room layout for everyone": "Встановити мій вигляд кімнати всім", "Close this widget to view it in this panel": "Закрийте віджет, щоб він зʼявився на цій панелі", "You can only pin up to %(count)s widgets": { @@ -1433,11 +1352,6 @@ "Yours, or the other users' internet connection": "Ваше інтернет-з'єднання чи з'єднання інших користувачів", "The homeserver the user you're verifying is connected to": "Домашній сервер користувача, якого ви підтверджуєте", "One of the following may be compromised:": "Щось із переліченого може бути скомпрометовано:", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Коли хтось додає URL-адресу у повідомлення, можливо автоматично показувати для цієї URL-адресу попередній перегляд його заголовку, опису й зображення.", - "URL previews are disabled by default for participants in this room.": "Попередній перегляд URL-адрес типово вимкнений для учасників цієї кімнати.", - "URL previews are enabled by default for participants in this room.": "Попередній перегляд URL-адрес типово увімкнений для учасників цієї кімнати.", - "You have disabled URL previews by default.": "Ви вимкнули усталений попередній перегляд URL-адрес.", - "You have enabled URL previews by default.": "Ви увімкнули усталений попередній перегляд URL-адрес.", "Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "Встановіть адреси цій кімнаті, щоб користувачі могли її знаходити через ваш домашній сервер (%(localDomain)s)", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Встановіть адреси цьому простору, щоб користувачі могли його знаходити через ваш домашній сервер (%(localDomain)s)", "New published address (e.g. #alias:server)": "Нова загальнодоступна адреса (вигляду #alias:server)", @@ -1454,9 +1368,6 @@ "@mentions & keywords": "@згадки й ключові слова", "Get notified for every message": "Отримувати сповіщення про кожне повідомлення", "Get notifications as set up in your settings": "Отримувати сповіщення відповідно до ваших налаштувань", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Зміни дозволів читання історії вплинуть лише на майбутні повідомлення цієї кімнати. Видимість наявної історії незмінна.", - "Enable encryption in settings.": "Ввімкніть шифрування в налаштуваннях.", - "End-to-end encryption isn't enabled": "Наскрізне шифрування не ввімкнене", "Start a conversation with someone using their name or username (like ).": "Почніть розмову з кимось, ввівши їхнє ім'я чи користувацьке ім'я (вигляду ).", "Start a conversation with someone using their name, email address or username (like ).": "Почніть розмову з кимось, ввівши їхнє ім'я, е-пошту чи користувацьке ім'я (вигляду ).", "If you can't see who you're looking for, send them your invite link below.": "Якщо тут немає тих, кого шукаєте, надішліть їм запрошувальне посилання внизу.", @@ -1464,7 +1375,6 @@ "Dial pad": "Номеронабирач", "Only people invited will be able to find and join this space.": "Лише запрошені до цього простору люди зможуть знайти й приєднатися до нього.", "You've previously used %(brand)s on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, %(brand)s needs to resync your account.": "Ви використовували %(brand)s на %(host)s, ввімкнувши відкладене звантаження учасників. У цій версії відкладене звантаження вимкнене. Оскільки локальне кешування не підтримує переходу між цими опціями, %(brand)s мусить заново синхронізувати ваш обліковий запис.", - "Members only (since the point in time of selecting this option)": "Лише учасники (від часу вибору цієї опції)", "Want to add an existing space instead?": "Бажаєте додати наявний простір натомість?", "Add existing room": "Додати наявну кімнату", "Invited people will be able to read old messages.": "Запрошені люди зможуть читати старі повідомлення.", @@ -1479,7 +1389,6 @@ "Accept all %(invitedRooms)s invites": "Прийняти всі %(invitedRooms)s запрошення", "Invite someone using their name, username (like ) or share this room.": "Запросіть когось за іменем, користувацьким іменем (вигляду ) чи поділіться цією кімнатою.", "Invite someone using their name, email address, username (like ) or share this room.": "Запросіть когось за іменем, е-поштою, користувацьким іменем (вигляду ) чи поділіться цією кімнатою.", - "Add a photo, so people can easily spot your room.": "Додайте фото, щоб люди легко вирізняли вашу кімнату.", "Put a link back to the old room at the start of the new room so people can see old messages": "Додамо лінк старої кімнати нагорі нової, щоб люди могли бачити старі повідомлення", "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "Вимкнемо користувачам можливість писати до старої версії кімнати й додамо повідомлення з порадою перейти до нової", "Update any local room aliases to point to the new room": "Направимо всі локальні псевдоніми цієї кімнати до нової", @@ -1490,7 +1399,6 @@ "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Поліпшення цієї кімнати припинить роботу наявного її примірника й створить поліпшену кімнату з такою ж назвою.", "This room is running room version , which this homeserver has marked as unstable.": "Ця кімната — версії , позначена цим домашнім сервером нестабільною.", "%(roomName)s is not accessible at this time.": "%(roomName)s зараз офлайн.", - "%(creator)s created and configured the room.": "%(creator)s створює й налаштовує кімнату.", "Jump to read receipt": "Перейти до останнього прочитаного", "Jump to first unread message.": "Перейти до першого непрочитаного повідомлення.", "a new cross-signing key signature": "новий підпис ключа перехресного підписування", @@ -1506,20 +1414,11 @@ "Doesn't look like a valid email address": "Адреса е-пошти виглядає хибною", "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "У параметрах домашнього сервера бракує відкритого ключа капчі. Будь ласка, повідомте про це адміністратора домашнього сервера.", "Something went wrong in confirming your identity. Cancel and try again.": "Щось пішло не так при підтвердженні вашої особи. Скасуйте й повторіть спробу.", - "Use lowercase letters, numbers, dashes and underscores only": "Використовуйте лише малі літери, цифри, дефіс і підкреслення", "Enter phone number (required on this homeserver)": "Введіть номер телефону (обов'язково на цьому домашньому сервері)", "Other users can invite you to rooms using your contact details": "Інші користувачі можуть запрошувати вас до кімнат за вашими контактними даними", "Enter email address (required on this homeserver)": "Введіть е-пошту (обов'язково на цьому домашньому сервері)", "Use an email address to recover your account": "Введіть е-пошту, щоб могти відновити обліковий запис", - "Use email to optionally be discoverable by existing contacts.": "Можете ввести е-пошту, щоб наявні контакти знаходили вас за нею.", - "Use email or phone to optionally be discoverable by existing contacts.": "Можете ввести е-пошту чи телефон, щоб наявні контакти знаходили вас за ними.", - "Add an email to be able to reset your password.": "Додайте е-пошту, щоб могти скинути пароль.", - "You must join the room to see its files": "Приєднайтесь до кімнати, щоб бачити її файли", - "You must register to use this functionality": "Зареєструйтеся, щоб скористатись цим функціоналом", - "Attach files from chat or just drag and drop them anywhere in a room.": "Перешліть файли з бесіди чи просто потягніть їх до кімнати.", - "No files visible in this room": "У цій кімнаті нема видимих файлів", "You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Можете зареєструватись, але деякі можливості будуть недоступні, поки сервер ідентифікації не відновить роботу. Якщо часто бачите це застереження, перевірте свої параметри чи зв'яжіться з адміністратором сервера.", - "Decrypted event source": "Розшифрований початковий код події", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Це дає змогу імпортувати ключі шифрування, які ви раніше експортували з іншого клієнта Matrix. Тоді ви зможете розшифрувати будь-які повідомлення, які міг розшифровувати той клієнт.", "Import room keys": "Імпортувати ключі кімнат", "Confirm passphrase": "Підтвердьте парольну фразу", @@ -1645,9 +1544,6 @@ "Unable to verify phone number.": "Не вдалося перевірити номер телефону.", "Click the link in the email you received to verify and then click continue again.": "Для підтвердження перейдіть за посиланням в отриманому листі й знову натисніть «Продовжити».", "Your email address hasn't been verified yet": "Ваша адреса е-пошти ще не підтверджена", - "People with supported clients will be able to join the room without having a registered account.": "Люди з підтримуваними клієнтами зможуть приєднуватись до кімнати без реєстрації.", - "To link to this room, please add an address.": "Щоб посилатись на цю кімнату, додайте їй адресу.", - "Muted Users": "Стишені користувачі", "Bulk options": "Масові дії", "Unignore": "Рознехтувати", "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Додайте сюди користувачів і сервери, якими нехтуєте. Використовуйте зірочки, де %(brand)s має підставляти довільні символи. Наприклад, @бот:* нехтуватиме всіма користувачами з іменем «бот» на будь-якому сервері.", @@ -1703,7 +1599,6 @@ "That matches!": "Збіг!", "Great! This Security Phrase looks strong enough.": "Чудово! Фраза безпеки досить надійна.", "Enter a Security Phrase": "Ввести фразу безпеки", - "You have no visible notifications.": "У вас нема видимих сповіщень.", "This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please report a bug.": "Зазвичай це впливає лише на деталі опрацювання кімнати сервером. Якщо проблема полягає саме в %(brand)s, просимо повідомити нас про ваду.", "This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please report a bug.": "Зазвичай це впливає лише на деталі опрацювання кімнати сервером. Якщо проблема полягає саме в %(brand)s, просимо повідомити нас про ваду.", "Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Поліпшення кімнати — серйозна операція. Її зазвичай радять, коли кімната нестабільна через вади, брак функціоналу чи вразливості безпеки.", @@ -1771,7 +1666,6 @@ "Unable to start audio streaming.": "Не вдалося почати аудіотрансляцію.", "Start audio stream": "Почати аудіотрансляцію", "Failed to start livestream": "Не вдалося почати живу трансляцію", - "See room timeline (devtools)": "Переглянути стрічку кімнати (розробка)", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Тут лише ви. Якщо ви вийдете, ніхто більше не зможе приєднатися, навіть ви самі.", "You don't have permission to do this": "У вас немає на це дозволу", "Message preview": "Попередній перегляд повідомлення", @@ -1816,7 +1710,6 @@ "Invalid homeserver discovery response": "Хибна відповідь самоналаштування домашнього сервера", "Failed to get autodiscovery configuration from server": "Не вдалося отримати параметри самоналаштування від сервера", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Не вдалося надіслати повідомлення, бо домашній сервер перевищив ліміт ресурсів. Зв'яжіться з адміністратором сервісу, щоб продовжити використання.", - "Use bots, bridges, widgets and sticker packs": "Використовувати ботів, мости, віджети й пакунки наліпок", "Failed to find the following users": "Не вдалося знайти таких користувачів", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Не вдалося надіслати повідомлення, бо домашній сервер перевищив свій ліміт активних користувачів за місяць. Зв'яжіться з адміністратором сервісу, щоб продовжити використання.", "Passphrase must not be empty": "Парольна фраза обов'язкова", @@ -1831,7 +1724,6 @@ "Recent Conversations": "Недавні бесіди", "A call can only be transferred to a single user.": "Виклик можна переадресувати лише на одного користувача.", "Search for rooms or people": "Пошук кімнат або людей", - "Failed to load list of rooms.": "Не вдалося отримати список кімнат.", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Це групує ваші бесіди з учасниками цього простору. Вимкніть, щоб сховати ці бесіди з вашого огляду %(spaceName)s.", "Open in OpenStreetMap": "Відкрити в OpenStreetMap", "toggle event": "перемкнути подію", @@ -1867,19 +1759,15 @@ "You were removed from %(roomName)s by %(memberName)s": "%(memberName)s вилучає вас із %(roomName)s", "Message pending moderation": "Повідомлення очікує модерування", "Message pending moderation: %(reason)s": "Повідомлення очікує модерування: %(reason)s", - "Space home": "Домівка простору", "Internal room ID": "Внутрішній ID кімнати", "Group all your rooms that aren't part of a space in one place.": "Групуйте всі свої кімнати, не приєднані до простору, в одному місці.", "Group all your people in one place.": "Групуйте всіх своїх людей в одному місці.", "Group all your favourite rooms and people in one place.": "Групуйте всі свої улюблені кімнати та людей в одному місці.", "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Простори — це спосіб групування кімнат і людей. Окрім просторів, до яких ви приєдналися, ви також можете використовувати деякі вбудовані.", - "Unable to check if username has been taken. Try again later.": "Неможливо перевірити, чи зайняте ім'я користувача. Спробуйте ще раз пізніше.", "Pick a date to jump to": "Виберіть до якої дати перейти", "Jump to date": "Перейти до дати", "The beginning of the room": "Початок кімнати", "This address does not point at this room": "Ця адреса не вказує на цю кімнату", - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "Якщо ви знаєте, що ви робите, Element — це відкрите програмне забезпечення, обов'язково перегляньте наш GitHub (https://github.com/vector-im/element-web/) та зробіть внесок!", - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "Якщо хтось сказав вам скопіювати/вставити щось сюди, є велика ймовірність, що вас обманюють!", "Wait!": "Заждіть!", "Location": "Місцеперебування", "Poll": "Опитування", @@ -1969,10 +1857,6 @@ "New video room": "Нова відеокімната", "New room": "Нова кімната", "%(featureName)s Beta feedback": "%(featureName)s — відгук про бетаверсію", - "Confirm signing out these devices": { - "one": "Підтвердьте вихід із цього пристрою", - "other": "Підтвердьте вихід із цих пристроїв" - }, "Live location ended": "Показ місцеперебування наживо завершено", "View live location": "Показувати місцеперебування наживо", "Live location enabled": "Показ місцеперебування наживо ввімкнено", @@ -2045,7 +1929,6 @@ "Deactivating your account is a permanent action — be careful!": "Деактивація вашого облікового запису — це незворотна дія, будьте обережні!", "Un-maximise": "Розгорнути", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Коли ви вийдете, ці ключі буде видалено з цього пристрою, і ви не зможете читати зашифровані повідомлення, якщо у вас немає ключів для них на інших пристроях або не створено їх резервну копію на сервері.", - "Video rooms are a beta feature": "Відеокімнати — це бета-функція", "Remove search filter for %(filter)s": "Вилучити фільтр пошуку для %(filter)s", "Start a group chat": "Розпочати нову бесіду", "Other options": "Інші опції", @@ -2084,42 +1967,14 @@ "You're in": "Ви увійшли", "You need to have the right permissions in order to share locations in this room.": "Вам потрібно мати відповідні дозволи, щоб ділитися геоданими в цій кімнаті.", "Messages in this chat will be end-to-end encrypted.": "Повідомлення в цій бесіді будуть захищені наскрізним шифруванням.", - "Send your first message to invite to chat": "Надішліть своє перше повідомлення, щоб запросити до бесіди", "Saved Items": "Збережені елементи", "Choose a locale": "Вибрати локаль", "Spell check": "Перевірка правопису", "We're creating a room with %(names)s": "Ми створюємо кімнату з %(names)s", - "Last activity": "Остання активність", "Sessions": "Сеанси", - "Current session": "Поточний сеанс", - "Session details": "Подробиці сеансу", - "IP address": "IP-адреса", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Для кращої безпеки звірте свої сеанси та вийдіть з усіх невикористовуваних або нерозпізнаних сеансів.", - "Other sessions": "Інші сеанси", - "Verify or sign out from this session for best security and reliability.": "Звірте цей сеанс або вийдіть із нього для поліпшення безпеки та надійності.", - "Unverified session": "Не звірений сеанс", - "This session is ready for secure messaging.": "Цей сеанс готовий для безпечного обміну повідомленнями.", - "Verified session": "Звірений сеанс", - "Inactive for %(inactiveAgeDays)s+ days": "Неактивний %(inactiveAgeDays)s+ днів", - "Inactive sessions": "Неактивні сеанси", - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Звірте свої сеанси для покращеного безпечного обміну повідомленнями або вийдіть із тих, які ви не розпізнаєте або не використовуєте.", - "Unverified sessions": "Не звірені сеанси", - "Security recommendations": "Поради щодо безпеки", - "Filter devices": "Фільтрувати пристрої", - "Inactive for %(inactiveAgeDays)s days or longer": "Неактивний впродовж %(inactiveAgeDays)s днів чи довше", - "Inactive": "Неактивний", - "Not ready for secure messaging": "Не готовий до безпечного обміну повідомленнями", - "Ready for secure messaging": "Готовий до безпечного обміну повідомленнями", - "All": "Усі", - "No sessions found.": "Не знайдено сеансів.", - "No inactive sessions found.": "Не знайдено неактивних сеансів.", - "No unverified sessions found.": "Не знайдено не звірених сеансів.", - "No verified sessions found.": "Не знайдено звірених сеансів.", - "For best security, sign out from any session that you don't recognize or use anymore.": "Для кращої безпеки виходьте з усіх сеансів, які ви не розпізнаєте або більше не використовуєте.", - "Verified sessions": "Звірені сеанси", "Interactively verify by emoji": "Звірити інтерактивно за допомогою емоджі", "Manually verify by text": "Звірити вручну за допомогою тексту", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "Не варто додавати шифрування загальнодоступним кімнатам. Будь-хто може знаходити загальнодоступні кімнати, приєднатись і читати повідомлення в них. Ви не отримаєте переваг від шифрування й не зможете вимкнути його пізніше. Зашифровані повідомлення в загальнодоступній кімнаті отримуватимуться й надсилатимуться повільніше.", "Empty room (was %(oldName)s)": "Порожня кімната (були %(oldName)s)", "Inviting %(user)s and %(count)s others": { "one": "Запрошення %(user)s і ще 1", @@ -2133,16 +1988,7 @@ "%(user1)s and %(user2)s": "%(user1)s і %(user2)s", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s або %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s або %(recoveryFile)s", - "Proxy URL": "URL-адреса проксі-сервера", - "Proxy URL (optional)": "URL-адреса проксі-сервера (необов'язково)", - "To disable you will need to log out and back in, use with caution!": "Для вимкнення потрібно буде вийти з системи та зайти знову, користуйтеся з обережністю!", - "Sliding Sync configuration": "Конфігурація ковзної синхронізації", - "Your server lacks native support, you must specify a proxy": "На вашому сервері немає вбудованої підтримки, ви повинні вказати проксі", - "Your server lacks native support": "На вашому сервері немає вбудованої підтримки", - "Your server has native support": "Ваш сервер має вбудовану підтримку", "You need to be able to kick users to do that.": "Для цього вам потрібен дозвіл вилучати користувачів.", - "Sign out of this session": "Вийти з цього сеансу", - "Rename session": "Перейменувати сеанс", "Voice broadcast": "Голосові трансляції", "You do not have permission to start voice calls": "У вас немає дозволу розпочинати голосові виклики", "There's no one here to call": "Тут немає кого викликати", @@ -2151,31 +1997,20 @@ "Video call (Jitsi)": "Відеовиклик (Jitsi)", "Live": "Наживо", "Failed to set pusher state": "Не вдалося встановити стан push-служби", - "Receive push notifications on this session.": "Отримувати push-сповіщення в цьому сеансі.", - "Push notifications": "Push-сповіщення", - "Toggle push notifications on this session.": "Увімкнути push-сповіщення для цього сеансу.", "Video call ended": "Відеовиклик завершено", "%(name)s started a video call": "%(name)s розпочинає відеовиклик", - "URL": "URL", - "Unknown session type": "Невідомий тип сеансу", - "Web session": "Сеанс у браузері", - "Mobile session": "Сеанс на мобільному", - "Desktop session": "Сеанс на комп'ютері", "Unknown room": "Невідома кімната", "Room info": "Відомості про кімнату", "View chat timeline": "Переглянути стрічку бесіди", "Close call": "Закрити виклик", "Spotlight": "У фокусі", "Freedom": "Свобода", - "Operating system": "Операційна система", "Video call (%(brand)s)": "Відеовиклик (%(brand)s)", "Call type": "Тип викликів", "You do not have sufficient permissions to change this.": "Ви не маєте достатніх повноважень, щоб змінити це.", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s наскрізно зашифровано, але наразі обмежений меншою кількістю користувачів.", "Enable %(brand)s as an additional calling option in this room": "Увімкнути %(brand)s додатковою опцією викликів у цій кімнаті", "Sorry — this call is currently full": "Перепрошуємо, цей виклик заповнено", - "Sign in with QR code": "Увійти за допомогою QR-коду", - "Browser": "Браузер", "Completing set up of your new device": "Завершення налаштування нового пристрою", "Waiting for device to sign in": "Очікування входу з пристрою", "Review and approve the sign in": "Розглянути та схвалити вхід", @@ -2194,22 +2029,11 @@ "The scanned code is invalid.": "Сканований код недійсний.", "The linking wasn't completed in the required time.": "У встановлені терміни з'єднання не було виконано.", "Sign in new device": "Увійти на новому пристрої", - "Show QR code": "Показати QR-код", - "You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.": "Ви можете використовувати цей пристрій для входу на новому пристрої за допомогою QR-коду. Вам потрібно буде сканувати QR-код, показаний на цьому пристрої, своїм пристроєм, на якому ви вийшли.", "Are you sure you want to sign out of %(count)s sessions?": { "one": "Ви впевнені, що хочете вийти з %(count)s сеансів?", "other": "Ви впевнені, що хочете вийти з %(count)s сеансів?" }, "Show formatting": "Показати форматування", - "Removing inactive sessions improves security and performance, and makes it easier for you to identify if a new session is suspicious.": "Вилучення неактивних сеансів посилює безпеку і швидкодію, а також полегшує виявлення підозрілих нових сеансів.", - "Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.": "Неактивні сеанси — це сеанси, які ви не використовували протягом певного часу, але вони продовжують отримувати ключі шифрування.", - "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Обміркуйте можливість виходу зі старих сеансів (%(inactiveAgeDays)s днів або більше), якими ви більше не користуєтесь.", - "You should make especially certain that you recognise these sessions as they could represent an unauthorised use of your account.": "Ви повинні бути впевнені, що розпізнаєте ці сеанси, оскільки вони можуть бути несанкціонованим використанням вашого облікового запису.", - "Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.": "Не звірені сеанси — це сеанси, які увійшли в систему з вашими обліковими даними, але не пройшли перехресну перевірку.", - "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "Завдяки цьому у них з'являється впевненість, що вони дійсно розмовляють з вами, а також вони можуть бачити назву сеансу, яку ви вводите тут.", - "Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "Інші користувачі в особистих повідомленнях і кімнатах, до яких ви приєдналися, можуть переглянути список усіх ваших сеансів.", - "Renaming sessions": "Перейменування сеансів", - "Please be aware that session names are also visible to people you communicate with.": "Зауважте, що назви сеансів також бачать люди, з якими ви спілкуєтесь.", "Hide formatting": "Сховати форматування", "Connection": "З'єднання", "Voice processing": "Обробка голосу", @@ -2218,10 +2042,6 @@ "Voice settings": "Налаштування голосу", "Error downloading image": "Помилка завантаження зображення", "Unable to show image due to error": "Не вдалося показати зображення через помилку", - "This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Це означає, що у вас є всі ключі, необхідні для розблокування ваших зашифрованих повідомлень і підтвердження іншим користувачам, що ви довіряєте цьому сеансу.", - "Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Звірені сеанси — це будь-який пристрій, на якому ви використовуєте цей обліковий запис після введення парольної фрази або підтвердження вашої особи за допомогою іншого перевіреного сеансу.", - "Show details": "Показати подробиці", - "Hide details": "Сховати подробиці", "Send email": "Надіслати електронний лист", "Sign out of all devices": "Вийти на всіх пристроях", "Confirm new password": "Підтвердити новий пароль", @@ -2240,35 +2060,19 @@ "Search users in this room…": "Пошук користувачів у цій кімнаті…", "Give one or multiple users in this room more privileges": "Надайте одному або кільком користувачам у цій кімнаті більше повноважень", "Add privileged users": "Додати привілейованих користувачів", - "This session doesn't support encryption and thus can't be verified.": "Цей сеанс не підтримує шифрування, і його не можна звірити.", - "For best security and privacy, it is recommended to use Matrix clients that support encryption.": "Для найкращої безпеки та приватності радимо користуватися клієнтами Matrix, які підтримують шифрування.", - "You won't be able to participate in rooms where encryption is enabled when using this session.": "Під час користування цим сеансом ви не зможете брати участь у кімнатах, де ввімкнено шифрування.", "Unable to decrypt message": "Не вдалося розшифрувати повідомлення", "This message could not be decrypted": "Не вдалося розшифрувати це повідомлення", "You can’t start a call as you are currently recording a live broadcast. Please end your live broadcast in order to start a call.": "Ви не можете розпочати виклик, оскільки зараз ведеться запис прямої трансляції. Будь ласка, заверште її, щоб розпочати виклик.", "Can’t start a call": "Не вдалося розпочати виклик", - "Improve your account security by following these recommendations.": "Удоскональте безпеку свого облікового запису, дотримуючись цих порад.", - "%(count)s sessions selected": { - "one": "%(count)s сеанс вибрано", - "other": "Вибрано сеансів: %(count)s" - }, "Failed to read events": "Не вдалося прочитати події", "Failed to send event": "Не вдалося надіслати подію", " in %(room)s": " в %(room)s", - "Verify your current session for enhanced secure messaging.": "Звірте свій поточний сеанс для посилення безпеки обміну повідомленнями.", - "Your current session is ready for secure messaging.": "Ваш поточний сеанс готовий до захищеного обміну повідомленнями.", "Mark as read": "Позначити прочитаним", "Text": "Текст", "Create a link": "Створити посилання", - "Sign out of %(count)s sessions": { - "one": "Вийти з %(count)s сеансу", - "other": "Вийти з %(count)s сеансів" - }, - "Sign out of all other sessions (%(otherSessionsCount)s)": "Вийти з усіх інших сеансів (%(otherSessionsCount)s)", "You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "Ви не можете розпочати запис голосового повідомлення, оскільки зараз відбувається запис трансляції наживо. Завершіть трансляцію, щоб розпочати запис голосового повідомлення.", "Can't start voice message": "Не можливо запустити запис голосового повідомлення", "Edit link": "Змінити посилання", - "Decrypted source unavailable": "Розшифроване джерело недоступне", "%(senderName)s started a voice broadcast": "%(senderName)s розпочинає голосову трансляцію", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", "Registration token": "Токен реєстрації", @@ -2344,7 +2148,6 @@ "Load more polls": "Завантажити більше опитувань", "Verify Session": "Звірити сеанс", "Ignore (%(counter)s)": "Ігнорувати (%(counter)s)", - "Once everyone has joined, you’ll be able to chat": "Коли хтось приєднається, ви зможете спілкуватись", "Invites by email can only be sent one at a time": "Запрошення електронною поштою можна надсилати лише одне за раз", "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Сталася помилка під час оновлення налаштувань сповіщень. Спробуйте змінити налаштування ще раз.", "Desktop app logo": "Логотип комп'ютерного застосунку", @@ -2421,7 +2224,6 @@ "User cannot be invited until they are unbanned": "Не можна запросити користувача до його розблокування", "People cannot join unless access is granted.": "Люди не можуть приєднатися, якщо їм не надано доступ.", "Update:We’ve simplified Notifications Settings to make options easier to find. Some custom settings you’ve chosen in the past are not shown here, but they’re still active. If you proceed, some of your settings may change. Learn more": "Оновлення:Ми спростили налаштування сповіщень, щоб полегшити пошук потрібних опцій. Деякі налаштування, які ви вибрали раніше, тут не показано, але вони залишаються активними. Якщо ви продовжите, деякі з ваших налаштувань можуть змінитися. Докладніше", - "Your server requires encryption to be disabled.": "Ваш сервер вимагає вимкнення шифрування.", "Show a badge when keywords are used in a room.": "Показувати значок , коли в кімнаті вжито ключові слова.", "Email Notifications": "Сповіщення е-поштою", "Messages here are end-to-end encrypted. Verify %(displayName)s in their profile - tap on their profile picture.": "Повідомлення тут наскрізно зашифровані. Перевірте %(displayName)s у їхньому профілі - торкніться їхнього зображення профілю.", @@ -2540,7 +2342,9 @@ "orphan_rooms": "Інші кімнати", "on": "Увімкнено", "off": "Вимкнено", - "all_rooms": "Усі кімнати" + "all_rooms": "Усі кімнати", + "deselect_all": "Скасувати вибір", + "select_all": "Вибрати всі" }, "action": { "continue": "Продовжити", @@ -2723,7 +2527,15 @@ "rust_crypto_disabled_notice": "Наразі можна ввімкнути лише через config.json", "automatic_debug_logs_key_backup": "Автоматично надсилати журнали зневадження при збоях резервного копіювання ключів", "automatic_debug_logs_decryption": "Автоматично надсилати журнали зневадження при збоях розшифрування", - "automatic_debug_logs": "Автоматично надсилати журнал зневадження про всі помилки" + "automatic_debug_logs": "Автоматично надсилати журнал зневадження про всі помилки", + "sliding_sync_server_support": "Ваш сервер має вбудовану підтримку", + "sliding_sync_server_no_support": "На вашому сервері немає вбудованої підтримки", + "sliding_sync_server_specify_proxy": "На вашому сервері немає вбудованої підтримки, ви повинні вказати проксі", + "sliding_sync_configuration": "Конфігурація ковзної синхронізації", + "sliding_sync_disable_warning": "Для вимкнення потрібно буде вийти з системи та зайти знову, користуйтеся з обережністю!", + "sliding_sync_proxy_url_optional_label": "URL-адреса проксі-сервера (необов'язково)", + "sliding_sync_proxy_url_label": "URL-адреса проксі-сервера", + "video_rooms_beta": "Відеокімнати — це бета-функція" }, "keyboard": { "home": "Домівка", @@ -2818,7 +2630,19 @@ "placeholder_reply_encrypted": "Надіслати зашифровану відповідь…", "placeholder_reply": "Надіслати відповідь…", "placeholder_encrypted": "Надіслати зашифроване повідомлення…", - "placeholder": "Надіслати повідомлення…" + "placeholder": "Надіслати повідомлення…", + "autocomplete": { + "command_description": "Команди", + "command_a11y": "Команда автозаповнення", + "emoji_a11y": "Самодоповнення емодзі", + "@room_description": "Сповістити всю кімнату", + "notification_description": "Сповіщення кімнати", + "notification_a11y": "Автозаповнення сповіщення", + "room_a11y": "Автозаповнення кімнати", + "space_a11y": "Автозаповнення простору", + "user_description": "Користувачі", + "user_a11y": "Автозаповнення користувача" + } }, "Bold": "Жирний", "Link": "Посилання", @@ -3073,6 +2897,95 @@ }, "keyboard": { "title": "Клавіатура" + }, + "sessions": { + "rename_form_heading": "Перейменувати сеанс", + "rename_form_caption": "Зауважте, що назви сеансів також бачать люди, з якими ви спілкуєтесь.", + "rename_form_learn_more": "Перейменування сеансів", + "rename_form_learn_more_description_1": "Інші користувачі в особистих повідомленнях і кімнатах, до яких ви приєдналися, можуть переглянути список усіх ваших сеансів.", + "rename_form_learn_more_description_2": "Завдяки цьому у них з'являється впевненість, що вони дійсно розмовляють з вами, а також вони можуть бачити назву сеансу, яку ви вводите тут.", + "session_id": "ID сеансу", + "last_activity": "Остання активність", + "url": "URL", + "os": "Операційна система", + "browser": "Браузер", + "ip": "IP-адреса", + "details_heading": "Подробиці сеансу", + "push_toggle": "Увімкнути push-сповіщення для цього сеансу.", + "push_heading": "Push-сповіщення", + "push_subheading": "Отримувати push-сповіщення в цьому сеансі.", + "sign_out": "Вийти з цього сеансу", + "hide_details": "Сховати подробиці", + "show_details": "Показати подробиці", + "inactive_days": "Неактивний %(inactiveAgeDays)s+ днів", + "verified_sessions": "Звірені сеанси", + "verified_sessions_explainer_1": "Звірені сеанси — це будь-який пристрій, на якому ви використовуєте цей обліковий запис після введення парольної фрази або підтвердження вашої особи за допомогою іншого перевіреного сеансу.", + "verified_sessions_explainer_2": "Це означає, що у вас є всі ключі, необхідні для розблокування ваших зашифрованих повідомлень і підтвердження іншим користувачам, що ви довіряєте цьому сеансу.", + "unverified_sessions": "Не звірені сеанси", + "unverified_sessions_explainer_1": "Не звірені сеанси — це сеанси, які увійшли в систему з вашими обліковими даними, але не пройшли перехресну перевірку.", + "unverified_sessions_explainer_2": "Ви повинні бути впевнені, що розпізнаєте ці сеанси, оскільки вони можуть бути несанкціонованим використанням вашого облікового запису.", + "unverified_session": "Не звірений сеанс", + "unverified_session_explainer_1": "Цей сеанс не підтримує шифрування, і його не можна звірити.", + "unverified_session_explainer_2": "Під час користування цим сеансом ви не зможете брати участь у кімнатах, де ввімкнено шифрування.", + "unverified_session_explainer_3": "Для найкращої безпеки та приватності радимо користуватися клієнтами Matrix, які підтримують шифрування.", + "inactive_sessions": "Неактивні сеанси", + "inactive_sessions_explainer_1": "Неактивні сеанси — це сеанси, які ви не використовували протягом певного часу, але вони продовжують отримувати ключі шифрування.", + "inactive_sessions_explainer_2": "Вилучення неактивних сеансів посилює безпеку і швидкодію, а також полегшує виявлення підозрілих нових сеансів.", + "desktop_session": "Сеанс на комп'ютері", + "mobile_session": "Сеанс на мобільному", + "web_session": "Сеанс у браузері", + "unknown_session": "Невідомий тип сеансу", + "device_verified_description_current": "Ваш поточний сеанс готовий до захищеного обміну повідомленнями.", + "device_verified_description": "Цей сеанс готовий для безпечного обміну повідомленнями.", + "verified_session": "Звірений сеанс", + "device_unverified_description_current": "Звірте свій поточний сеанс для посилення безпеки обміну повідомленнями.", + "device_unverified_description": "Звірте цей сеанс або вийдіть із нього для поліпшення безпеки та надійності.", + "verify_session": "Звірити сеанс", + "verified_sessions_list_description": "Для кращої безпеки виходьте з усіх сеансів, які ви не розпізнаєте або більше не використовуєте.", + "unverified_sessions_list_description": "Звірте свої сеанси для покращеного безпечного обміну повідомленнями або вийдіть із тих, які ви не розпізнаєте або не використовуєте.", + "inactive_sessions_list_description": "Обміркуйте можливість виходу зі старих сеансів (%(inactiveAgeDays)s днів або більше), якими ви більше не користуєтесь.", + "no_verified_sessions": "Не знайдено звірених сеансів.", + "no_unverified_sessions": "Не знайдено не звірених сеансів.", + "no_inactive_sessions": "Не знайдено неактивних сеансів.", + "no_sessions": "Не знайдено сеансів.", + "filter_all": "Усі", + "filter_verified_description": "Готовий до безпечного обміну повідомленнями", + "filter_unverified_description": "Не готовий до безпечного обміну повідомленнями", + "filter_inactive": "Неактивний", + "filter_inactive_description": "Неактивний впродовж %(inactiveAgeDays)s днів чи довше", + "filter_label": "Фільтрувати пристрої", + "n_sessions_selected": { + "one": "%(count)s сеанс вибрано", + "other": "Вибрано сеансів: %(count)s" + }, + "sign_in_with_qr": "Увійти за допомогою QR-коду", + "sign_in_with_qr_description": "Ви можете використовувати цей пристрій для входу на новому пристрої за допомогою QR-коду. Вам потрібно буде сканувати QR-код, показаний на цьому пристрої, своїм пристроєм, на якому ви вийшли.", + "sign_in_with_qr_button": "Показати QR-код", + "sign_out_n_sessions": { + "one": "Вийти з %(count)s сеансу", + "other": "Вийти з %(count)s сеансів" + }, + "other_sessions_heading": "Інші сеанси", + "sign_out_all_other_sessions": "Вийти з усіх інших сеансів (%(otherSessionsCount)s)", + "current_session": "Поточний сеанс", + "confirm_sign_out_sso": { + "other": "Підтвердьте вихід із цих пристроїв за допомогою єдиного входу, щоб довести вашу справжність.", + "one": "Підтвердьте вихід із цього пристрою за допомогою єдиного входу, щоб підтвердити вашу особу." + }, + "confirm_sign_out": { + "one": "Підтвердьте вихід із цього пристрою", + "other": "Підтвердьте вихід із цих пристроїв" + }, + "confirm_sign_out_body": { + "other": "Клацніть кнопку внизу, щоб підтвердити вихід із цих пристроїв.", + "one": "Натисніть кнопку внизу, щоб підтвердити вихід із цього пристрою." + }, + "confirm_sign_out_continue": { + "one": "Вийти з пристрою", + "other": "Вийти з пристроїв" + }, + "security_recommendations": "Поради щодо безпеки", + "security_recommendations_description": "Удоскональте безпеку свого облікового запису, дотримуючись цих порад." } }, "devtools": { @@ -3172,7 +3085,9 @@ "show_hidden_events": "Показувати приховані події у часоряді", "low_bandwidth_mode_description": "Потрібен сумісний домашній сервер.", "low_bandwidth_mode": "Режим низької пропускної спроможності", - "developer_mode": "Режим розробника" + "developer_mode": "Режим розробника", + "view_source_decrypted_event_source": "Розшифрований початковий код події", + "view_source_decrypted_event_source_unavailable": "Розшифроване джерело недоступне" }, "export_chat": { "html": "HTML", @@ -3568,7 +3483,9 @@ "io.element.voice_broadcast_info": { "you": "Ви завершили голосову трансляцію", "user": "%(senderName)s завершує голосову трансляцію" - } + }, + "creation_summary_dm": "%(creator)s створює цю приватну розмову.", + "creation_summary_room": "%(creator)s створює й налаштовує кімнату." }, "slash_command": { "spoiler": "Надсилає вказане повідомлення згорненим", @@ -3763,13 +3680,53 @@ "kick": "Вилучити користувачів", "ban": "Блокування користувачів", "redact": "Вилучити повідомлення надіслані іншими", - "notifications.room": "Сповістити всіх" + "notifications.room": "Сповістити всіх", + "no_privileged_users": "У цій кімнаті немає користувачів з визначеними привілеями", + "privileged_users_section": "Привілейовані користувачі", + "muted_users_section": "Стишені користувачі", + "banned_users_section": "Заблоковані користувачі", + "send_event_type": "Надіслати події %(eventType)s", + "title": "Ролі й дозволи", + "permissions_section": "Дозволи", + "permissions_section_description_space": "Оберіть ролі, потрібні для зміни різних частин простору", + "permissions_section_description_room": "Виберіть ролі, необхідні для зміни різних частин кімнати" }, "security": { "strict_encryption": "Ніколи не надсилати зашифровані повідомлення до незвірених сеансів у цій кімнаті з цього сеансу", "join_rule_invite": "Приватно (лише за запрошенням)", "join_rule_invite_description": "Приєднатися можуть лише запрошені люди.", - "join_rule_public_description": "Будь-хто може знайти та приєднатися." + "join_rule_public_description": "Будь-хто може знайти та приєднатися.", + "enable_encryption_public_room_confirm_title": "Точно додати шифрування цій загальнодоступній кімнаті?", + "enable_encryption_public_room_confirm_description_1": "Не варто додавати шифрування загальнодоступним кімнатам. Будь-хто може знаходити загальнодоступні кімнати, приєднатись і читати повідомлення в них. Ви не отримаєте переваг від шифрування й не зможете вимкнути його пізніше. Зашифровані повідомлення в загальнодоступній кімнаті отримуватимуться й надсилатимуться повільніше.", + "enable_encryption_public_room_confirm_description_2": "Щоб уникнути цих проблем, створіть нову зашифровану кімнату для розмови, яку плануєте.", + "enable_encryption_confirm_title": "Увімкнути шифрування?", + "enable_encryption_confirm_description": "Якщо ви увімкнете шифрування для кімнати, його неможливо буде вимкнути. Надіслані у зашифровану кімнату повідомлення будуть прочитними тільки для учасників кімнати, натомість для сервера вони будуть непрочитними. Увімкнення шифрування може унеможливити роботу ботів та мостів. Дізнатись більше про шифрування.", + "public_without_alias_warning": "Щоб посилатись на цю кімнату, додайте їй адресу.", + "join_rule_description": "Вкажіть, хто може приєднуватися до %(roomName)s.", + "encrypted_room_public_confirm_title": "Точно зробити цю зашифровану кімнату загальнодоступною?", + "encrypted_room_public_confirm_description_1": "Не варто робити зашифровані кімнати загальнодоступними. Будь-хто зможе знайти кімнату, приєднатись і читати повідомлення. Ви не отримаєте переваг шифрування. Зашифровані повідомлення в загальнодоступній кімнаті отримуватимуться й надсилатимуться повільніше.", + "encrypted_room_public_confirm_description_2": "Щоб уникнути цих проблем, створіть нову загальнодоступну кімнату для розмови, яку плануєте.", + "history_visibility": {}, + "history_visibility_warning": "Зміни дозволів читання історії вплинуть лише на майбутні повідомлення цієї кімнати. Видимість наявної історії незмінна.", + "history_visibility_legend": "Хто може читати історію?", + "guest_access_warning": "Люди з підтримуваними клієнтами зможуть приєднуватись до кімнати без реєстрації.", + "title": "Безпека й приватність", + "encryption_permanent": "Після увімкнення шифрування не можна буде вимкнути.", + "encryption_forced": "Ваш сервер вимагає вимкнення шифрування.", + "history_visibility_shared": "Лише учасники (від часу вибору цієї опції)", + "history_visibility_invited": "Лише учасники (від часу їхнього запрошення)", + "history_visibility_joined": "Лише учасники (від часу приєднання)", + "history_visibility_world_readable": "Кожний" + }, + "general": { + "publish_toggle": "Опублікувати цю кімнату для всіх у каталозі кімнат %(domain)s?", + "user_url_previews_default_on": "Ви увімкнули усталений попередній перегляд URL-адрес.", + "user_url_previews_default_off": "Ви вимкнули усталений попередній перегляд URL-адрес.", + "default_url_previews_on": "Попередній перегляд URL-адрес типово увімкнений для учасників цієї кімнати.", + "default_url_previews_off": "Попередній перегляд URL-адрес типово вимкнений для учасників цієї кімнати.", + "url_preview_encryption_warning": "У кімнатах з шифруванням, як у цій, попередній перегляд посилань усталено вимкнено. Це робиться, щоб гарантувати, що ваш домашній сервер (на якому генеруються перегляди) не матиме змоги збирати дані щодо посилань, які ви бачите у цій кімнаті.", + "url_preview_explainer": "Коли хтось додає URL-адресу у повідомлення, можливо автоматично показувати для цієї URL-адресу попередній перегляд його заголовку, опису й зображення.", + "url_previews_section": "Попередній перегляд URL-адрес" } }, "encryption": { @@ -3893,7 +3850,15 @@ "server_picker_explainer": "Оберіть домашній сервер Matrix на свій розсуд чи встановіть власний.", "server_picker_learn_more": "Про домашні сервери", "incorrect_credentials": "Хибне користувацьке ім'я й/або пароль.", - "account_deactivated": "Цей обліковий запис було деактивовано." + "account_deactivated": "Цей обліковий запис було деактивовано.", + "registration_username_validation": "Використовуйте лише малі літери, цифри, дефіс і підкреслення", + "registration_username_unable_check": "Неможливо перевірити, чи зайняте ім'я користувача. Спробуйте ще раз пізніше.", + "registration_username_in_use": "Хтось уже має це користувацьке ім'я. Спробуйте інше або, якщо це ви, зайдіть нижче.", + "phone_label": "Телефон", + "phone_optional_label": "Телефон (не обов'язково)", + "email_help_text": "Додайте е-пошту, щоб могти скинути пароль.", + "email_phone_discovery_text": "Можете ввести е-пошту чи телефон, щоб наявні контакти знаходили вас за ними.", + "email_discovery_text": "Можете ввести е-пошту, щоб наявні контакти знаходили вас за нею." }, "room_list": { "sort_unread_first": "Спочатку показувати кімнати з непрочитаними повідомленнями", @@ -4105,7 +4070,21 @@ "light_high_contrast": "Контрастна світла" }, "space": { - "landing_welcome": "Вітаємо у " + "landing_welcome": "Вітаємо у ", + "suggested_tooltip": "Ця кімната пропонується як хороша для приєднання", + "suggested": "Пропоновано", + "select_room_below": "Спочатку виберіть кімнату внизу", + "unmark_suggested": "Позначити не рекомендованим", + "mark_suggested": "Позначити рекомендованим", + "failed_remove_rooms": "Не вдалося вилучити кілька кімнат. Повторіть спробу пізніше", + "failed_load_rooms": "Не вдалося отримати список кімнат.", + "incompatible_server_hierarchy": "Ваш сервер не підтримує показ ієрархій простору.", + "context_menu": { + "devtools_open_timeline": "Переглянути стрічку кімнати (розробка)", + "home": "Домівка простору", + "explore": "Каталог кімнат", + "manage_and_explore": "Керування і перегляд кімнат" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "Цей домашній сервер не налаштовано на показ карт.", @@ -4162,5 +4141,52 @@ "setup_rooms_description": "Згодом ви зможете додати більше, зокрема вже наявні.", "setup_rooms_private_heading": "Над якими проєктами працює ваша команда?", "setup_rooms_private_description": "Ми створимо кімнати для кожного з них." + }, + "user_menu": { + "switch_theme_light": "Світла тема", + "switch_theme_dark": "Темна тема" + }, + "notif_panel": { + "empty_heading": "Ви в курсі всього", + "empty_description": "У вас нема видимих сповіщень." + }, + "console_scam_warning": "Якщо хтось сказав вам скопіювати/вставити щось сюди, є велика ймовірність, що вас обманюють!", + "console_dev_note": "Якщо ви знаєте, що ви робите, Element — це відкрите програмне забезпечення, обов'язково перегляньте наш GitHub (https://github.com/vector-im/element-web/) та зробіть внесок!", + "room": { + "drop_file_prompt": "Перетягніть сюди файл, щоб вивантажити", + "intro": { + "send_message_start_dm": "Надішліть своє перше повідомлення, щоб запросити до бесіди", + "encrypted_3pid_dm_pending_join": "Коли хтось приєднається, ви зможете спілкуватись", + "start_of_dm_history": "Це початок історії вашого особистого спілкування з .", + "dm_caption": "У цій розмові вас лише двоє, поки хтось із вас не запросить іще когось приєднатися.", + "topic_edit": "Тема: %(topic)s (змінити)", + "topic": "Тема: %(topic)s ", + "no_topic": "Додайте тему, щоб люди розуміли про що вона.", + "you_created": "Ви створили кімнату.", + "user_created": "%(displayName)s створює цю кімнату.", + "room_invite": "Запросити лише до цієї кімнати", + "no_avatar_label": "Додайте фото, щоб люди легко вирізняли вашу кімнату.", + "start_of_room": "Це початок .", + "private_unencrypted_warning": "Ваші приватні повідомлення, зазвичай, зашифровані, але ця кімната — ні. Зазвичай це пов'язано з непідтримуваним пристроєм або використаним методом, наприклад, запрошення електронною поштою.", + "enable_encryption_prompt": "Ввімкніть шифрування в налаштуваннях.", + "unencrypted_warning": "Наскрізне шифрування не ввімкнене" + } + }, + "file_panel": { + "guest_note": "Зареєструйтеся, щоб скористатись цим функціоналом", + "peek_note": "Приєднайтесь до кімнати, щоб бачити її файли", + "empty_heading": "У цій кімнаті нема видимих файлів", + "empty_description": "Перешліть файли з бесіди чи просто потягніть їх до кімнати." + }, + "terms": { + "integration_manager": "Використовувати ботів, мости, віджети й пакунки наліпок", + "tos": "Умови надання послуг", + "intro": "Погодьтесь з Умовами надання послуг, щоб продовжити.", + "column_service": "Служба", + "column_summary": "Опис", + "column_document": "Документ" + }, + "space_settings": { + "title": "Налаштування — %(spaceName)s" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/vi.json b/src/i18n/strings/vi.json index db128cf5e0..606033c058 100644 --- a/src/i18n/strings/vi.json +++ b/src/i18n/strings/vi.json @@ -162,16 +162,6 @@ "That matches!": "Điều đó phù hợp!", "Great! This Security Phrase looks strong enough.": "Tuyệt vời! Cụm từ bảo mật này trông đủ mạnh.", "Enter a Security Phrase": "Nhập cụm từ bảo mật", - "User Autocomplete": "Người dùng tự động hoàn thành", - "Users": "Người dùng", - "Space Autocomplete": "Space tự động hoàn thành", - "Room Autocomplete": "Phòng tự động hoàn thành", - "Notification Autocomplete": "Tự động hoàn thành thông báo", - "Room Notification": "Thông báo phòng", - "Notify the whole room": "Thông báo cho cả phòng", - "Emoji Autocomplete": "Tự động hoàn thành biểu tượng cảm xúc", - "Command Autocomplete": "Tự động hoàn thành lệnh", - "Commands": "Lệnh", "Clear personal data": "Xóa dữ liệu cá nhân", "Failed to re-authenticate due to a homeserver problem": "Không xác thực lại được do sự cố máy chủ", "Verify your identity to access encrypted messages and prove your identity to others.": "Xác thực danh tính của bạn để truy cập các tin nhắn được mã hóa và chứng minh danh tính của bạn với người khác.", @@ -195,18 +185,12 @@ "New passwords must match each other.": "Các mật khẩu mới phải khớp với nhau.", "A new password must be entered.": "Mật khẩu mới phải được nhập.", "Original event source": "Nguồn sự kiện ban đầu", - "Decrypted event source": "Nguồn sự kiện được giải mã", "Could not load user profile": "Không thể tải hồ sơ người dùng", "Switch theme": "Chuyển đổi chủ đề", - "Switch to dark mode": "Chuyển sang chế độ tối", - "Switch to light mode": "Chuyển sang chế độ ánh sáng", "All settings": "Tất cả cài đặt", "Failed to load timeline position": "Không tải được vị trí dòng thời gian", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Đã cố gắng tải một điểm cụ thể trong dòng thời gian của phòng này, nhưng không thể tìm thấy nó.", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Đã cố gắng tải một điểm cụ thể trong dòng thời gian của phòng này, nhưng bạn không có quyền xem tin nhắn được đề cập.", - "You have no visible notifications.": "Bạn không có thông báo nào hiển thị.", - "%(creator)s created and configured the room.": "%(creator)s đã tạo và định cấu hình phòng.", - "%(creator)s created this DM.": "%(creator)s đã tạo DM này.", "Verification requested": "Đã yêu cầu xác thực", "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Dữ liệu từ phiên bản cũ hơn của %(brand)s đã được phát hiện. Điều này sẽ khiến mật mã end-to-end bị trục trặc trong phiên bản cũ hơn. Các tin nhắn được mã hóa end-to-end được trao đổi gần đây trong khi sử dụng phiên bản cũ hơn có thể không giải mã được trong phiên bản này. Điều này cũng có thể khiến các tin nhắn được trao đổi với phiên bản này bị lỗi. Nếu bạn gặp sự cố, hãy đăng xuất và đăng nhập lại. Để lưu lại lịch sử tin nhắn, hãy export và re-import các khóa của bạn.", "Old cryptography data detected": "Đã phát hiện dữ liệu mật mã cũ", @@ -224,19 +208,10 @@ "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Bạn là người duy nhất ở đây. Nếu bạn rời, không ai có thể tham gia trong tương lai, kể cả bạn.", "Failed to reject invitation": "Không thể từ chối lời mời", "Open dial pad": "Mở bàn phím quay số", - "Attach files from chat or just drag and drop them anywhere in a room.": "Đính kèm tệp từ cuộc trò chuyện hoặc chỉ cần kéo và thả chúng vào bất kỳ đâu trong phòng.", - "No files visible in this room": "Không có tệp nào hiển thị trong phòng này", - "You must join the room to see its files": "Bạn phải tham gia vào phòng để xem các tệp của nó", - "You must register to use this functionality": "Bạn phải đăng ký register để sử dụng chức năng này", "Couldn't load page": "Không thể tải trang", "Error downloading audio": "Lỗi khi tải xuống âm thanh", "Unnamed audio": "Âm thanh không tên", "Sign in with SSO": "Đăng nhập bằng SSO", - "Use email to optionally be discoverable by existing contacts.": "Sử dụng địa chỉ thư điện tử để dễ dàng được tìm ra bởi người dùng khác.", - "Use email or phone to optionally be discoverable by existing contacts.": "Sử dụng địa chỉ thư điện tử hoặc điện thoại để dễ dàng được tìm ra bởi người dùng khác.", - "Add an email to be able to reset your password.": "Thêm một địa chỉ thư điện tử để có thể đặt lại mật khẩu của bạn.", - "Phone (optional)": "Điện thoại (tùy chọn)", - "Use lowercase letters, numbers, dashes and underscores only": "Chỉ sử dụng các chữ cái thường, số, dấu gạch ngang và dấu gạch dưới", "Enter phone number (required on this homeserver)": "Nhập số điện thoại (bắt buộc trên máy chủ này)", "Other users can invite you to rooms using your contact details": "Những người dùng khác có thể mời bạn vào phòng bằng cách sử dụng chi tiết liên hệ của bạn", "Enter email address (required on this homeserver)": "Nhập địa chỉ thư điện tử (bắt buộc trên máy chủ này)", @@ -274,7 +249,6 @@ "Start audio stream": "Bắt đầu luồng âm thanh", "Failed to start livestream": "Không thể bắt đầu phát trực tiếp", "Unable to start audio streaming.": "Không thể bắt đầu phát trực tuyến âm thanh.", - "Manage & explore rooms": "Quản lý và khám phá phòng", "Add space": "Thêm space", "Report": "Bản báo cáo", "Collapse reply thread": "Thu gọn chuỗi trả lời", @@ -351,7 +325,6 @@ "Modal Widget": "widget phương thức", "Message edits": "Chỉnh sửa tin nhắn", "Your homeserver doesn't seem to support this feature.": "Máy chủ nhà của bạn dường như không hỗ trợ tính năng này.", - "Verify session": "Xác thực phiên", "If they don't match, the security of your communication may be compromised.": "Nếu chúng không khớp, sự bảo mật của việc giao tiếp của bạn có thể bị can thiệp.", "Session key": "Khóa phiên", "Session ID": "Định danh (ID) phiên", @@ -439,7 +412,6 @@ "Verify this device to mark it as trusted. Trusting this device gives you and other users extra peace of mind when using end-to-end encrypted messages.": "Xác thực thiết bị này để đánh dấu thiết bị là đáng tin cậy. Tin tưởng vào thiết bị này giúp bạn và những người dùng khác yên tâm hơn khi sử dụng các tin nhắn được mã hóa đầu cuối.", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Việc xác thực người dùng này sẽ đánh dấu phiên của họ là đáng tin cậy và cũng đánh dấu phiên của bạn là đáng tin cậy đối với họ.", "Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Xác thực người dùng này để đánh dấu họ là đáng tin cậy. Người dùng đáng tin cậy giúp bạn yên tâm hơn khi sử dụng các tin nhắn được mã hóa end-to-end.", - "Terms of Service": "Điều khoản Dịch vụ", "You may contact me if you have any follow up questions": "Bạn có thể liên hệ với tôi nếu bạn có bất kỳ câu hỏi tiếp theo nào", "Search for rooms or people": "Tìm kiếm phòng hoặc người", "Message preview": "Xem trước tin nhắn", @@ -451,15 +423,7 @@ "Search names and descriptions": "Tìm kiếm tên và mô tả", "You may want to try a different search or check for typos.": "Bạn có thể muốn thử một tìm kiếm khác hoặc kiểm tra lỗi chính tả.", "No results found": "không tim được kêt quả", - "Your server does not support showing space hierarchies.": "Máy chủ của bạn không hỗ trợ hiển thị phân cấp space.", - "Mark as suggested": "Đánh dấu như đề xuất", - "Mark as not suggested": "Đánh dấu như không đề xuất", - "Failed to remove some rooms. Try again later": "Không xóa được một số phòng. Thử lại sau", - "Select a room below first": "Trước tiên hãy chọn một phòng bên dưới", - "Suggested": "Đề nghị", - "This room is suggested as a good one to join": "Phòng này được đề xuất là một nơi tốt để tham gia", "You don't have permission": "Bạn không có quyền", - "Drop file here to upload": "Thả tệp vào đây để tải lên", "Failed to reject invite": "Không thể từ chối lời mời", "No more results": "Không còn kết quả nào nữa", "Server may be unavailable, overloaded, or search timed out :(": "Máy chủ có thể không khả dụng, quá tải hoặc hết thời gian tìm kiếm :(", @@ -596,18 +560,12 @@ "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) đã đăng nhập vào một phiên mới mà không xác thực:", "Verify your other session using one of the options below.": "Xác minh phiên khác của bạn bằng một trong các tùy chọn bên dưới.", "You signed in to a new session without verifying it:": "Bạn đã đăng nhập vào một phiên mới mà không xác thực nó:", - "Document": "Tài liệu", - "Summary": "Tóm lược", - "Service": "Dịch vụ", - "To continue you need to accept the terms of this service.": "Để tiếp tục, bạn cần chấp nhận các điều khoản của dịch vụ này.", - "Use bots, bridges, widgets and sticker packs": "Sử dụng bot, cầu nối, tiện ích và gói sticker cảm xúc", "Be found by phone or email": "Được tìm thấy qua điện thoại hoặc địa chỉ thư điện tử", "Find others by phone or email": "Tìm người khác qua điện thoại hoặc địa chỉ thư điện tử", "Your browser likely removed this data when running low on disk space.": "Trình duyệt của bạn có thể đã xóa dữ liệu này khi sắp hết dung lượng đĩa.", "Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "Một số dữ liệu phiên, bao gồm cả khóa tin nhắn được mã hóa, bị thiếu. Đăng xuất và đăng nhập để khắc phục sự cố này, khôi phục khóa từ bản sao lưu.", "Missing session data": "Thiếu dữ liệu phiên", "To help us prevent this in future, please send us logs.": "Để giúp chúng tôi ngăn chặn điều này trong tương lai, vui lòng gửi nhật ký cho chúng tôi send us logs.", - "Settings - %(spaceName)s": "Cài đặt - %(spaceName)s", "Command Help": "Lệnh Trợ giúp", "Link to selected message": "Liên kết đến tin nhắn đã chọn", "Share Room Message": "Chia sẻ tin nhắn trong phòng", @@ -875,19 +833,6 @@ "%(duration)ss": "%(duration)ss", "View message": "Xem tin nhăn", "Message didn't send. Click for info.": "Tin nhắn chưa gửi. Nhấn để biết thông tin.", - "End-to-end encryption isn't enabled": "Mã hóa đầu-cuối chưa được bật", - "Enable encryption in settings.": "Bật mã hóa trong phần cài đặt.", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "Các tin nhắn riêng tư của bạn thường được mã hóa, nhưng phòng này thì không. Thường thì điều này là do thiết bị không được hỗ trợ hoặc phương pháp đang được dùng, như các lời mời qua thư điện tử.", - "This is the start of .": "Đây là phần bắt đầu của .", - "Add a photo, so people can easily spot your room.": "Thêm ảnh để mọi người có thể dễ dàng nhận ra phòng của bạn.", - "Invite to just this room": "Mời chỉ vào phòng này", - "%(displayName)s created this room.": "%(displayName)s đã tạo phòng này.", - "You created this room.": "Bạn đã tạo phòng này.", - "Add a topic to help people know what it is about.": "Thêm chủ đề Add a topic để giúp mọi người biết nội dung là gì.", - "Topic: %(topic)s ": "Chủ đề: %(topic)s ", - "Topic: %(topic)s (edit)": "Chủ đề: %(topic)s (edit)", - "This is the beginning of your direct message history with .": "Đây là phần bắt đầu của lịch sử tin nhắn trực tiếp của bạn với .", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "Chỉ có hai người trong cuộc trò chuyện này, trừ khi một trong hai người mời bất kỳ ai tham gia.", "Insert link": "Chèn liên kết", "Italics": "In nghiêng", "You do not have permission to post to this room": "Bạn không có quyền đăng lên phòng này", @@ -909,7 +854,6 @@ "Sounds": "Âm thanh", "Uploaded sound": "Đã tải lên âm thanh", "Room Addresses": "Các địa chỉ Phòng", - "URL Previews": "Xem trước URL", "Bridges": "Cầu nối", "This room is bridging messages to the following platforms. Learn more.": "Căn phòng này là cầu nối thông điệp đến các nền tảng sau. Tìm hiểu thêm Learn more.", "Room version:": "Phiên bản phòng:", @@ -1044,13 +988,6 @@ "Start Verification": "Bắt đầu xác thực", "Accepting…": "Đang chấp nhận…", "Waiting for %(displayName)s to accept…": "Đang chờ %(displayName)s chấp nhận…", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "Khi ai đó đặt URL trong tin nhắn của họ, bản xem trước URL có thể được hiển thị để cung cấp thêm thông tin về liên kết đó như tiêu đề, mô tả và hình ảnh từ trang web.", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "Trong các phòng được mã hóa, như phòng này, tính năng xem trước URL bị tắt theo mặc định để đảm bảo rằng máy chủ của bạn (nơi tạo bản xem trước) không thể thu thập thông tin về các liên kết mà bạn nhìn thấy trong phòng này.", - "URL previews are disabled by default for participants in this room.": "Xem trước URL bị tắt theo mặc định đối với những người tham gia trong phòng này.", - "URL previews are enabled by default for participants in this room.": "Xem trước URL được bật theo mặc định cho những người tham gia trong phòng này.", - "You have disabled URL previews by default.": "Bạn đã tắt disabled xem trước URL theo mặc định.", - "You have enabled URL previews by default.": "Bạn đã bật enabled URL xem trước URL theo mặc định.", - "Publish this room to the public in %(domain)s's room directory?": "Xuất bản phòng này cho công chúng trong thư mục phòng của %(domain)s?", "Room avatar": "Hình đại diện phòng", "Room Topic": "Chủ đề phòng", "Room Name": "Tên phòng", @@ -1255,35 +1192,8 @@ "Unable to share email address": "Không thể chia sẻ địa chỉ thư điện tử", "Unable to revoke sharing for email address": "Không thể thu hồi chia sẻ cho địa chỉ thư điện tử", "Access": "Truy cập", - "Once enabled, encryption cannot be disabled.": "Sau khi được bật, mã hóa không thể bị vô hiệu hóa.", - "Security & Privacy": "Bảo mật & Riêng tư", - "Who can read history?": "Ai có thể đọc lịch sử phòng chat?", - "People with supported clients will be able to join the room without having a registered account.": "Những người có khách hàng được hỗ trợ sẽ có thể tham gia phòng mà không cần đăng ký tài khoản.", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Thay đổi ai có thể đọc lịch sử phòng chat chỉ được áp dụng đối với các tin nhắn từ thời điểm này.", - "Anyone": "Bất kỳ ai", - "Members only (since they joined)": "Chỉ dành cho thành viên (từ thời điểm tham gia)", - "Members only (since they were invited)": "Chỉ dành cho thành viên (từ thời điểm được mời)", - "Members only (since the point in time of selecting this option)": "Chỉ dành cho thành viên (từ thời điểm chọn thiết lập này)", - "To avoid these issues, create a new public room for the conversation you plan to have.": "Để tránh các sự cố này, tạo một phòng công cộng mới cho cuộc trò chuyện bạn dự định có.", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "Không được khuyến nghị làm công khai các phòng mã hóa. Điều đó có nghĩa bất cứ ai có thể tìm thấy và tham gia vào phòng, vì vậy bất cứ ai có thể đọc được các tin nhắn. Bạn sẽ không nhận được lợi ích gì của việc mã hóa. Mã hóa các tin nhắn trong phòng công cộng sẽ làm cho việc nhận và gửi các tin nhắn chậm hơn.", - "Are you sure you want to make this encrypted room public?": "Bạn có chắc muốn công khai phòng mã hóa này?", "Unknown failure": "Thất bại không xác định", "Failed to update the join rules": "Cập nhật quy tắc tham gia thất bại", - "Decide who can join %(roomName)s.": "Quyết định ai có thể tham gia %(roomName)s.", - "To link to this room, please add an address.": "Để liên kết đến phòng này, vui lòng thêm địa chỉ.", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Khi được bật, việc mã hóa cho một phòng không thể hủy. Các tin nhắn được gửi trong phòng mã hóa không thể được thấy từ phía máy chủ, chỉ những người tham gia trong phòng thấy. Bật mã hóa có thể ngăn chặn các bot và bridge làm việc chính xác. Tìm hiểu thêm về mã hóa.", - "Enable encryption?": "Bật mã hóa?", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "Để tránh các sự cố này, tạo một phòng mã hóa mới cho cuộc trò chuyện bạn dự định có.", - "Are you sure you want to add encryption to this public room?": "Bạn có chắc muốn mã hóa phòng công cộng này?", - "Select the roles required to change various parts of the room": "Chọn vai trò được yêu cầu để thay đổi thiết lập của phòng", - "Select the roles required to change various parts of the space": "Chọn các vai trò cần thiết để thay đổi các phần khác nhau trong space", - "Permissions": "Quyền hạn", - "Roles & Permissions": "Vai trò & Quyền", - "Send %(eventType)s events": "Gửi %(eventType)s sự kiện", - "Banned users": "Người dùng bị cấm", - "Muted Users": "Người dùng bị tắt tiếng", - "Privileged Users": "Người dùng đặc quyền", - "No users have specific privileges in this room": "Không có người dùng nào có đặc quyền cụ thể trong phòng này", "IRC display name width": "Chiều rộng tên hiển thị IRC", "%(deviceId)s from %(ip)s": "%(deviceId)s từ %(ip)s", "New login. Was this you?": "Đăng nhập mới. Đây có phải là bạn không?", @@ -1707,11 +1617,8 @@ "one": "Bạn có %(count)s thông báo chưa đọc trong phiên bản trước của phòng này.", "other": "Bạn có %(count)s thông báo chưa đọc trong phiên bản trước của phòng này." }, - "You're all caught up": "Tất cả các bạn đều bị bắt", - "Someone already has that username. Try another or if it is you, sign in below.": "Ai đó đã có username đó. Hãy thử một cái khác hoặc nếu đó là bạn, hay đăng nhập bên dưới.", "Copy link to thread": "Sao chép liên kết vào chủ đề", "Thread options": "Tùy chọn theo chủ đề", - "See room timeline (devtools)": "Xem dòng thời gian phòng (devtools)", "Mentions only": "Chỉ tin nhắn được đề cập", "Forget": "Quên", "View in room": "Xem phòng này", @@ -1780,20 +1687,6 @@ "Sidebar": "Thanh bên", "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Chia sẻ dữ liệu ẩn danh giúp chúng tôi xác định các sự cố. Không có thông tin cá nhân. Không có bên thứ ba.", "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Phòng này đang trong một số space mà bạn không phải là quản trị viên. Trong các space đó, phòng cũ vẫn sẽ được hiển thị, nhưng mọi người sẽ được thông báo để tham gia phòng mới.", - "Select all": "Chọn tất cả", - "Deselect all": "Bỏ chọn tất cả", - "Sign out devices": { - "one": "Đăng xuất thiết bị", - "other": "Đăng xuất các thiết bị" - }, - "Click the button below to confirm signing out these devices.": { - "one": "Nhấn nút bên dưới để xác nhận đăng xuất thiết bị này.", - "other": "Nhấn nút bên dưới để xác nhận đăng xuất các thiết bị này." - }, - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "Xác nhận đăng xuất thiết bị này bằng cách sử dụng Single Sign On để xác thực danh tính của bạn.", - "other": "Xác nhận đăng xuất các thiết bị này bằng cách sử dụng Single Sign On để xác thực danh tính." - }, "Pin to sidebar": "Ghim vào sidebar", "Quick settings": "Cài đặt nhanh", "Developer": "Nhà phát triển", @@ -1816,7 +1709,6 @@ "Device verified": "Thiết bị được xác thực", "Verify this device": "Xác thực thiết bị này", "Unable to verify this device": "Không thể xác thực thiết bị này", - "Failed to load list of rooms.": "Tải danh sách các phòng thất bại.", "Open in OpenStreetMap": "Mở trong OpenStreetMap", "Verify other device": "Xác thực thiết bị khác", "Recent searches": "Các tìm kiếm gần đây", @@ -1901,21 +1793,7 @@ "%(user1)s and %(user2)s": "%(user1)s và %(user2)s", "Database unexpectedly closed": "Cơ sở dữ liệu đột nhiên bị đóng", "Identity server not set": "Máy chủ định danh chưa được đặt", - "Sign out of this session": "Đăng xuất phiên", - "Push notifications": "Thông báo đẩy", - "Session details": "Thông tin phiên", - "IP address": "Địa chỉ Internet (IP)", - "Browser": "Trình duyệt", - "Operating system": "Hệ điều hành", - "Rename session": "Đổi tên phiên", - "Confirm signing out these devices": { - "one": "Xác nhận đăng xuất khỏi thiết bị này", - "other": "Xác nhận đăng xuất khỏi các thiết bị này" - }, - "Current session": "Phiên hiện tại", - "Sign out of all other sessions (%(otherSessionsCount)s)": "Đăng xuất khỏi mọi phiên khác (%(otherSessionsCount)s)", "You do not have sufficient permissions to change this.": "Bạn không có đủ quyền để thay đổi cái này.", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "Không nên bật mã hóa cho các phòng công cộng. Bất kỳ ai cũng có thể tìm và tham gia các phòng công cộng, nên họ có thể đọc các tin nhắn. Bạn sẽ không có được lợi ích của mã hóa, và bạn không thể tắt mã hóa sau này. Mã hóa tin nhắn ở phòng công cộng khiến cho nhận gửi tin nhắn chậm hơn.", "Connection": "Kết nối", "Voice processing": "Xử lý âm thanh", "Video settings": "Cài đặt truyền hình", @@ -1948,7 +1826,6 @@ }, "Sorry — this call is currently full": "Xin lỗi — cuộc gọi này đang đầy", "No identity access token found": "Không tìm thấy mã thông báo danh tính", - "Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.": "Các phiên chưa được xác thực là các phiên đăng nhập bằng thông tin đăng nhập nhưng chưa được xác thực chéo.", "Secure Backup successful": "Sao lưu bảo mật thành công", "unknown": "không rõ", "Red": "Đỏ", @@ -1963,12 +1840,6 @@ "Check your email to continue": "Kiểm tra hòm thư để tiếp tục", "This invite was sent to %(email)s": "Lời mời này đã được gửi tới %(email)s", "This invite was sent to %(email)s which is not associated with your account": "Lời mời này đã được gửi đến %(email)s nhưng không liên kết với tài khoản của bạn", - "Verified sessions": "Các phiên đã xác thực", - "Inactive for %(inactiveAgeDays)s+ days": "Không hoạt động trong %(inactiveAgeDays)s+ ngày", - "Show details": "Hiện chi tiết", - "Hide details": "Ẩn chi tiết", - "Last activity": "Hoạt động cuối", - "Renaming sessions": "Đổi tên các phiên", "Call type": "Loại cuộc gọi", "Internal room ID": "Định danh riêng của phòng", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Để bảo mật nhất, hãy xác thực các phiên và đăng xuất khỏi phiên nào bạn không nhận ra hay dùng nữa.", @@ -1992,7 +1863,6 @@ "Some results may be hidden for privacy": "Một số kết quả có thể bị ẩn để đảm bảo quyền riêng tư", "Verify Session": "Xác thực phiên", "Your account details are managed separately at %(hostname)s.": "Thông tin tài khoản bạn được quản lý riêng ở %(hostname)s.", - "For best security and privacy, it is recommended to use Matrix clients that support encryption.": "Để có bảo mật và quyền riêng tư tốt nhất, nên dùng các phần mềm máy khách Matrix có hỗ trợ mã hóa.", "If you can't find the room you're looking for, ask for an invite or create a new room.": "Nếu bạn không tìm được phòng bạn muốn, yêu cầu lời mời hay tạo phòng mới.", "Fetching keys from server…": "Đang lấy các khóa từ máy chủ…", "New video room": "Tạo phòng truyền hình", @@ -2015,7 +1885,6 @@ "Messages in this chat will be end-to-end encrypted.": "Tin nhắn trong phòng này sẽ được mã hóa đầu-cuối.", "Failed to remove user": "Không thể loại bỏ người dùng", "Unban from space": "Bỏ cấm trong space", - "Decrypted source unavailable": "Nguồn được giải mã không khả dụng", "Seen by %(count)s people": { "one": "Gửi bởi %(count)s người", "other": "Gửi bởi %(count)s người" @@ -2035,7 +1904,6 @@ "Show formatting": "Hiện định dạng", "You were removed by %(memberName)s": "Bạn đã bị loại bởi %(memberName)s", "Formatting": "Định dạng", - "Once everyone has joined, you’ll be able to chat": "Một khi mọi người đã vào, bạn có thể bắt đầu trò chuyện", "Video room": "Phòng truyền hình", "You were banned by %(memberName)s": "Bạn đã bị cấm bởi %(memberName)s", "The sender has blocked you from receiving this message": "Người gửi không cho bạn nhận tin nhắn này", @@ -2063,7 +1931,6 @@ "Open room": "Mở phòng", "Send email": "Gửi thư", "Remove from room": "Loại bỏ khỏi phòng", - "Send your first message to invite to chat": "Gửi tin nhắn đầu tiên để mời vào cuộc trò chuyện", "%(members)s and %(last)s": "%(members)s và %(last)s", "Private room": "Phòng riêng tư", "Join the room to participate": "Tham gia phòng để tương tác", @@ -2071,53 +1938,11 @@ "Create a link": "Tạo liên kết", "Text": "Chữ", "Error starting verification": "Lỗi khi bắt đầu xác thực", - "Mobile session": "Phiên trên điện thoại", - "Other sessions": "Các phiên khác", - "Unverified session": "Phiên chưa xác thực", - "No unverified sessions found.": "Không thấy phiên chưa xác thực nào.", - "Please be aware that session names are also visible to people you communicate with.": "Hãy nhớ rằng tên phiên cũng hiển thị với những người mà bạn giao tiếp.", - "Unverified sessions": "Các phiên chưa xác thực", - "This session doesn't support encryption and thus can't be verified.": "Phiên này không hỗ trợ mã hóa cho nên không thể xác thực.", - "Inactive sessions": "Các phiên không hoạt động", - "Desktop session": "Phiên trên máy tính", - "Unknown session type": "Không rõ loại phiên", - "This session is ready for secure messaging.": "Phiên này sẵn sàng nhắn tin bảo mật.", - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "Xác thực phiên để nhắn tin bảo mật tốt hơn hoặc đăng xuất khỏi các phiên mà bạn không nhận ra hay không dùng nữa.", - "No verified sessions found.": "Không thấy phiên được xác thực nào.", - "%(count)s sessions selected": { - "other": "%(count)s phiên đã chọn", - "one": "%(count)s phiên đã chọn" - }, - "Verified session": "Phiên đã xác thực", - "Web session": "Phiên trên trình duyệt", - "No sessions found.": "Không thấy phiên nào.", - "No inactive sessions found.": "Không thấy phiên không hoạt động nào.", - "Your current session is ready for secure messaging.": "Phiên hiện tại của bạn sẵn sàng nhắn tin bảo mật.", - "For best security, sign out from any session that you don't recognize or use anymore.": "Để bảo mật nhất, đăng xuất khỏi các phiên mà bạn không dùng hay không nhận ra nữa.", - "Security recommendations": "Đề xuất bảo mật", "Video call (Jitsi)": "Cuộc gọi truyền hình (Jitsi)", - "Verify your current session for enhanced secure messaging.": "Xác thực phiên hiện tại để nhắn tin bảo mật tốt hơn.", - "All": "Tất cả", - "Not ready for secure messaging": "Không sẵn sàng nhắn tin bảo mật", "Encrypting your message…": "Đang mã hóa tin nhắn…", - "Inactive": "Không hoạt động", "Sending your message…": "Đang gửi tin nhắn…", "This message could not be decrypted": "Không giải mã được tin nhắn", - "Inactive for %(inactiveAgeDays)s days or longer": "Không hoạt động trong %(inactiveAgeDays)s ngày hoặc lâu hơn", - "Filter devices": "Bộ lọc", - "URL": "Đường dẫn URL", - "Show QR code": "Hiện mã QR", - "Sign in with QR code": "Đăng nhập bằng mã QR", - "Receive push notifications on this session.": "Nhận thông báo đẩy trong phiên này.", - "Improve your account security by following these recommendations.": "Tăng cường bảo mật cho tài khoản bằng cách làm theo các đề xuất này.", - "Ready for secure messaging": "Sẵn sàng nhắn tin bảo mật", - "Sign out of %(count)s sessions": { - "other": "Đăng xuất khỏi %(count)s phiên", - "one": "Đăng xuất khỏi %(count)s phiên" - }, "Video call (%(brand)s)": "Cuộc gọi truyền hình (%(brand)s)", - "Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.": "Các phiên không hoạt động là các phiên mà bạn đã không dùng trong một thời gian, nhưng chúng vẫn được nhận khóa mã hóa.", - "Removing inactive sessions improves security and performance, and makes it easier for you to identify if a new session is suspicious.": "Xóa các phiên không hoạt động cải thiện bảo mật và hiệu suất, và đồng thời giúp bạn dễ dàng nhận diện nếu một phiên mới là đáng ngờ.", "Something went wrong with your invite.": "Đã xảy ra sự cố với lời mời của bạn.", "Remove from space": "Loại bỏ khỏi space", "Loading preview": "Đang tải xem trước", @@ -2134,10 +1959,8 @@ "There's no preview, would you like to join?": "Không xem trước được, bạn có muốn tham gia?", "Disinvite from space": "Hủy lời mời vào space", "You can still join here.": "Bạn vẫn có thể tham gia.", - "Verify or sign out from this session for best security and reliability.": "Xác thực hoặc đăng xuất khỏi các phiên này để bảo mật và đáng tin cậy nhất.", "Forget this space": "Quên space này", "Enable %(brand)s as an additional calling option in this room": "Cho phép %(brand)s được làm tùy chọn gọi bổ sung trong phòng này", - "This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "Nghĩa là bạn có tất cả các khóa cần thiết để mở khóa các tin nhắn được mã hóa và xác nhận với những người dùng khác là bạn tin tưởng phiên này.", "You do not have permission to start video calls": "Bạn không có quyền để bắt đầu cuộc gọi truyền hình", "User (%(user)s) did not end up as invited to %(roomId)s but no error was given from the inviter utility": "Người dùng (%(user)s) đã không được mời vào %(roomId)s nhưng không có lỗi nào được đưa ra từ công cụ mời", "Live": "Trực tiếp", @@ -2150,15 +1973,12 @@ "Search for": "Tìm", "Use to scroll": "Dùng để cuộn", "Start DM anyway and never warn me again": "Cứ tạo phòng nhắn tin riêng và đừng cảnh báo tôi nữa", - "Your server lacks native support, you must specify a proxy": "Máy chủ của bạn không hỗ trợ, bạn cần chỉ định máy chủ ủy nhiệm (proxy)", "Some results may be hidden": "Một số kết quả có thể bị ẩn", "Waiting for partner to confirm…": "Đang đợi bên kia xác nhận…", "Enable '%(manageIntegrations)s' in Settings to do this.": "Bật '%(manageIntegrations)s' trong cài đặt để thực hiện.", "Answered elsewhere": "Trả lời ở nơi khác", - "Your server has native support": "Máy chủ của bạn hoàn toàn hỗ trợ", "View related event": "Xem sự kiện liên quan", "Unable to find profiles for the Matrix IDs listed below - would you like to start a DM anyway?": "Không thể tìm hồ sơ cho định danh Matrix được liệt kê - bạn có muốn tiếp tục tạo phòng nhắn tin riêng?", - "Your server lacks native support": "Máy chủ của bạn không hoàn toàn hỗ trợ", "Other options": "Lựa chọn khác", "Input devices": "Thiết bị đầu vào", "Output devices": "Thiết bị đầu ra", @@ -2170,10 +1990,8 @@ "Manually verify by text": "Xác thực thủ công bằng văn bản", "Show rooms": "Hiện phòng", "Upload custom sound": "Tải lên âm thanh tùy chỉnh", - "Proxy URL": "Đường dẫn máy chủ ủy nhiệm (proxy)", "Start a group chat": "Bắt đầu cuộc trò chuyện nhóm", "Copy invite link": "Sao chép liên kết mời", - "Video rooms are a beta feature": "Phòng truyền hình là tính năng thử nghiệm", "Interactively verify by emoji": "Xác thực có tương tác bằng biểu tượng cảm xúc", "Show spaces": "Hiện spaces", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s hay %(recoveryFile)s", @@ -2187,24 +2005,16 @@ "Group all your favourite rooms and people in one place.": "Nhóm tất cả các phòng và người mà bạn yêu thích ở một nơi.", "The add / bind with MSISDN flow is misconfigured": "Thêm / liên kết với luồng MSISDN sai cấu hình", "Past polls": "Các cuộc bỏ phiếu trước", - "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "Những người đó sẽ chắc chắn rằng họ đang thực sự nói với bạn, nhưng cũng có nghĩa là họ sẽ thấy tên phiên mà bạn xác định tại đây.", - "Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "Các phiên đã xác thực là bất kỳ đâu bạn sử dụng tài khoản này sau khi nhập mật khẩu hay xác thực danh tính của bạn với một phiên đã xác thực khác.", - "You should make especially certain that you recognise these sessions as they could represent an unauthorised use of your account.": "Bạn cần luôn chắc chắn là bạn nhận ra các phiên này vì chúng có thể là truy cập trái phép vào tài khoản bạn.", - "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "Hãy xem xét đăng xuất khỏi các phiên cũ (%(inactiveAgeDays)s ngày hoặc lâu hơn) mà bạn không dùng nữa.", - "You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.": "Bạn có thể dùng thiết bị này để đăng nhập vào một thiết bị mới bằng mã QR. Bạn cần quét mã QR hiển thị trên thiết bị này với thiết bị mà đã đăng xuất.", "Active polls": "Các cuộc bỏ phiếu hiện tại", "unavailable": "không có sẵn", "Error details": "Chi tiết lỗi", "Jump to date": "Nhảy đến ngày", "Show Labs settings": "Hiện các cài đặt thử nghiệm", "Message pending moderation: %(reason)s": "Tin nhắn chờ duyệt: %(reason)s", - "Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "Những người khác trong tin nhắn trực tiếp và các phòng bạn tham gia có thể xem danh sách các phiên của bạn.", "%(name)s started a video call": "%(name)s đã bắt đầu một cuộc gọi truyền hình", - "Toggle push notifications on this session.": "Bật/tắt thông báo đẩy cho phiên này.", "Freedom": "Tự do", "Video call ended": "Cuộc gọi truyền hình đã kết thúc", "We were unable to start a chat with the other user.": "Chúng tôi không thể bắt đầu cuộc trò chuyện với người kia.", - "You won't be able to participate in rooms where encryption is enabled when using this session.": "Bạn không thể tương tác trong các phòng mà mã hóa được bật trong phiên này.", "View poll in timeline": "Xem cuộc bỏ phiếu trong dòng thời gian", "Click to read topic": "Bấm để xem chủ đề", "Click": "Nhấn", @@ -2242,7 +2052,6 @@ "People cannot join unless access is granted.": "Người khác không thể tham gia khi chưa có phép.", "Something went wrong.": "Đã xảy ra lỗi.", "User cannot be invited until they are unbanned": "Người dùng không thể được mời nếu không được bỏ cấm", - "Your server requires encryption to be disabled.": "Máy chủ của bạn yêu cầu mã hóa phải được vô hiệu hóa.", "Play a sound for": "Phát âm thanh cho", "Close call": "Đóng cuộc gọi", "Email Notifications": "Thông báo qua thư điện tử", @@ -2348,7 +2157,9 @@ "orphan_rooms": "Các phòng khác", "on": "Bật", "off": "Tắt", - "all_rooms": "Tất cả các phòng" + "all_rooms": "Tất cả các phòng", + "deselect_all": "Bỏ chọn tất cả", + "select_all": "Chọn tất cả" }, "action": { "continue": "Tiếp tục", @@ -2527,7 +2338,12 @@ "rust_crypto_disabled_notice": "Hiện chỉ có thể bật bằng tập tin cấu hình config.json", "automatic_debug_logs_key_backup": "Tự động gửi nhật ký gỡ lỗi mỗi lúc sao lưu khóa không hoạt động", "automatic_debug_logs_decryption": "Tự động gửi nhật ký gỡ lỗi mỗi lúc gặp lỗi khi giải mã", - "automatic_debug_logs": "Tự động gửi debug log khi có bất kỳ lỗi nào" + "automatic_debug_logs": "Tự động gửi debug log khi có bất kỳ lỗi nào", + "sliding_sync_server_support": "Máy chủ của bạn hoàn toàn hỗ trợ", + "sliding_sync_server_no_support": "Máy chủ của bạn không hoàn toàn hỗ trợ", + "sliding_sync_server_specify_proxy": "Máy chủ của bạn không hỗ trợ, bạn cần chỉ định máy chủ ủy nhiệm (proxy)", + "sliding_sync_proxy_url_label": "Đường dẫn máy chủ ủy nhiệm (proxy)", + "video_rooms_beta": "Phòng truyền hình là tính năng thử nghiệm" }, "keyboard": { "home": "Nhà", @@ -2602,7 +2418,19 @@ "placeholder_reply_encrypted": "Gửi câu trả lời mã hóa…", "placeholder_reply": "Gửi trả lời…", "placeholder_encrypted": "Gửi tin nhắn mã hóa…", - "placeholder": "Gửi tin nhắn…" + "placeholder": "Gửi tin nhắn…", + "autocomplete": { + "command_description": "Lệnh", + "command_a11y": "Tự động hoàn thành lệnh", + "emoji_a11y": "Tự động hoàn thành biểu tượng cảm xúc", + "@room_description": "Thông báo cho cả phòng", + "notification_description": "Thông báo phòng", + "notification_a11y": "Tự động hoàn thành thông báo", + "room_a11y": "Phòng tự động hoàn thành", + "space_a11y": "Space tự động hoàn thành", + "user_description": "Người dùng", + "user_a11y": "Người dùng tự động hoàn thành" + } }, "Bold": "In đậm", "Link": "Liên kết", @@ -2850,6 +2678,95 @@ }, "keyboard": { "title": "Bàn phím" + }, + "sessions": { + "rename_form_heading": "Đổi tên phiên", + "rename_form_caption": "Hãy nhớ rằng tên phiên cũng hiển thị với những người mà bạn giao tiếp.", + "rename_form_learn_more": "Đổi tên các phiên", + "rename_form_learn_more_description_1": "Những người khác trong tin nhắn trực tiếp và các phòng bạn tham gia có thể xem danh sách các phiên của bạn.", + "rename_form_learn_more_description_2": "Những người đó sẽ chắc chắn rằng họ đang thực sự nói với bạn, nhưng cũng có nghĩa là họ sẽ thấy tên phiên mà bạn xác định tại đây.", + "session_id": "Định danh (ID) phiên", + "last_activity": "Hoạt động cuối", + "url": "Đường dẫn URL", + "os": "Hệ điều hành", + "browser": "Trình duyệt", + "ip": "Địa chỉ Internet (IP)", + "details_heading": "Thông tin phiên", + "push_toggle": "Bật/tắt thông báo đẩy cho phiên này.", + "push_heading": "Thông báo đẩy", + "push_subheading": "Nhận thông báo đẩy trong phiên này.", + "sign_out": "Đăng xuất phiên", + "hide_details": "Ẩn chi tiết", + "show_details": "Hiện chi tiết", + "inactive_days": "Không hoạt động trong %(inactiveAgeDays)s+ ngày", + "verified_sessions": "Các phiên đã xác thực", + "verified_sessions_explainer_1": "Các phiên đã xác thực là bất kỳ đâu bạn sử dụng tài khoản này sau khi nhập mật khẩu hay xác thực danh tính của bạn với một phiên đã xác thực khác.", + "verified_sessions_explainer_2": "Nghĩa là bạn có tất cả các khóa cần thiết để mở khóa các tin nhắn được mã hóa và xác nhận với những người dùng khác là bạn tin tưởng phiên này.", + "unverified_sessions": "Các phiên chưa xác thực", + "unverified_sessions_explainer_1": "Các phiên chưa được xác thực là các phiên đăng nhập bằng thông tin đăng nhập nhưng chưa được xác thực chéo.", + "unverified_sessions_explainer_2": "Bạn cần luôn chắc chắn là bạn nhận ra các phiên này vì chúng có thể là truy cập trái phép vào tài khoản bạn.", + "unverified_session": "Phiên chưa xác thực", + "unverified_session_explainer_1": "Phiên này không hỗ trợ mã hóa cho nên không thể xác thực.", + "unverified_session_explainer_2": "Bạn không thể tương tác trong các phòng mà mã hóa được bật trong phiên này.", + "unverified_session_explainer_3": "Để có bảo mật và quyền riêng tư tốt nhất, nên dùng các phần mềm máy khách Matrix có hỗ trợ mã hóa.", + "inactive_sessions": "Các phiên không hoạt động", + "inactive_sessions_explainer_1": "Các phiên không hoạt động là các phiên mà bạn đã không dùng trong một thời gian, nhưng chúng vẫn được nhận khóa mã hóa.", + "inactive_sessions_explainer_2": "Xóa các phiên không hoạt động cải thiện bảo mật và hiệu suất, và đồng thời giúp bạn dễ dàng nhận diện nếu một phiên mới là đáng ngờ.", + "desktop_session": "Phiên trên máy tính", + "mobile_session": "Phiên trên điện thoại", + "web_session": "Phiên trên trình duyệt", + "unknown_session": "Không rõ loại phiên", + "device_verified_description_current": "Phiên hiện tại của bạn sẵn sàng nhắn tin bảo mật.", + "device_verified_description": "Phiên này sẵn sàng nhắn tin bảo mật.", + "verified_session": "Phiên đã xác thực", + "device_unverified_description_current": "Xác thực phiên hiện tại để nhắn tin bảo mật tốt hơn.", + "device_unverified_description": "Xác thực hoặc đăng xuất khỏi các phiên này để bảo mật và đáng tin cậy nhất.", + "verify_session": "Xác thực phiên", + "verified_sessions_list_description": "Để bảo mật nhất, đăng xuất khỏi các phiên mà bạn không dùng hay không nhận ra nữa.", + "unverified_sessions_list_description": "Xác thực phiên để nhắn tin bảo mật tốt hơn hoặc đăng xuất khỏi các phiên mà bạn không nhận ra hay không dùng nữa.", + "inactive_sessions_list_description": "Hãy xem xét đăng xuất khỏi các phiên cũ (%(inactiveAgeDays)s ngày hoặc lâu hơn) mà bạn không dùng nữa.", + "no_verified_sessions": "Không thấy phiên được xác thực nào.", + "no_unverified_sessions": "Không thấy phiên chưa xác thực nào.", + "no_inactive_sessions": "Không thấy phiên không hoạt động nào.", + "no_sessions": "Không thấy phiên nào.", + "filter_all": "Tất cả", + "filter_verified_description": "Sẵn sàng nhắn tin bảo mật", + "filter_unverified_description": "Không sẵn sàng nhắn tin bảo mật", + "filter_inactive": "Không hoạt động", + "filter_inactive_description": "Không hoạt động trong %(inactiveAgeDays)s ngày hoặc lâu hơn", + "filter_label": "Bộ lọc", + "n_sessions_selected": { + "other": "%(count)s phiên đã chọn", + "one": "%(count)s phiên đã chọn" + }, + "sign_in_with_qr": "Đăng nhập bằng mã QR", + "sign_in_with_qr_description": "Bạn có thể dùng thiết bị này để đăng nhập vào một thiết bị mới bằng mã QR. Bạn cần quét mã QR hiển thị trên thiết bị này với thiết bị mà đã đăng xuất.", + "sign_in_with_qr_button": "Hiện mã QR", + "sign_out_n_sessions": { + "other": "Đăng xuất khỏi %(count)s phiên", + "one": "Đăng xuất khỏi %(count)s phiên" + }, + "other_sessions_heading": "Các phiên khác", + "sign_out_all_other_sessions": "Đăng xuất khỏi mọi phiên khác (%(otherSessionsCount)s)", + "current_session": "Phiên hiện tại", + "confirm_sign_out_sso": { + "one": "Xác nhận đăng xuất thiết bị này bằng cách sử dụng Single Sign On để xác thực danh tính của bạn.", + "other": "Xác nhận đăng xuất các thiết bị này bằng cách sử dụng Single Sign On để xác thực danh tính." + }, + "confirm_sign_out": { + "one": "Xác nhận đăng xuất khỏi thiết bị này", + "other": "Xác nhận đăng xuất khỏi các thiết bị này" + }, + "confirm_sign_out_body": { + "one": "Nhấn nút bên dưới để xác nhận đăng xuất thiết bị này.", + "other": "Nhấn nút bên dưới để xác nhận đăng xuất các thiết bị này." + }, + "confirm_sign_out_continue": { + "one": "Đăng xuất thiết bị", + "other": "Đăng xuất các thiết bị" + }, + "security_recommendations": "Đề xuất bảo mật", + "security_recommendations_description": "Tăng cường bảo mật cho tài khoản bằng cách làm theo các đề xuất này." } }, "devtools": { @@ -2909,7 +2826,9 @@ "show_hidden_events": "Hiện các sự kiện ẩn trong dòng thời gian", "low_bandwidth_mode_description": "Cần máy chủ nhà tương thích.", "low_bandwidth_mode": "Chế độ băng thông thấp", - "developer_mode": "Chế độ nhà phát triển" + "developer_mode": "Chế độ nhà phát triển", + "view_source_decrypted_event_source": "Nguồn sự kiện được giải mã", + "view_source_decrypted_event_source_unavailable": "Nguồn được giải mã không khả dụng" }, "export_chat": { "html": "HTML", @@ -3287,7 +3206,9 @@ "io.element.voice_broadcast_info": { "you": "Bạn đã kết thúc một cuộc phát thanh", "user": "%(senderName)s đã kết thúc một cuộc phát thanh" - } + }, + "creation_summary_dm": "%(creator)s đã tạo DM này.", + "creation_summary_room": "%(creator)s đã tạo và định cấu hình phòng." }, "slash_command": { "spoiler": "Đánh dấu tin nhắn chỉ định thành một tin nhắn ẩn", @@ -3482,13 +3403,53 @@ "kick": "Loại bỏ người dùng", "ban": "Cấm người dùng", "redact": "Xóa tin nhắn gửi bởi người khác", - "notifications.room": "Thông báo mọi người" + "notifications.room": "Thông báo mọi người", + "no_privileged_users": "Không có người dùng nào có đặc quyền cụ thể trong phòng này", + "privileged_users_section": "Người dùng đặc quyền", + "muted_users_section": "Người dùng bị tắt tiếng", + "banned_users_section": "Người dùng bị cấm", + "send_event_type": "Gửi %(eventType)s sự kiện", + "title": "Vai trò & Quyền", + "permissions_section": "Quyền hạn", + "permissions_section_description_space": "Chọn các vai trò cần thiết để thay đổi các phần khác nhau trong space", + "permissions_section_description_room": "Chọn vai trò được yêu cầu để thay đổi thiết lập của phòng" }, "security": { "strict_encryption": "Không bao giờ gửi tin nhắn được mã hóa đến các phiên chưa được xác thực trong phòng này từ phiên này", "join_rule_invite": "Riêng tư (chỉ mời)", "join_rule_invite_description": "Chỉ những người được mời mới có thể tham gia.", - "join_rule_public_description": "Bất kỳ ai cũng có thể tìm và tham gia." + "join_rule_public_description": "Bất kỳ ai cũng có thể tìm và tham gia.", + "enable_encryption_public_room_confirm_title": "Bạn có chắc muốn mã hóa phòng công cộng này?", + "enable_encryption_public_room_confirm_description_1": "Không nên bật mã hóa cho các phòng công cộng. Bất kỳ ai cũng có thể tìm và tham gia các phòng công cộng, nên họ có thể đọc các tin nhắn. Bạn sẽ không có được lợi ích của mã hóa, và bạn không thể tắt mã hóa sau này. Mã hóa tin nhắn ở phòng công cộng khiến cho nhận gửi tin nhắn chậm hơn.", + "enable_encryption_public_room_confirm_description_2": "Để tránh các sự cố này, tạo một phòng mã hóa mới cho cuộc trò chuyện bạn dự định có.", + "enable_encryption_confirm_title": "Bật mã hóa?", + "enable_encryption_confirm_description": "Khi được bật, việc mã hóa cho một phòng không thể hủy. Các tin nhắn được gửi trong phòng mã hóa không thể được thấy từ phía máy chủ, chỉ những người tham gia trong phòng thấy. Bật mã hóa có thể ngăn chặn các bot và bridge làm việc chính xác. Tìm hiểu thêm về mã hóa.", + "public_without_alias_warning": "Để liên kết đến phòng này, vui lòng thêm địa chỉ.", + "join_rule_description": "Quyết định ai có thể tham gia %(roomName)s.", + "encrypted_room_public_confirm_title": "Bạn có chắc muốn công khai phòng mã hóa này?", + "encrypted_room_public_confirm_description_1": "Không được khuyến nghị làm công khai các phòng mã hóa. Điều đó có nghĩa bất cứ ai có thể tìm thấy và tham gia vào phòng, vì vậy bất cứ ai có thể đọc được các tin nhắn. Bạn sẽ không nhận được lợi ích gì của việc mã hóa. Mã hóa các tin nhắn trong phòng công cộng sẽ làm cho việc nhận và gửi các tin nhắn chậm hơn.", + "encrypted_room_public_confirm_description_2": "Để tránh các sự cố này, tạo một phòng công cộng mới cho cuộc trò chuyện bạn dự định có.", + "history_visibility": {}, + "history_visibility_warning": "Thay đổi ai có thể đọc lịch sử phòng chat chỉ được áp dụng đối với các tin nhắn từ thời điểm này.", + "history_visibility_legend": "Ai có thể đọc lịch sử phòng chat?", + "guest_access_warning": "Những người có khách hàng được hỗ trợ sẽ có thể tham gia phòng mà không cần đăng ký tài khoản.", + "title": "Bảo mật & Riêng tư", + "encryption_permanent": "Sau khi được bật, mã hóa không thể bị vô hiệu hóa.", + "encryption_forced": "Máy chủ của bạn yêu cầu mã hóa phải được vô hiệu hóa.", + "history_visibility_shared": "Chỉ dành cho thành viên (từ thời điểm chọn thiết lập này)", + "history_visibility_invited": "Chỉ dành cho thành viên (từ thời điểm được mời)", + "history_visibility_joined": "Chỉ dành cho thành viên (từ thời điểm tham gia)", + "history_visibility_world_readable": "Bất kỳ ai" + }, + "general": { + "publish_toggle": "Xuất bản phòng này cho công chúng trong thư mục phòng của %(domain)s?", + "user_url_previews_default_on": "Bạn đã bật enabled URL xem trước URL theo mặc định.", + "user_url_previews_default_off": "Bạn đã tắt disabled xem trước URL theo mặc định.", + "default_url_previews_on": "Xem trước URL được bật theo mặc định cho những người tham gia trong phòng này.", + "default_url_previews_off": "Xem trước URL bị tắt theo mặc định đối với những người tham gia trong phòng này.", + "url_preview_encryption_warning": "Trong các phòng được mã hóa, như phòng này, tính năng xem trước URL bị tắt theo mặc định để đảm bảo rằng máy chủ của bạn (nơi tạo bản xem trước) không thể thu thập thông tin về các liên kết mà bạn nhìn thấy trong phòng này.", + "url_preview_explainer": "Khi ai đó đặt URL trong tin nhắn của họ, bản xem trước URL có thể được hiển thị để cung cấp thêm thông tin về liên kết đó như tiêu đề, mô tả và hình ảnh từ trang web.", + "url_previews_section": "Xem trước URL" } }, "encryption": { @@ -3606,7 +3567,14 @@ "server_picker_explainer": "Sử dụng máy chủ Matrix ưa thích của bạn nếu bạn có, hoặc tự tạo máy chủ lưu trữ của riêng bạn.", "server_picker_learn_more": "Giới thiệu về các máy chủ", "incorrect_credentials": "Tên người dùng và/hoặc mật khẩu không chính xác.", - "account_deactivated": "Tài khoản này đã bị vô hiệu hóa." + "account_deactivated": "Tài khoản này đã bị vô hiệu hóa.", + "registration_username_validation": "Chỉ sử dụng các chữ cái thường, số, dấu gạch ngang và dấu gạch dưới", + "registration_username_in_use": "Ai đó đã có username đó. Hãy thử một cái khác hoặc nếu đó là bạn, hay đăng nhập bên dưới.", + "phone_label": "Điện thoại", + "phone_optional_label": "Điện thoại (tùy chọn)", + "email_help_text": "Thêm một địa chỉ thư điện tử để có thể đặt lại mật khẩu của bạn.", + "email_phone_discovery_text": "Sử dụng địa chỉ thư điện tử hoặc điện thoại để dễ dàng được tìm ra bởi người dùng khác.", + "email_discovery_text": "Sử dụng địa chỉ thư điện tử để dễ dàng được tìm ra bởi người dùng khác." }, "room_list": { "sort_unread_first": "Hiển thị các phòng có tin nhắn chưa đọc trước", @@ -3811,7 +3779,20 @@ "light_high_contrast": "Độ tương phản ánh sáng cao" }, "space": { - "landing_welcome": "Chào mừng đến với " + "landing_welcome": "Chào mừng đến với ", + "suggested_tooltip": "Phòng này được đề xuất là một nơi tốt để tham gia", + "suggested": "Đề nghị", + "select_room_below": "Trước tiên hãy chọn một phòng bên dưới", + "unmark_suggested": "Đánh dấu như không đề xuất", + "mark_suggested": "Đánh dấu như đề xuất", + "failed_remove_rooms": "Không xóa được một số phòng. Thử lại sau", + "failed_load_rooms": "Tải danh sách các phòng thất bại.", + "incompatible_server_hierarchy": "Máy chủ của bạn không hỗ trợ hiển thị phân cấp space.", + "context_menu": { + "devtools_open_timeline": "Xem dòng thời gian phòng (devtools)", + "explore": "Khám phá các phòng", + "manage_and_explore": "Quản lý và khám phá phòng" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "Homeserver này không được cấu hình để hiển thị bản đồ.", @@ -3865,5 +3846,50 @@ "setup_rooms_community_description": "Hãy tạo một phòng cho mỗi người trong số họ.", "setup_rooms_description": "Bạn cũng có thể thêm nhiều hơn sau, bao gồm cả những cái đã có.", "setup_rooms_private_heading": "Nhóm của bạn đang thực hiện các dự án nào?" + }, + "user_menu": { + "switch_theme_light": "Chuyển sang chế độ ánh sáng", + "switch_theme_dark": "Chuyển sang chế độ tối" + }, + "notif_panel": { + "empty_heading": "Tất cả các bạn đều bị bắt", + "empty_description": "Bạn không có thông báo nào hiển thị." + }, + "room": { + "drop_file_prompt": "Thả tệp vào đây để tải lên", + "intro": { + "send_message_start_dm": "Gửi tin nhắn đầu tiên để mời vào cuộc trò chuyện", + "encrypted_3pid_dm_pending_join": "Một khi mọi người đã vào, bạn có thể bắt đầu trò chuyện", + "start_of_dm_history": "Đây là phần bắt đầu của lịch sử tin nhắn trực tiếp của bạn với .", + "dm_caption": "Chỉ có hai người trong cuộc trò chuyện này, trừ khi một trong hai người mời bất kỳ ai tham gia.", + "topic_edit": "Chủ đề: %(topic)s (edit)", + "topic": "Chủ đề: %(topic)s ", + "no_topic": "Thêm chủ đề Add a topic để giúp mọi người biết nội dung là gì.", + "you_created": "Bạn đã tạo phòng này.", + "user_created": "%(displayName)s đã tạo phòng này.", + "room_invite": "Mời chỉ vào phòng này", + "no_avatar_label": "Thêm ảnh để mọi người có thể dễ dàng nhận ra phòng của bạn.", + "start_of_room": "Đây là phần bắt đầu của .", + "private_unencrypted_warning": "Các tin nhắn riêng tư của bạn thường được mã hóa, nhưng phòng này thì không. Thường thì điều này là do thiết bị không được hỗ trợ hoặc phương pháp đang được dùng, như các lời mời qua thư điện tử.", + "enable_encryption_prompt": "Bật mã hóa trong phần cài đặt.", + "unencrypted_warning": "Mã hóa đầu-cuối chưa được bật" + } + }, + "file_panel": { + "guest_note": "Bạn phải đăng ký register để sử dụng chức năng này", + "peek_note": "Bạn phải tham gia vào phòng để xem các tệp của nó", + "empty_heading": "Không có tệp nào hiển thị trong phòng này", + "empty_description": "Đính kèm tệp từ cuộc trò chuyện hoặc chỉ cần kéo và thả chúng vào bất kỳ đâu trong phòng." + }, + "terms": { + "integration_manager": "Sử dụng bot, cầu nối, tiện ích và gói sticker cảm xúc", + "tos": "Điều khoản Dịch vụ", + "intro": "Để tiếp tục, bạn cần chấp nhận các điều khoản của dịch vụ này.", + "column_service": "Dịch vụ", + "column_summary": "Tóm lược", + "column_document": "Tài liệu" + }, + "space_settings": { + "title": "Cài đặt - %(spaceName)s" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/vls.json b/src/i18n/strings/vls.json index 9d2df11f2a..bae1f82a61 100644 --- a/src/i18n/strings/vls.json +++ b/src/i18n/strings/vls.json @@ -204,7 +204,6 @@ "Bulk options": "Bulkopties", "Accept all %(invitedRooms)s invites": "Alle %(invitedRooms)s-uutnodigiengn anveirdn", "Reject all %(invitedRooms)s invites": "Alle %(invitedRooms)s-uutnodigiengn weigern", - "Security & Privacy": "Veiligheid & privacy", "No media permissions": "Geen mediatoestemmiengn", "You may need to manually permit %(brand)s to access your microphone/webcam": "Je moe %(brand)s wellicht handmoatig toestoan van je microfoon/webcam te gebruukn", "Missing media permissions, click the button below to request.": "Mediatoestemmiengn ountbreekn, klikt ip de knop hierounder vo deze an te vroagn.", @@ -222,30 +221,10 @@ "Room version": "Gespreksversie", "Room version:": "Gespreksversie:", "Room Addresses": "Gespreksadressn", - "Publish this room to the public in %(domain)s's room directory?": "Dit gesprek openboar moakn in de gesprekscataloog van %(domain)s?", - "URL Previews": "URL-voorvertoniengn", "Failed to unban": "Ountbann mislukt", "Unban": "Ountbann", "Banned by %(displayName)s": "Verbann deur %(displayName)s", - "No users have specific privileges in this room": "Geen gebruukers èn specifieke privileges in dit gesprek", - "Privileged Users": "Bevoorrechte gebruukers", - "Muted Users": "Gedempte gebruukers", - "Banned users": "Verbann gebruukers", - "Send %(eventType)s events": "%(eventType)s-gebeurtenissn verstuurn", - "Roles & Permissions": "Rolln & toestemmiengn", - "Permissions": "Toestemmiengn", - "Select the roles required to change various parts of the room": "Selecteert de rolln vereist vo verschillende deeln van ’t gesprek te wyzign", - "Enable encryption?": "Versleuterienge inschoakeln?", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "Van zodra da de versleuterienge voor e gesprek es ingeschoakeld gewist, es ’t nie mi meuglik van ’t were uut te schoakeln. Berichtn da in e versleuterd gesprek wordn verstuurd wordn nie gezien deur de server, alleene moa deur de deelnemers an ’t gesprek. Deur de versleuterienge in te schoakeln kunn veel robots en overbruggiengen nie juste functioneern. Leest meer over de versleuterienge.", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "Wyzigiengn an wie da de geschiedenisse ku leezn zyn alleene moa van toepassienge ip toekomstige berichtn in dit gesprek. De zichtboarheid van de bestoande geschiedenisse bluuft ongewyzigd.", - "Anyone": "Iedereen", - "Members only (since the point in time of selecting this option)": "Alleen deelnemers (vanaf de moment da deze optie wor geselecteerd)", - "Members only (since they were invited)": "Alleen deelnemers (vanaf de moment dan ze uutgenodigd gewist zyn)", - "Members only (since they joined)": "Alleen deelnemers (vanaf de moment dan ze toegetreedn zyn)", "Encryption": "Versleuterienge", - "Once enabled, encryption cannot be disabled.": "Eenmoal ingeschoakeld ku versleuterienge nie mi wordn uutgeschoakeld.", - "Who can read history?": "Wien kut de geschiedenisse leezn?", - "Drop file here to upload": "Versleep ’t bestand noar hier vo ’t ip te loaden", "This event could not be displayed": "Deze gebeurtenisse kostege nie weergegeevn wordn", "Failed to ban user": "Verbann van gebruuker es mislukt", "Demote yourself?": "Jen eigen degradeern?", @@ -323,12 +302,6 @@ "Room avatar": "Gespreksavatar", "Room Name": "Gespreksnoame", "Room Topic": "Gespreksounderwerp", - "You have enabled URL previews by default.": "J’èt URL-voorvertoniengn standoard ingeschoakeld.", - "You have disabled URL previews by default.": "J’èt URL-voorvertoniengn standoard uutgeschoakeld.", - "URL previews are enabled by default for participants in this room.": "URL-voorvertoniengn zyn vo leedn van dit gesprek standoard ingeschoakeld.", - "URL previews are disabled by default for participants in this room.": "URL-voorvertoniengn zyn vo leedn van dit gesprek standoard uutgeschoakeld.", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "In versleuterde gesprekkn lyk dat hier zyn URL-voorvertoniengn standoard uutgeschoakeld, vo te voorkommn da je thuusserver (woa da de voorvertoniengn wordn gemakt) informoasje ku verzoameln over de koppeliengn da j’hiere ziet.", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "A ’t er etwien een URL in e bericht invoegt, kut er een URL-voorvertonienge getoogd wordn me meer informoasje over de koppelienge, gelyk den titel, omschryvienge en e fotootje van de website.", "Sunday": "Zundag", "Monday": "Moandag", "Tuesday": "Diesndag", @@ -479,11 +452,8 @@ "Enter username": "Gift de gebruukersnoame in", "Some characters not allowed": "Sommige tekens zyn nie toegeloatn", "Email (optional)": "E-mailadresse (optioneel)", - "Phone (optional)": "Telefongnumero (optioneel)", "Join millions for free on the largest public server": "Doe mee me miljoenen anderen ip de grotste publieke server", "Couldn't load page": "Kostege ’t blad nie loadn", - "You must register to use this functionality": "Je moe je registreern vo deze functie te gebruukn", - "You must join the room to see its files": "Je moe tout ’t gesprek toetreedn vo de bestandn te kunn zien", "Upload avatar": "Avatar iploadn", "Failed to reject invitation": "Weigern van d’uutnodigienge is mislukt", "This room is not public. You will not be able to rejoin without an invite.": "Dit gesprek is nie openboar. Zounder uutnodigienge goa je nie were kunn toetreedn.", @@ -539,10 +509,6 @@ "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Je ku geen verbindienge moakn me de thuusserver via HTTP wanneer dat der een HTTPS-URL in je browserbalk stoat. Gebruukt HTTPS of schoakelt ounveilige scripts in.", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Geen verbindienge met de thuusserver - controleer je verbindienge, zorgt dervoorn dan ’t SSL-certificoat van de thuusserver vertrouwd is en dat der geen browserextensies verzoekn blokkeern.", "Create account": "Account anmoakn", - "Commands": "Ipdrachtn", - "Notify the whole room": "Loat dit an gans ’t groepsgesprek weetn", - "Room Notification": "Groepsgespreksmeldienge", - "Users": "Gebruukers", "Session ID": "Sessie-ID", "Passphrases must match": "Paswoordn moetn overeenkommn", "Passphrase must not be empty": "Paswoord meug nie leeg zyn", @@ -577,7 +543,6 @@ "Your %(brand)s is misconfigured": "Je %(brand)s is verkeerd geconfigureerd gewist", "Ask your %(brand)s admin to check your config for incorrect or duplicate entries.": "Vroagt an je %(brand)s-beheerder van je configuroasje noa te kykn ip verkeerde of duplicoate items.", "Unexpected error resolving identity server configuration": "Ounverwachte foute by ’t iplossn van d’identiteitsserverconfiguroasje", - "Use lowercase letters, numbers, dashes and underscores only": "Gebruukt alleene moa letters, cyfers, streeptjes en underscores", "Cannot reach identity server": "Kostege den identiteitsserver nie bereikn", "You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Je ku je registreern, moa sommige functies goan pas beschikboar zyn wanneer da den identiteitsserver were online is. A je deze woarschuwienge te zien bluft krygn, controleert tan je configuroasje of nimt contact ip met e serverbeheerder.", "You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Je ku je paswoord herinstelln, moa sommige functies goan pas beschikboar zyn wanneer da den identiteitsserver were online is. A je deze woarschuwienge te zien bluft krygn, controleert tan je configuroasje of nimt contact ip met e serverbeheerder.", @@ -594,10 +559,6 @@ "Failed to re-authenticate due to a homeserver problem": "’t Heranmeldn is mislukt omwille van e probleem me de thuusserver", "Find others by phone or email": "Viendt andere menschn via hunder telefongnumero of e-mailadresse", "Be found by phone or email": "Wor gevoundn via je telefongnumero of e-mailadresse", - "Use bots, bridges, widgets and sticker packs": "Gebruukt robottn, bruggn, widgets en stickerpakkettn", - "Terms of Service": "Gebruuksvoorwoardn", - "Service": "Dienst", - "Summary": "Soamnvattienge", "Clear personal data": "Persoonlike gegeevns wissn", "Checking server": "Server wor gecontroleerd", "Disconnect from the identity server ?": "Wil je de verbindienge me den identiteitsserver verbreekn?", @@ -737,7 +698,13 @@ "composer": { "format_inline_code": "Code", "placeholder_reply_encrypted": "Verstuurt e versleuterd antwoord…", - "placeholder_encrypted": "Verstuurt e versleuterd bericht…" + "placeholder_encrypted": "Verstuurt e versleuterd bericht…", + "autocomplete": { + "command_description": "Ipdrachtn", + "@room_description": "Loat dit an gans ’t groepsgesprek weetn", + "notification_description": "Groepsgespreksmeldienge", + "user_description": "Gebruukers" + } }, "Code": "Code", "power_level": { @@ -803,6 +770,9 @@ "composer_heading": "Ipsteller", "autocomplete_delay": "Vertroagienge vo ’t automatisch anvulln (ms)", "always_show_menu_bar": "De veinstermenubalk alsan toogn" + }, + "sessions": { + "session_id": "Sessie-ID" } }, "devtools": { @@ -1041,7 +1011,38 @@ "invite": "Gebruukers uutnodign", "state_default": "Instelliengn wyzign", "ban": "Gebruukers verbann", - "notifications.room": "Iedereen meldn" + "notifications.room": "Iedereen meldn", + "no_privileged_users": "Geen gebruukers èn specifieke privileges in dit gesprek", + "privileged_users_section": "Bevoorrechte gebruukers", + "muted_users_section": "Gedempte gebruukers", + "banned_users_section": "Verbann gebruukers", + "send_event_type": "%(eventType)s-gebeurtenissn verstuurn", + "title": "Rolln & toestemmiengn", + "permissions_section": "Toestemmiengn", + "permissions_section_description_room": "Selecteert de rolln vereist vo verschillende deeln van ’t gesprek te wyzign" + }, + "security": { + "enable_encryption_confirm_title": "Versleuterienge inschoakeln?", + "enable_encryption_confirm_description": "Van zodra da de versleuterienge voor e gesprek es ingeschoakeld gewist, es ’t nie mi meuglik van ’t were uut te schoakeln. Berichtn da in e versleuterd gesprek wordn verstuurd wordn nie gezien deur de server, alleene moa deur de deelnemers an ’t gesprek. Deur de versleuterienge in te schoakeln kunn veel robots en overbruggiengen nie juste functioneern. Leest meer over de versleuterienge.", + "history_visibility": {}, + "history_visibility_warning": "Wyzigiengn an wie da de geschiedenisse ku leezn zyn alleene moa van toepassienge ip toekomstige berichtn in dit gesprek. De zichtboarheid van de bestoande geschiedenisse bluuft ongewyzigd.", + "history_visibility_legend": "Wien kut de geschiedenisse leezn?", + "title": "Veiligheid & privacy", + "encryption_permanent": "Eenmoal ingeschoakeld ku versleuterienge nie mi wordn uutgeschoakeld.", + "history_visibility_shared": "Alleen deelnemers (vanaf de moment da deze optie wor geselecteerd)", + "history_visibility_invited": "Alleen deelnemers (vanaf de moment dan ze uutgenodigd gewist zyn)", + "history_visibility_joined": "Alleen deelnemers (vanaf de moment dan ze toegetreedn zyn)", + "history_visibility_world_readable": "Iedereen" + }, + "general": { + "publish_toggle": "Dit gesprek openboar moakn in de gesprekscataloog van %(domain)s?", + "user_url_previews_default_on": "J’èt URL-voorvertoniengn standoard ingeschoakeld.", + "user_url_previews_default_off": "J’èt URL-voorvertoniengn standoard uutgeschoakeld.", + "default_url_previews_on": "URL-voorvertoniengn zyn vo leedn van dit gesprek standoard ingeschoakeld.", + "default_url_previews_off": "URL-voorvertoniengn zyn vo leedn van dit gesprek standoard uutgeschoakeld.", + "url_preview_encryption_warning": "In versleuterde gesprekkn lyk dat hier zyn URL-voorvertoniengn standoard uutgeschoakeld, vo te voorkommn da je thuusserver (woa da de voorvertoniengn wordn gemakt) informoasje ku verzoameln over de koppeliengn da j’hiere ziet.", + "url_preview_explainer": "A ’t er etwien een URL in e bericht invoegt, kut er een URL-voorvertonienge getoogd wordn me meer informoasje over de koppelienge, gelyk den titel, omschryvienge en e fotootje van de website.", + "url_previews_section": "URL-voorvertoniengn" } }, "encryption": { @@ -1073,7 +1074,10 @@ "soft_logout_intro_unsupported_auth": "Je ku je nie anmeldn me jen account. Nimt contact ip me de beheerder van je thuusserver vo meer informoasje.", "register_action": "Account anmoakn", "incorrect_credentials": "Verkeerde gebruukersnoame en/of paswoord.", - "account_deactivated": "Deezn account is gedeactiveerd gewist." + "account_deactivated": "Deezn account is gedeactiveerd gewist.", + "registration_username_validation": "Gebruukt alleene moa letters, cyfers, streeptjes en underscores", + "phone_label": "Telefongnumero", + "phone_optional_label": "Telefongnumero (optioneel)" }, "export_chat": { "messages": "Berichtn" @@ -1128,5 +1132,23 @@ "room_list": { "failed_remove_tag": "Verwydern van %(tagName)s-label van gesprek is mislukt", "failed_add_tag": "Toevoegn van %(tagName)s-label an gesprek is mislukt" + }, + "room": { + "drop_file_prompt": "Versleep ’t bestand noar hier vo ’t ip te loaden" + }, + "file_panel": { + "guest_note": "Je moe je registreern vo deze functie te gebruukn", + "peek_note": "Je moe tout ’t gesprek toetreedn vo de bestandn te kunn zien" + }, + "space": { + "context_menu": { + "explore": "Gesprekkn ountdekkn" + } + }, + "terms": { + "integration_manager": "Gebruukt robottn, bruggn, widgets en stickerpakkettn", + "tos": "Gebruuksvoorwoardn", + "column_service": "Dienst", + "column_summary": "Soamnvattienge" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/zh_Hans.json b/src/i18n/strings/zh_Hans.json index f7ee2af296..83772d43fa 100644 --- a/src/i18n/strings/zh_Hans.json +++ b/src/i18n/strings/zh_Hans.json @@ -44,7 +44,6 @@ "This email address was not found": "未找到此邮箱地址", "A new password must be entered.": "必须输入新密码。", "An error has occurred.": "发生了一个错误。", - "Banned users": "被封禁的用户", "Confirm password": "确认密码", "Join Room": "加入房间", "Jump to first unread message.": "跳到第一条未读消息。", @@ -60,14 +59,12 @@ "other": "和其他%(count)s个人……", "one": "和其它一个..." }, - "Anyone": "任何人", "Are you sure?": "你确定吗?", "Are you sure you want to leave the room '%(roomName)s'?": "你确定要离开房间 “%(roomName)s” 吗?", "Are you sure you want to reject the invitation?": "你确定要拒绝邀请吗?", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "无法连接家服务器 - 请检查网络连接,确保你的家服务器 SSL 证书被信任,且没有浏览器插件拦截请求。", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "当浏览器地址栏里有 HTTPS 的 URL 时,不能使用 HTTP 连接家服务器。请使用 HTTPS 或者允许不安全的脚本。", "Change Password": "修改密码", - "Commands": "命令", "Custom level": "自定义级别", "Enter passphrase": "输入口令词组", "Home": "主页", @@ -83,20 +80,16 @@ "No display name": "无显示名称", "Operation failed": "操作失败", "Passwords can't be empty": "密码不能为空", - "Permissions": "权限", "Phone": "电话", "Create new room": "创建新房间", "unknown error code": "未知错误代码", "Account": "账户", "Low priority": "低优先级", "No more results": "没有更多结果", - "Privileged Users": "特权用户", "Reason": "理由", "Reject invitation": "拒绝邀请", - "Users": "用户", "Verified key": "已验证的密钥", "Warning!": "警告!", - "You must register to use this functionality": "你必须 注册 以使用此功能", "You need to be logged in.": "你需要登录。", "Connectivity to the server has been lost.": "到服务器的连接已经丢失。", "New Password": "新密码", @@ -110,8 +103,6 @@ "Unknown error": "未知错误", "Unable to restore session": "无法恢复会话", "Token incorrect": "令牌错误", - "URL Previews": "URL预览", - "Drop file here to upload": "把文件拖到这里以上传", "Delete widget": "删除挂件", "Failed to change power level": "权力级别修改失败", "New passwords must match each other.": "新密码必须互相匹配。", @@ -126,11 +117,8 @@ "Unable to enable Notifications": "无法启用通知", "Upload avatar": "上传头像", "Upload Failed": "上传失败", - "Who can read history?": "谁可以阅读历史消息?", "You are not in this room.": "你不在此房间中。", "Not a valid %(brand)s keyfile": "不是有效的 %(brand)s 密钥文件", - "Publish this room to the public in %(domain)s's room directory?": "是否将此房间发布至 %(domain)s 的房间目录中?", - "No users have specific privileges in this room": "此房间中没有用户有特殊权限", "Please check your email and click on the link it contains. Once this is done, click continue.": "请检查你的电子邮箱并点击里面包含的链接。完成时请点击继续。", "AM": "上午", "PM": "下午", @@ -151,8 +139,6 @@ "Do you want to set an email address?": "你想要设置一个邮箱地址吗?", "Verification Pending": "验证等待中", "You cannot place a call with yourself.": "你不能打给自己。", - "You have disabled URL previews by default.": "你已经默认禁用URL预览。", - "You have enabled URL previews by default.": "你已经默认启用URL预览。", "Copied!": "已复制!", "Failed to copy": "复制失败", "Sent messages will be stored until your connection has returned.": "已发送的消息会被保存直到你的连接回来。", @@ -180,7 +166,6 @@ "Oct": "十月", "Nov": "十一月", "Dec": "十二月", - "You must join the room to see its files": "你必须加入房间以看到它的文件", "Confirm Removal": "确认移除", "Unable to remove contact information": "无法移除联系人信息", "Add an Integration": "添加集成", @@ -202,16 +187,12 @@ }, "collapse": "折叠", "expand": "展开", - "Room Notification": "房间通知", "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(monthName)s %(day)s %(time)s,%(weekDayName)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(fullYear)s %(monthName)s %(day)s,%(weekDayName)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(fullYear)s %(monthName)s %(day)s %(time)s,%(weekDayName)s", "Replying": "正在回复", "Banned by %(displayName)s": "被 %(displayName)s 封禁", - "Members only (since the point in time of selecting this option)": "仅成员(从选中此选项时开始)", - "Members only (since they were invited)": "只有成员(从他们被邀请开始)", - "Members only (since they joined)": "只有成员(从他们加入开始)", "Restricted": "受限", "You don't currently have any stickerpacks enabled": "你目前未启用任何贴纸包", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "如果你是房间中最后一位拥有权限的用户,在你降低自己的权限等级后将无法撤销此修改,你将无法重新获得权限。", @@ -223,8 +204,6 @@ "%(duration)sd": "%(duration)s 天", "In reply to ": "答复 ", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "如果你之前使用过较新版本的 %(brand)s,则你的会话可能与当前版本不兼容。请关闭此窗口并使用最新版本。", - "URL previews are enabled by default for participants in this room.": "已对此房间的参与者默认启用URL预览。", - "URL previews are disabled by default for participants in this room.": "已对此房间的参与者默认禁用URL预览。", "Please enter the code it contains:": "请输入其包含的代码:", "Old cryptography data detected": "检测到旧的加密数据", "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "已检测到旧版%(brand)s的数据,这将导致端到端加密在旧版本中发生故障。在此版本中,使用旧版本交换的端到端加密消息可能无法解密。这也可能导致与此版本交换的消息失败。如果你遇到问题,请登出并重新登录。要保留历史消息,请先导出并在重新登录后导入你的密钥。", @@ -234,7 +213,6 @@ }, "Uploading %(filename)s": "正在上传 %(filename)s", "Please note you are logging into the %(hs)s server, not matrix.org.": "请注意,你正在登录 %(hs)s,而非 matrix.org。", - "Notify the whole room": "通知房间全体成员", "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "此操作允许你将加密房间中收到的消息的密钥导出为本地文件。你可以将文件导入其他 Matrix 客户端,以便让别的客户端在未收到密钥的情况下解密这些消息。", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "导出文件受口令词组保护。你应该在此输入口令词组以解密此文件。", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "此操作允许你导入之前从另一个 Matrix 客户端中导出的加密密钥文件。导入完成后,你将能够解密那个客户端可以解密的加密消息。", @@ -282,9 +260,6 @@ "This event could not be displayed": "无法显示此事件", "Share Link to User": "分享链接给其他用户", "Share room": "分享房间", - "Muted Users": "被禁言的用户", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "在加密的房间中,比如此房间,URL预览默认是禁用的,以确保你的家服务器(生成预览的地方)无法收集与你在此房间中看到的链接有关的信息。", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "当有人在他们的消息里放置URL时,可显示URL预览以给出更多有关链接的信息,如其网站的标题、描述以及图片。", "Clear Storage and Sign Out": "清除存储并登出", "Send Logs": "发送日志", "Share Room Message": "分享房间消息", @@ -425,7 +400,6 @@ "General": "通用", "Ignored users": "已忽略的用户", "Bulk options": "批量选择", - "Security & Privacy": "隐私安全", "Missing media permissions, click the button below to request.": "缺少媒体权限,点击下面的按钮以请求权限。", "Request media permissions": "请求媒体权限", "Voice & Video": "语音和视频", @@ -433,10 +407,7 @@ "Room version": "房间版本", "Room version:": "房间版本:", "Room Addresses": "房间地址", - "Roles & Permissions": "角色与权限", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "历史记录阅读权限的更改只会应用到此房间中将来的消息。既有历史记录的可见性将不会更改。", "Encryption": "加密", - "Once enabled, encryption cannot be disabled.": "加密一经启用,便无法禁用。", "Add some now": "立即添加", "Error updating main address": "更新主要地址时发生错误", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "更新房间的主要地址时发生错误。可能是此服务器不允许,也可能是出现了一个临时错误。", @@ -466,7 +437,6 @@ "Please review and accept all of the homeserver's policies": "请阅读并接受此家服务器的所有政策", "Please review and accept the policies of this homeserver:": "请阅读并接受此家服务器的政策:", "Email (optional)": "电子邮箱(可选)", - "Phone (optional)": "电话号码(可选)", "Join millions for free on the largest public server": "免费加入最大的公共服务器,成为数百万用户中的一员", "Couldn't load page": "无法加载页面", "Could not load user profile": "无法加载用户资料", @@ -488,10 +458,6 @@ "If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "如果你没有移除此恢复方式,可能有攻击者正试图侵入你的账户。请立即更改你的账户密码并在设置中设定一个新的恢复方式。", "The user must be unbanned before they can be invited.": "用户必须先解封才能被邀请。", "Accept all %(invitedRooms)s invites": "接受所有 %(invitedRooms)s 邀请", - "Send %(eventType)s events": "发送 %(eventType)s 事件", - "Select the roles required to change various parts of the room": "选择更改房间各个部分所需的角色", - "Enable encryption?": "启用加密?", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "房间加密一经启用,便无法禁用。在加密房间中,发送的消息无法被服务器看到,只能被房间的参与者看到。启用加密可能会使许多机器人和桥接无法正常运作。 详细了解加密。", "Power level": "权力级别", "Upgrade this room to the recommended room version": "升级此房间至推荐版本", "This room is running room version , which this homeserver has marked as unstable.": "此房间运行的房间版本是 ,此版本已被家服务器标记为 不稳定 。", @@ -652,7 +618,6 @@ "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "更改此房间的权力级别需求时出错。请确保你有足够的权限后重试。", "Error changing power level": "更改权力级别时出错", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "更改此用户的权力级别时出错。请确保你有足够权限后重试。", - "To link to this room, please add an address.": "要链接至此房间,请添加一个地址。", "Unable to share email address": "无法共享邮件地址", "Your email address hasn't been verified yet": "你的邮件地址尚未被验证", "Click the link in the email you received to verify and then click continue again.": "点击你所收到的电子邮件中的链接进行验证,然后再次点击继续。", @@ -890,7 +855,6 @@ "Session name": "会话名称", "Session key": "会话密钥", "If they don't match, the security of your communication may be compromised.": "如果它们不匹配,你通讯的安全性可能已受损。", - "Verify session": "验证会话", "Your homeserver doesn't seem to support this feature.": "你的家服务器似乎不支持此功能。", "Message edits": "消息编辑历史", "Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "升级此房间需要关闭此房间的当前实例并创建一个新的房间代替它。为了给房间成员最好的体验,我们会:", @@ -918,12 +882,6 @@ "Your browser likely removed this data when running low on disk space.": "你的浏览器可能在磁盘空间不足时删除了此数据。", "Find others by phone or email": "通过电话或邮箱寻找别人", "Be found by phone or email": "通过电话或邮箱被寻找", - "Use bots, bridges, widgets and sticker packs": "使用机器人、桥接、挂件和贴纸包", - "Terms of Service": "服务协议", - "To continue you need to accept the terms of this service.": "要继续,你需要接受此服务协议。", - "Service": "服务", - "Summary": "总结", - "Document": "文档", "Upload files (%(current)s of %(total)s)": "上传文件(%(total)s 中之 %(current)s)", "Upload files": "上传文件", "Upload all": "全部上传", @@ -959,14 +917,9 @@ "Passwords don't match": "密码不匹配", "Other users can invite you to rooms using your contact details": "别的用户可以使用你的联系人详情邀请你加入房间", "Enter phone number (required on this homeserver)": "输入电话号码(此家服务器上必须)", - "Use lowercase letters, numbers, dashes and underscores only": "仅使用小写字母,数字,横杠和下划线", "Enter username": "输入用户名", "Sign in with SSO": "使用单点登录", - "No files visible in this room": "此房间中没有文件可见", "Explore rooms": "探索房间", - "%(creator)s created and configured the room.": "%(creator)s 创建并配置了此房间。", - "Switch to light mode": "切换到浅色模式", - "Switch to dark mode": "切换到深色模式", "Switch theme": "切换主题", "All settings": "所有设置", "Failed to get autodiscovery configuration from server": "从服务器获取自动发现配置时失败", @@ -976,11 +929,6 @@ "Identity server URL does not appear to be a valid identity server": "身份服务器链接不像是有效的身份服务器", "Failed to re-authenticate due to a homeserver problem": "由于家服务器的问题,重新认证失败", "Clear personal data": "清除个人数据", - "Command Autocomplete": "命令自动补全", - "Emoji Autocomplete": "表情符号自动补全", - "Notification Autocomplete": "通知自动补全", - "Room Autocomplete": "房间自动补全", - "User Autocomplete": "用户自动补全", "Confirm encryption setup": "确认加密设置", "Click the button below to confirm setting up encryption.": "点击下方按钮以确认设置加密。", "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "通过在你的服务器上备份加密密钥来防止丢失你对加密消息和数据的访问权。", @@ -1020,7 +968,6 @@ "Preparing to download logs": "正在准备下载日志", "%(brand)s encountered an error during upload of:": "%(brand)s 在上传此文件时出错:", "Country Dropdown": "国家下拉菜单", - "Attach files from chat or just drag and drop them anywhere in a room.": "从聊天中附加文件或将文件拖放到房间的任何地方。", "The server is not configured to indicate what the problem is (CORS).": "服务器没有配置为提示错误是什么(CORS)。", "Unknown App": "未知应用", "Cross-signing is ready for use.": "交叉签名已可用。", @@ -1131,8 +1078,6 @@ "Open dial pad": "打开拨号键盘", "Show Widgets": "显示挂件", "Hide Widgets": "隐藏挂件", - "%(displayName)s created this room.": "%(displayName)s 创建了此房间。", - "You created this room.": "你创建了此房间。", "Invite to this space": "邀请至此空间", "Your message was sent": "消息已发送", "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "请使用你的账户数据备份加密密钥,以免你无法访问你的会话。密钥会由一个唯一安全密钥保护。", @@ -1142,7 +1087,6 @@ "Leave space": "离开空间", "Share your public space": "分享你的公共空间", "Create a space": "创建空间", - "Your server does not support showing space hierarchies.": "你的服务器不支持显示空间层次结构。", "This version of %(brand)s does not support searching encrypted messages": "当前版本的 %(brand)s 不支持搜索加密消息", "This version of %(brand)s does not support viewing some encrypted files": "当前版本的 %(brand)s 不支持查看某些加密文件", "Pakistan": "巴基斯坦", @@ -1226,10 +1170,6 @@ "Costa Rica": "哥斯达黎加", " invites you": " 邀请了你", "No results found": "找不到结果", - "Mark as suggested": "标记为建议", - "Mark as not suggested": "标记为不建议", - "Failed to remove some rooms. Try again later": "无法移除某些房间。请稍后再试", - "Suggested": "建议", "%(count)s rooms": { "one": "%(count)s 个房间", "other": "%(count)s 个房间" @@ -1258,8 +1198,6 @@ "Video conference updated by %(senderName)s": "由 %(senderName)s 更新的视频会议", "Video conference started by %(senderName)s": "由 %(senderName)s 发起的视频会议", "Widgets": "挂件", - "This is the start of .": "这里是 的开始。", - "Add a photo, so people can easily spot your room.": "添加图片,让人们一眼就能看到你的房间。", "You can change these anytime.": "你随时可以更改它们。", "Space selection": "空间选择", "Invite to %(roomName)s": "邀请至 %(roomName)s", @@ -1353,11 +1291,7 @@ "Ignored attempt to disable encryption": "已忽略禁用加密的尝试", "Confirm your Security Phrase": "确认你的安全短语", "There was a problem communicating with the homeserver, please try again later.": "与家服务器通讯时出现问题,请稍后再试。", - "Decrypted event source": "解密的事件源码", "Original event source": "原始事件源码", - "Add a topic to help people know what it is about.": "添加话题,让大家知道这里是讨论什么的。", - "Topic: %(topic)s (edit)": "话题:%(topic)s(编辑)", - "Topic: %(topic)s ": "话题:%(topic)s ", "Sint Maarten": "圣马丁岛", "Slovenia": "斯洛文尼亚", "Singapore": "新加坡", @@ -1400,16 +1334,11 @@ "A new Security Phrase and key for Secure Messages have been detected.": "检测到新的安全短语和安全消息密钥。", "Enter your Security Phrase a second time to confirm it.": "再次输入你的安全短语进行确认。", "Great! This Security Phrase looks strong enough.": "棒!这个安全短语看着够强。", - "Space Autocomplete": "空间自动完成", "Verify your identity to access encrypted messages and prove your identity to others.": "验证你的身份来获取已加密的消息并向其他人证明你的身份。", - "Select a room below first": "首先选择一个房间", - "This room is suggested as a good one to join": "此房间很适合加入", "You can select all or individual messages to retry or delete": "你可以选择全部或单独的消息来重试或删除", "Sending": "正在发送", "Delete all": "删除全部", "Some of your messages have not been sent": "你的部分消息未被发送", - "You have no visible notifications.": "你没有可见的通知。", - "%(creator)s created this DM.": "%(creator)s 创建了此私聊。", "Verification requested": "已请求验证", "Security Key mismatch": "安全密钥不符", "Unable to set up keys": "无法设置密钥", @@ -1475,9 +1404,6 @@ "No microphone found": "未找到麦克风", "We were unable to access your microphone. Please check your browser settings and try again.": "我们无法访问你的麦克风。 请检查浏览器设置并重试。", "Unable to access your microphone": "无法访问你的麦克风", - "Invite to just this room": "仅邀请至此房间", - "This is the beginning of your direct message history with .": "这是你与的私聊历史的开端。", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "除非你们其中一个邀请了别人加入,否则将仅有你们两个人在此对话中。", "Failed to send": "发送失败", "You have no ignored users.": "你没有设置忽略用户。", "Message search initialisation failed": "消息搜索初始化失败", @@ -1485,7 +1411,6 @@ "one": "使用%(size)s存储%(rooms)s个房间的消息。在本地安全地缓存已加密的消息以使其出现在搜索结果中。", "other": "使用%(size)s存储%(rooms)s个房间的消息。在本地安全地缓存已加密的消息以使其出现在搜索结果中。" }, - "Manage & explore rooms": "管理并探索房间", "Connecting": "连接中", "unknown person": "陌生人", "%(deviceId)s from %(ip)s": "来自 %(ip)s 的 %(deviceId)s", @@ -1493,9 +1418,6 @@ "Are you sure you want to leave the space '%(spaceName)s'?": "你确定要离开空间「%(spaceName)s」吗?", "This space is not public. You will not be able to rejoin without an invite.": "此空间并不公开。在没有得到邀请的情况下,你将无法重新加入。", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "你是这里唯一的人。如果你离开了,以后包括你在内任何人都将无法加入。", - "Use email to optionally be discoverable by existing contacts.": "使用电子邮箱以选择性地被现有联系人搜索。", - "Use email or phone to optionally be discoverable by existing contacts.": "使用电子邮箱或电话以选择性地被现有联系人搜索。", - "Add an email to be able to reset your password.": "添加电子邮箱以重置你的密码。", "That phone number doesn't look quite right, please check and try again": "电话号码看起来不太对,请检查并重试", "Something went wrong in confirming your identity. Cancel and try again.": "确认你的身份时出了一点问题。取消并重试。", "Avatar": "头像", @@ -1529,12 +1451,10 @@ "Pinned messages": "已固定的消息", "If you have permissions, open the menu on any message and select Pin to stick them here.": "如果你拥有权限,请打开任何消息的菜单并选择固定将它们粘贴至此。", "Nothing pinned, yet": "尚无固定任何东西", - "End-to-end encryption isn't enabled": "未启用端到端加密", "Report": "举报", "Collapse reply thread": "折叠回复消息列", "Show preview": "显示预览", "View source": "查看源代码", - "Settings - %(spaceName)s": "设置 - %(spaceName)s", "Please provide an address": "请提供地址", "Message search initialisation failed, check your settings for more information": "消息搜索初始化失败,请检查你的设置以获取更多信息", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "设置此空间的地址,这样用户就能通过你的家服务器找到此空间(%(localDomain)s)", @@ -1635,8 +1555,6 @@ "other": "显示 %(count)s 个其他预览" }, "Access": "访问", - "People with supported clients will be able to join the room without having a registered account.": "拥有受支持客户端的人无需注册账户即可加入房间。", - "Decide who can join %(roomName)s.": "决定谁可以加入 %(roomName)s。", "Space members": "空间成员", "Anyone in a space can find and join. You can select multiple spaces.": "空间中的任何人都可以找到并加入。你可以选择多个空间。", "Spaces with access": "可访问的空间", @@ -1652,20 +1570,12 @@ "Upgrade required": "需要升级", "Rooms and spaces": "房间与空间", "Results": "结果", - "Enable encryption in settings.": "在设置中启用加密。", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "你的私人消息通常是加密的,但此房间不是。这通常是因为使用了不受支持的设备或方法,例如电子邮件邀请。", - "To avoid these issues, create a new public room for the conversation you plan to have.": "为避免这些问题,请为计划中的对话创建一个新的加密房间。", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "不建议公开加密房间。这意味着任何人都可以找到并加入房间,因此任何人都可以阅读消息。你将不会得到任何加密带来的好处。在公共房间加密消息还会拖慢收发消息的速度。", - "Are you sure you want to make this encrypted room public?": "你确定要公开此加密房间吗?", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "为避免这些问题,请为计划中的对话创建一个新的加密房间。", - "Are you sure you want to add encryption to this public room?": "你确定要为此公开房间开启加密吗?", "Cross-signing is ready but keys are not backed up.": "交叉签名已就绪,但尚未备份密钥。", "Some encryption parameters have been changed.": "一些加密参数已更改。", "Role in ": " 中的角色", "Unknown failure": "未知失败", "Failed to update the join rules": "未能更新加入列表", "Anyone in can find and join. You can select other spaces too.": " 中的任何人都可以寻找和加入。你也可以选择其他空间。", - "Select the roles required to change various parts of the space": "选择改变空间各个部分所需的角色", "Message didn't send. Click for info.": "消息没有发送。点击查看信息。", "To join a space you'll need an invite.": "要加入一个空间,你需要一个邀请。", "Would you like to leave the rooms in this space?": "你想俩开此空间内的房间吗?", @@ -1711,29 +1621,13 @@ }, "View in room": "在房间内查看", "Enter your Security Phrase or to continue.": "输入安全短语或以继续。", - "See room timeline (devtools)": "查看房间时间线(开发工具)", "Insert link": "插入链接", "Joined": "已加入", "Joining": "加入中", - "Select all": "全选", - "Deselect all": "取消全选", - "Sign out devices": { - "one": "注销设备", - "other": "注销设备" - }, - "Click the button below to confirm signing out these devices.": { - "one": "单击下面的按钮以确认登出此设备。", - "other": "单击下面的按钮以确认登出这些设备。" - }, - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "确认注销此设备需要使用单点登录来证明您的身份。", - "other": "确认注销这些设备需要使用单点登录来证明你的身份。" - }, "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "将您的安全密钥存放在安全的地方,例如密码管理器或保险箱,因为它用于保护您的加密数据。", "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "我们将为您生成一个安全密钥,将其存储在安全的地方,例如密码管理器或保险箱。", "Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "重新获取账户访问权限并恢复存储在此会话中的加密密钥。 没有它们,您将无法在任何会话中阅读所有安全消息。", "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "如果不进行验证,您将无法访问您的所有消息,并且在其他人看来可能不受信任。", - "You're all caught up": "一切完毕", "If you can't see who you're looking for, send them your invite link below.": "如果您看不到您要找的人,请将您的邀请链接发送给他们。", "In encrypted rooms, verify all users to ensure it's secure.": "在加密房间中,验证所有用户以确保其安全。", "Yours, or the other users' session": "你或其他用户的会话", @@ -1751,7 +1645,6 @@ "You do not have permission to start polls in this room.": "你无权在此房间启动投票。", "Copy link to thread": "复制到消息列的链接", "Thread options": "消息列选项", - "Someone already has that username. Try another or if it is you, sign in below.": "该名称已被占用。 尝试另一个,或者如果是您,请在下面登录。", "Reply in thread": "在消息列中回复", "Spaces to show": "要显示的空间", "Sidebar": "侧边栏", @@ -1832,7 +1725,6 @@ "Copy room link": "复制房间链接", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "将您与该空间的成员的聊天进行分组。关闭这个后你将无法在 %(spaceName)s 内看到这些聊天。", "Sections to show": "要显示的部分", - "Failed to load list of rooms.": "加载房间列表失败。", "Open in OpenStreetMap": "在 OpenStreetMap 中打开", "Failed to invite users to %(roomName)s": "未能邀请用户加入 %(roomName)s", "Back to thread": "返回消息列", @@ -1900,7 +1792,6 @@ "Saved Items": "已保存的项目", "Private room": "私有房间", "Video room": "视频房间", - "Video rooms are a beta feature": "视频房间是beta功能", "Read receipts": "已读回执", "Seen by %(count)s people": { "one": "已被%(count)s人查看", @@ -1908,7 +1799,6 @@ }, "%(members)s and %(last)s": "%(members)s和%(last)s", "%(members)s and more": "%(members)s和更多", - "Send your first message to invite to chat": "发送你的第一条消息邀请来聊天", "Poll": "投票", "Voice Message": "语音消息", "Hide stickers": "隐藏贴纸", @@ -1927,10 +1817,6 @@ "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "空间是将房间和人分组的方式。除了你所在的空间,你也可以使用预建的空间。", "Deactivating your account is a permanent action — be careful!": "停用你的账户是永久性动作——小心!", "Your password was successfully changed.": "你的密码已成功更改。", - "Confirm signing out these devices": { - "one": "确认登出此设备", - "other": "确认登出这些设备" - }, "Match system": "匹配系统", "Waiting for you to verify on your other device…": "正等待你在其它设备上验证……", "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "正等待你在其它设备上验证,%(deviceName)s(%(deviceId)s)……", @@ -1947,12 +1833,8 @@ "Use to scroll": "用来滚动", "Feedback sent! Thanks, we appreciate it!": "反馈已发送!谢谢,我们很感激!", "Location": "位置", - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "若你知道你正在做什么,Element是开源的,请务必看看我们的GitHub(https://github.com/vector-im/element-web/)并贡献!", - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "若某人告诉你在这里复制/粘贴某物,那你极有可能正被欺骗!", "Wait!": "等等!", "This address does not point at this room": "此地址不指向此房间", - "Unable to check if username has been taken. Try again later.": "无法检查用户名是否已被使用。稍后再试。", - "Space home": "空间首页", "Could not fetch location": "无法获取位置", "Your new device is now verified. Other users will see it as trusted.": "你的新设备现已验证。其他用户将会视其为受信任的。", "Verify this device": "验证此设备", @@ -2035,22 +1917,8 @@ "Poll type": "投票类型", "We're creating a room with %(names)s": "正在创建房间%(names)s", "Sessions": "会话", - "Current session": "当前会话", - "Verified session": "已验证的会话", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "为了最佳的安全,请验证会话,登出任何不认识或不再使用的会话。", - "Other sessions": "其他会话", "Remove them from everything I'm able to": "", - "Inactive sessions": "不活跃的会话", - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "验证你的会话以增强消息传输的安全性,或从那些你不认识或不再使用的会话登出。", - "Unverified sessions": "未验证的会话", - "Security recommendations": "安全建议", - "Inactive for %(inactiveAgeDays)s+ days": "%(inactiveAgeDays)s+天不活跃", - "Session details": "会话详情", - "IP address": "IP地址", - "Last activity": "上次活动", - "Verify or sign out from this session for best security and reliability.": "验证此会话或从之登出,以取得最佳安全性和可靠性。", - "Unverified session": "未验证的会话", - "This session is ready for secure messaging.": "此会话已准备好进行安全的消息传输。", "Remove server “%(roomServer)s”": "移除服务器“%(roomServer)s”", "You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "你可以使用自定义服务器选项来指定不同的家服务器URL以登录其他Matrix服务器。这让你能把%(brand)s和不同家服务器上的已有Matrix账户搭配使用。", "Unsent": "未发送", @@ -2083,18 +1951,6 @@ "Resent!": "已重新发送!", "Did not receive it? Resend it": "没收到吗?重新发送", "To create your account, open the link in the email we just sent to %(emailAddress)s.": "要创建账户,请打开我们刚刚发送到%(emailAddress)s的电子邮件里的链接。", - "Verified sessions": "已验证的会话", - "For best security, sign out from any session that you don't recognize or use anymore.": "为了最佳安全性,请从任何不认识或不再使用的会话登出。", - "No verified sessions found.": "未找到已验证的会话。", - "No unverified sessions found.": "未找到未验证的会话。", - "No inactive sessions found.": "未找到不活跃的会话。", - "No sessions found.": "未找到会话。", - "All": "全部", - "Ready for secure messaging": "准备好进行安全通信了", - "Not ready for secure messaging": "尚未准备好安全通信", - "Inactive": "不活跃", - "Inactive for %(inactiveAgeDays)s days or longer": "%(inactiveAgeDays)s天或更久不活跃", - "Filter devices": "筛选设备", "Manually verify by text": "用文本手动验证", "Interactively verify by emoji": "用表情符号交互式验证", "Show: %(instance)s rooms (%(server)s)": "显示:%(instance)s房间(%(server)s)", @@ -2107,12 +1963,6 @@ "Empty room (was %(oldName)s)": "空房间(曾是%(oldName)s)", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s或%(recoveryFile)s", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s或%(copyButton)s", - "Your server has native support": "你的服务器有原生支持", - "Your server lacks native support": "你的服务器缺少原生支持", - "Your server lacks native support, you must specify a proxy": "你的服务器缺少原生支持,你必须指定代理", - "To disable you will need to log out and back in, use with caution!": "要停用,你必须登出并重新登录,请小心!", - "Proxy URL (optional)": "代理URL(可选)", - "Proxy URL": "代理URL", "Uncheck if you also want to remove system messages on this user (e.g. membership change, profile change…)": "若你也想移除关于此用户的系统消息(例如,成员更改、用户资料更改……),则取消勾选", "Inviting %(user1)s and %(user2)s": "正在邀请 %(user1)s 与 %(user2)s", "%(user)s and %(count)s others": { @@ -2153,12 +2003,10 @@ "Give one or multiple users in this room more privileges": "授权给该房间内的某人或某些人", "Add privileged users": "添加特权用户", "Sorry — this call is currently full": "抱歉——目前线路拥挤", - "Rename session": "重命名会话", "Call type": "通话类型", "You do not have sufficient permissions to change this.": "你没有足够的权限更改这个。", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s是端到端加密的,但是目前仅限于少数用户。", "Enable %(brand)s as an additional calling option in this room": "启用%(brand)s作为此房间的额外通话选项", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "不建议为公共房间添加加密。任何人都能找到并加入公共房间,所以任何人都能阅读其中的消息。你不会获得加密的任何好处,并且之后你无法将其关闭。在公共房间中加密消息会使接收和发送消息变慢。", "Can’t start a call": "无法开始通话", "WARNING: session already verified, but keys do NOT MATCH!": "警告:会话已验证,然而密钥不匹配!", "User (%(user)s) did not end up as invited to %(roomId)s but no error was given from the inviter utility": "用户(%(user)s)最终未被邀请到%(roomId)s,但邀请工具没给出错误", @@ -2262,7 +2110,9 @@ "orphan_rooms": "其他房间", "on": "打开", "off": "关闭", - "all_rooms": "所有房间" + "all_rooms": "所有房间", + "deselect_all": "取消全选", + "select_all": "全选" }, "action": { "continue": "继续", @@ -2428,7 +2278,14 @@ "join_beta": "加入beta", "automatic_debug_logs_key_backup": "当密钥备份无法运作时自动发送debug日志", "automatic_debug_logs_decryption": "自动发送有关解密错误的debug日志", - "automatic_debug_logs": "遇到任何错误自动发送调试日志" + "automatic_debug_logs": "遇到任何错误自动发送调试日志", + "sliding_sync_server_support": "你的服务器有原生支持", + "sliding_sync_server_no_support": "你的服务器缺少原生支持", + "sliding_sync_server_specify_proxy": "你的服务器缺少原生支持,你必须指定代理", + "sliding_sync_disable_warning": "要停用,你必须登出并重新登录,请小心!", + "sliding_sync_proxy_url_optional_label": "代理URL(可选)", + "sliding_sync_proxy_url_label": "代理URL", + "video_rooms_beta": "视频房间是beta功能" }, "keyboard": { "home": "主页", @@ -2511,7 +2368,19 @@ "placeholder_reply_encrypted": "发送加密回复…", "placeholder_reply": "发送回复…", "placeholder_encrypted": "发送加密消息……", - "placeholder": "发送消息…" + "placeholder": "发送消息…", + "autocomplete": { + "command_description": "命令", + "command_a11y": "命令自动补全", + "emoji_a11y": "表情符号自动补全", + "@room_description": "通知房间全体成员", + "notification_description": "房间通知", + "notification_a11y": "通知自动补全", + "room_a11y": "房间自动补全", + "space_a11y": "空间自动完成", + "user_description": "用户", + "user_a11y": "用户自动补全" + } }, "Bold": "粗体", "Code": "代码", @@ -2756,6 +2625,53 @@ }, "keyboard": { "title": "键盘" + }, + "sessions": { + "rename_form_heading": "重命名会话", + "session_id": "会话 ID", + "last_activity": "上次活动", + "ip": "IP地址", + "details_heading": "会话详情", + "inactive_days": "%(inactiveAgeDays)s+天不活跃", + "verified_sessions": "已验证的会话", + "unverified_sessions": "未验证的会话", + "unverified_session": "未验证的会话", + "inactive_sessions": "不活跃的会话", + "device_verified_description": "此会话已准备好进行安全的消息传输。", + "verified_session": "已验证的会话", + "device_unverified_description": "验证此会话或从之登出,以取得最佳安全性和可靠性。", + "verify_session": "验证会话", + "verified_sessions_list_description": "为了最佳安全性,请从任何不认识或不再使用的会话登出。", + "unverified_sessions_list_description": "验证你的会话以增强消息传输的安全性,或从那些你不认识或不再使用的会话登出。", + "no_verified_sessions": "未找到已验证的会话。", + "no_unverified_sessions": "未找到未验证的会话。", + "no_inactive_sessions": "未找到不活跃的会话。", + "no_sessions": "未找到会话。", + "filter_all": "全部", + "filter_verified_description": "准备好进行安全通信了", + "filter_unverified_description": "尚未准备好安全通信", + "filter_inactive": "不活跃", + "filter_inactive_description": "%(inactiveAgeDays)s天或更久不活跃", + "filter_label": "筛选设备", + "other_sessions_heading": "其他会话", + "current_session": "当前会话", + "confirm_sign_out_sso": { + "one": "确认注销此设备需要使用单点登录来证明您的身份。", + "other": "确认注销这些设备需要使用单点登录来证明你的身份。" + }, + "confirm_sign_out": { + "one": "确认登出此设备", + "other": "确认登出这些设备" + }, + "confirm_sign_out_body": { + "one": "单击下面的按钮以确认登出此设备。", + "other": "单击下面的按钮以确认登出这些设备。" + }, + "confirm_sign_out_continue": { + "one": "注销设备", + "other": "注销设备" + }, + "security_recommendations": "安全建议" } }, "devtools": { @@ -2823,7 +2739,8 @@ "show_hidden_events": "显示时间线中的隐藏事件", "low_bandwidth_mode_description": "需要兼容的家服务器。", "low_bandwidth_mode": "低带宽模式", - "developer_mode": "开发者模式" + "developer_mode": "开发者模式", + "view_source_decrypted_event_source": "解密的事件源码" }, "export_chat": { "html": "HTML", @@ -3195,7 +3112,9 @@ "m.room.create": { "continuation": "此房间是另一个对话的延续之处。", "see_older_messages": "点击这里以查看更早的消息。" - } + }, + "creation_summary_dm": "%(creator)s 创建了此私聊。", + "creation_summary_room": "%(creator)s 创建并配置了此房间。" }, "slash_command": { "spoiler": "此消息包含剧透", @@ -3379,13 +3298,52 @@ "kick": "移除用户", "ban": "封禁用户", "redact": "移除其他人的消息", - "notifications.room": "通知每个人" + "notifications.room": "通知每个人", + "no_privileged_users": "此房间中没有用户有特殊权限", + "privileged_users_section": "特权用户", + "muted_users_section": "被禁言的用户", + "banned_users_section": "被封禁的用户", + "send_event_type": "发送 %(eventType)s 事件", + "title": "角色与权限", + "permissions_section": "权限", + "permissions_section_description_space": "选择改变空间各个部分所需的角色", + "permissions_section_description_room": "选择更改房间各个部分所需的角色" }, "security": { "strict_encryption": "永不从此会话向此房间中未验证的会话发送加密消息", "join_rule_invite": "私有(仅邀请)", "join_rule_invite_description": "只有受邀的人才能加入。", - "join_rule_public_description": "任何人都可以找到并加入。" + "join_rule_public_description": "任何人都可以找到并加入。", + "enable_encryption_public_room_confirm_title": "你确定要为此公开房间开启加密吗?", + "enable_encryption_public_room_confirm_description_1": "不建议为公共房间添加加密。任何人都能找到并加入公共房间,所以任何人都能阅读其中的消息。你不会获得加密的任何好处,并且之后你无法将其关闭。在公共房间中加密消息会使接收和发送消息变慢。", + "enable_encryption_public_room_confirm_description_2": "为避免这些问题,请为计划中的对话创建一个新的加密房间。", + "enable_encryption_confirm_title": "启用加密?", + "enable_encryption_confirm_description": "房间加密一经启用,便无法禁用。在加密房间中,发送的消息无法被服务器看到,只能被房间的参与者看到。启用加密可能会使许多机器人和桥接无法正常运作。 详细了解加密。", + "public_without_alias_warning": "要链接至此房间,请添加一个地址。", + "join_rule_description": "决定谁可以加入 %(roomName)s。", + "encrypted_room_public_confirm_title": "你确定要公开此加密房间吗?", + "encrypted_room_public_confirm_description_1": "不建议公开加密房间。这意味着任何人都可以找到并加入房间,因此任何人都可以阅读消息。你将不会得到任何加密带来的好处。在公共房间加密消息还会拖慢收发消息的速度。", + "encrypted_room_public_confirm_description_2": "为避免这些问题,请为计划中的对话创建一个新的加密房间。", + "history_visibility": {}, + "history_visibility_warning": "历史记录阅读权限的更改只会应用到此房间中将来的消息。既有历史记录的可见性将不会更改。", + "history_visibility_legend": "谁可以阅读历史消息?", + "guest_access_warning": "拥有受支持客户端的人无需注册账户即可加入房间。", + "title": "隐私安全", + "encryption_permanent": "加密一经启用,便无法禁用。", + "history_visibility_shared": "仅成员(从选中此选项时开始)", + "history_visibility_invited": "只有成员(从他们被邀请开始)", + "history_visibility_joined": "只有成员(从他们加入开始)", + "history_visibility_world_readable": "任何人" + }, + "general": { + "publish_toggle": "是否将此房间发布至 %(domain)s 的房间目录中?", + "user_url_previews_default_on": "你已经默认启用URL预览。", + "user_url_previews_default_off": "你已经默认禁用URL预览。", + "default_url_previews_on": "已对此房间的参与者默认启用URL预览。", + "default_url_previews_off": "已对此房间的参与者默认禁用URL预览。", + "url_preview_encryption_warning": "在加密的房间中,比如此房间,URL预览默认是禁用的,以确保你的家服务器(生成预览的地方)无法收集与你在此房间中看到的链接有关的信息。", + "url_preview_explainer": "当有人在他们的消息里放置URL时,可显示URL预览以给出更多有关链接的信息,如其网站的标题、描述以及图片。", + "url_previews_section": "URL预览" } }, "encryption": { @@ -3492,7 +3450,15 @@ "server_picker_explainer": "使用你偏好的Matrix家服务器,如果你有的话,或自己架设一个。", "server_picker_learn_more": "关于家服务器", "incorrect_credentials": "用户名或密码错误。", - "account_deactivated": "此账户已被停用。" + "account_deactivated": "此账户已被停用。", + "registration_username_validation": "仅使用小写字母,数字,横杠和下划线", + "registration_username_unable_check": "无法检查用户名是否已被使用。稍后再试。", + "registration_username_in_use": "该名称已被占用。 尝试另一个,或者如果是您,请在下面登录。", + "phone_label": "电话", + "phone_optional_label": "电话号码(可选)", + "email_help_text": "添加电子邮箱以重置你的密码。", + "email_phone_discovery_text": "使用电子邮箱或电话以选择性地被现有联系人搜索。", + "email_discovery_text": "使用电子邮箱以选择性地被现有联系人搜索。" }, "room_list": { "sort_unread_first": "优先显示有未读消息的房间", @@ -3692,7 +3658,21 @@ "light_high_contrast": "浅色高对比" }, "space": { - "landing_welcome": "欢迎来到 " + "landing_welcome": "欢迎来到 ", + "suggested_tooltip": "此房间很适合加入", + "suggested": "建议", + "select_room_below": "首先选择一个房间", + "unmark_suggested": "标记为不建议", + "mark_suggested": "标记为建议", + "failed_remove_rooms": "无法移除某些房间。请稍后再试", + "failed_load_rooms": "加载房间列表失败。", + "incompatible_server_hierarchy": "你的服务器不支持显示空间层次结构。", + "context_menu": { + "devtools_open_timeline": "查看房间时间线(开发工具)", + "home": "空间首页", + "explore": "探索房间", + "manage_and_explore": "管理并探索房间" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "此家服务器未配置显示地图。", @@ -3745,5 +3725,51 @@ "setup_rooms_community_description": "让我们为每个主题都创建一个房间吧。", "setup_rooms_description": "稍后你可以添加更多房间,包括现有的。", "setup_rooms_private_heading": "你的团队正在进行什么项目?" + }, + "user_menu": { + "switch_theme_light": "切换到浅色模式", + "switch_theme_dark": "切换到深色模式" + }, + "notif_panel": { + "empty_heading": "一切完毕", + "empty_description": "你没有可见的通知。" + }, + "console_scam_warning": "若某人告诉你在这里复制/粘贴某物,那你极有可能正被欺骗!", + "console_dev_note": "若你知道你正在做什么,Element是开源的,请务必看看我们的GitHub(https://github.com/vector-im/element-web/)并贡献!", + "room": { + "drop_file_prompt": "把文件拖到这里以上传", + "intro": { + "send_message_start_dm": "发送你的第一条消息邀请来聊天", + "start_of_dm_history": "这是你与的私聊历史的开端。", + "dm_caption": "除非你们其中一个邀请了别人加入,否则将仅有你们两个人在此对话中。", + "topic_edit": "话题:%(topic)s(编辑)", + "topic": "话题:%(topic)s ", + "no_topic": "添加话题,让大家知道这里是讨论什么的。", + "you_created": "你创建了此房间。", + "user_created": "%(displayName)s 创建了此房间。", + "room_invite": "仅邀请至此房间", + "no_avatar_label": "添加图片,让人们一眼就能看到你的房间。", + "start_of_room": "这里是 的开始。", + "private_unencrypted_warning": "你的私人消息通常是加密的,但此房间不是。这通常是因为使用了不受支持的设备或方法,例如电子邮件邀请。", + "enable_encryption_prompt": "在设置中启用加密。", + "unencrypted_warning": "未启用端到端加密" + } + }, + "file_panel": { + "guest_note": "你必须 注册 以使用此功能", + "peek_note": "你必须加入房间以看到它的文件", + "empty_heading": "此房间中没有文件可见", + "empty_description": "从聊天中附加文件或将文件拖放到房间的任何地方。" + }, + "terms": { + "integration_manager": "使用机器人、桥接、挂件和贴纸包", + "tos": "服务协议", + "intro": "要继续,你需要接受此服务协议。", + "column_service": "服务", + "column_summary": "总结", + "column_document": "文档" + }, + "space_settings": { + "title": "设置 - %(spaceName)s" } -} \ No newline at end of file +} diff --git a/src/i18n/strings/zh_Hant.json b/src/i18n/strings/zh_Hant.json index 3945cf1bd9..4721ce5d1c 100644 --- a/src/i18n/strings/zh_Hant.json +++ b/src/i18n/strings/zh_Hant.json @@ -3,7 +3,6 @@ "An error has occurred.": "出現一個錯誤。", "Are you sure?": "您確定嗎?", "Are you sure you want to reject the invitation?": "您確認要拒絕邀請嗎?", - "Banned users": "被封鎖的使用者", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "當瀏覽器網址列使用的是 HTTPS 網址時,不能使用 HTTP 連線到家伺服器。請改用 HTTPS 連線或允許不安全的指令碼。", "Change Password": "變更密碼", "Account": "帳號", @@ -65,14 +64,10 @@ "Operation failed": "無法操作", "unknown error code": "未知的錯誤代碼", "Default Device": "預設裝置", - "Anyone": "任何人", - "Commands": "指令", "Reason": "原因", "Error decrypting image": "解密圖片出錯", "Error decrypting video": "解密影片出錯", "Add an Integration": "新增整合器", - "URL Previews": "網址預覽", - "Drop file here to upload": "把文件放在這裡上傳", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "您即將被帶到第三方網站,以便您可以驗證帳戶來使用 %(integrationsUrl)s。請問您要繼續嗎?", "Create new room": "建立新聊天室", "Admin Tools": "管理員工具", @@ -98,13 +93,10 @@ "": "<不支援>", "No display name": "沒有顯示名稱", "No more results": "沒有更多結果", - "No users have specific privileges in this room": "此聊天室中沒有使用者有指定的權限", "Passwords can't be empty": "密碼不能為空", - "Permissions": "權限", "Phone": "電話", "Please check your email and click on the link it contains. Once this is done, click continue.": "請收信並點擊信中的連結。完成後,再點擊「繼續」。", "Power level must be positive integer.": "權限等級必需為正整數。", - "Privileged Users": "特權使用者", "Profile": "基本資料", "Reject invitation": "拒絕邀請", "%(roomName)s does not exist.": "%(roomName)s 不存在。", @@ -128,15 +120,10 @@ "Upload avatar": "上傳大頭照", "Upload Failed": "無法上傳", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s(權限等級 %(powerLevelNumber)s)", - "Users": "使用者", "Verification Pending": "等待驗證", "Verified key": "已驗證的金鑰", "Warning!": "警告!", - "Who can read history?": "誰可以閱讀紀錄?", "You do not have permission to post to this room": "您沒有權限在此聊天室貼文", - "You have disabled URL previews by default.": "您已預設停用網址預覽。", - "You have enabled URL previews by default.": "您已預設停用網址預覽。", - "You must register to use this functionality": "您必須註冊以使用此功能", "You need to be able to invite users to do that.": "您需要擁有邀請使用者的權限才能做這件事。", "You need to be logged in.": "您需要登入。", "You seem to be in a call, are you sure you want to quit?": "您似乎尚在通話中,您確定您想要結束通話嗎?", @@ -177,7 +164,6 @@ "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "這個過程讓您可以匯出您在加密聊天室裡收到訊息的金鑰到一個本機檔案。您將可以在未來匯入檔案到其他的 Matrix 客戶端,這樣客戶端就可以解密此訊息。", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "這個過程讓您可以匯入您先前從其他 Matrix 客戶端匯出的加密金鑰。您將可以解密在其他客戶端可以解密的訊息。", "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "匯出檔案被安全密語所保護。您應該在這裡輸入安全密語來解密檔案。", - "You must join the room to see its files": "您必須加入聊天室來檢視它的檔案", "Reject all %(invitedRooms)s invites": "拒絕所有 %(invitedRooms)s 邀請", "Failed to invite": "無法邀請", "Confirm Removal": "確認刪除", @@ -198,7 +184,6 @@ "one": "與另 1 個人…" }, "Delete widget": "刪除小工具", - "Publish this room to the public in %(domain)s's room directory?": "將這個聊天室公開到 %(domain)s 的聊天室目錄中?", "AM": "上午", "PM": "下午", "Unable to create widget.": "無法建立小工具。", @@ -222,11 +207,6 @@ "Replying": "正在回覆", "Unnamed room": "未命名的聊天室", "Banned by %(displayName)s": "被 %(displayName)s 封鎖", - "Members only (since the point in time of selecting this option)": "僅限成員(自選取此選項開始)", - "Members only (since they were invited)": "僅限成員(自他們被邀請開始)", - "Members only (since they joined)": "僅限成員(自他們加入開始)", - "URL previews are enabled by default for participants in this room.": "此聊天室已預設對參與者啟用網址預覽。", - "URL previews are disabled by default for participants in this room.": "此聊天室已預設對參與者停用網址預覽。", "A text message has been sent to %(msisdn)s": "文字訊息已傳送給 %(msisdn)s", "Delete Widget": "刪除小工具", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "刪除小工具會將它從此聊天室中所有使用者的收藏中移除。您確定您要刪除這個小工具嗎?", @@ -242,8 +222,6 @@ "Old cryptography data detected": "偵測到舊的加密資料", "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "偵測到來自舊版 %(brand)s 的資料。這將會造成舊版的端對端加密失敗。在此版本中使用最近在舊版本交換的金鑰可能無法解密訊息。這也會造成與此版本的訊息交換失敗。若您遇到問題,請登出並重新登入。要保留訊息歷史,請匯出並重新匯入您的金鑰。", "Please note you are logging into the %(hs)s server, not matrix.org.": "請注意,您正在登入 %(hs)s 伺服器,不是 matrix.org。", - "Notify the whole room": "通知整個聊天室", - "Room Notification": "聊天室通知", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s,%(monthName)s %(day)s %(fullYear)s", "This room is not public. You will not be able to rejoin without an invite.": "這個聊天室不是公開聊天。沒有再次收到邀請的情況下將無法重新加入。", "In reply to ": "回覆給 ", @@ -282,7 +260,6 @@ "Clear Storage and Sign Out": "清除儲存的東西並登出", "We encountered an error trying to restore your previous session.": "我們在嘗試復原您先前的工作階段時遇到了一點錯誤。", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "清除您瀏覽器的儲存的東西也許可以修復問題,但會將您登出並造成任何已加密的聊天都無法讀取。", - "Muted Users": "已靜音的使用者", "Can't leave Server Notices room": "無法離開伺服器通知聊天室", "This room is used for important messages from the Homeserver, so you cannot leave it.": "這個聊天室是用於發佈從家伺服器而來的重要訊息,所以您不能離開它。", "Terms and Conditions": "條款與細則", @@ -297,8 +274,6 @@ "Share User": "分享使用者", "Share Room Message": "分享聊天室訊息", "Link to selected message": "連結到選定的訊息", - "In encrypted rooms, like this one, URL previews are disabled by default to ensure that your homeserver (where the previews are generated) cannot gather information about links you see in this room.": "在加密的聊天室中(這個就是),會預設停用網址預覽以確保您的家伺服器(產生預覽資訊的地方)無法透過這個聊天室收集您看到的連結的相關資訊。", - "When someone puts a URL in their message, a URL preview can be shown to give more information about that link such as the title, description, and an image from the website.": "當某人在他們的訊息中放置網址時,可以顯示如標題、描述與網頁上的圖片等等來給您更多關於該連結的資訊。", "You can't send any messages until you review and agree to our terms and conditions.": "您在審閱並同意我們的條款與細則前無法傳送訊息。", "Demote yourself?": "將您自己降級?", "Demote": "降級", @@ -381,11 +356,7 @@ "Phone numbers": "電話號碼", "Language and region": "語言與區域", "Account management": "帳號管理", - "Roles & Permissions": "角色與權限", - "Changes to who can read history will only apply to future messages in this room. The visibility of existing history will be unchanged.": "對可閱讀訊息紀錄的使用者的變更,僅適用於此聊天室的新訊息。現有訊息的顯示狀態將保持不變。", - "Security & Privacy": "安全與隱私", "Encryption": "加密", - "Once enabled, encryption cannot be disabled.": "一旦啟用就無法停用加密。", "Ignored users": "忽略使用者", "Bulk options": "大量選項", "Missing media permissions, click the button below to request.": "尚未取得媒體權限,請點擊下方的按鈕來授權。", @@ -398,7 +369,6 @@ "Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "驗證此工作階段,並標記為可受信任。由您將工作階段標記為可受信任後,可讓聊天夥伴傳送端到端加密訊息時能更加放心。", "Incoming Verification Request": "收到的驗證請求", "Email (optional)": "電子郵件(選擇性)", - "Phone (optional)": "電話(選擇性)", "Join millions for free on the largest public server": "在最大的公開伺服器上,免費與數百萬人一起交流", "Create account": "建立帳號", "Recovery Method Removed": "已移除復原方法", @@ -489,10 +459,6 @@ "Could not load user profile": "無法載入使用者簡介", "The user must be unbanned before they can be invited.": "使用者必須在被邀請前先解除封鎖。", "Accept all %(invitedRooms)s invites": "接受所有 %(invitedRooms)s 邀請", - "Send %(eventType)s events": "傳送 %(eventType)s 活動", - "Select the roles required to change various parts of the room": "選取更改聊天室各部份的所需的角色", - "Enable encryption?": "啟用加密?", - "Once enabled, encryption for a room cannot be disabled. Messages sent in an encrypted room cannot be seen by the server, only by the participants of the room. Enabling encryption may prevent many bots and bridges from working correctly. Learn more about encryption.": "一旦啟用,聊天室的加密就不能停用了。在已加密的聊天室裡傳送的訊息無法被伺服器看見,僅能被聊天室的參與者看到。啟用加密可能會讓許多聊天機器人與橋接運作不正常。取得更多關於加密的資訊。", "Power level": "權限等級", "Upgrade this room to the recommended room version": "升級此聊天室到建議的聊天室版本", "This room is running room version , which this homeserver has marked as unstable.": "此聊天室正在執行聊天室版本 ,此家伺服器已標記為不穩定。", @@ -576,7 +542,6 @@ "Your %(brand)s is misconfigured": "您的 %(brand)s 沒有設定好", "Ask your %(brand)s admin to check your config for incorrect or duplicate entries.": "請要求您的 %(brand)s 管理員檢查您的設定是否有不正確或重覆的項目。", "Unexpected error resolving identity server configuration": "解析身分伺服器設定時發生未預期的錯誤", - "Use lowercase letters, numbers, dashes and underscores only": "僅能使用小寫字母、數字、破折號與底線", "Cannot reach identity server": "無法連線至身分伺服器", "You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "您可以註冊,但有些功能在身分伺服器重新上線前會沒辦法運作。如果您一直看到這個警告,請檢查您的設定或聯絡伺服器管理員。", "You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "您可以重設密碼,但有些功能在身分伺服器重新上線前會沒辦法運作。如果您一直看到這個警告,請檢查您的設定或聯絡伺服器管理員。", @@ -594,10 +559,6 @@ "Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "請告訴我們發生了什麼錯誤,或更好的是,在 GitHub 上建立描述問題的議題。", "Find others by phone or email": "透過電話或電子郵件尋找其他人", "Be found by phone or email": "透過電話或電子郵件找到", - "Use bots, bridges, widgets and sticker packs": "使用聊天機器人、橋接、小工具與貼圖包", - "Terms of Service": "服務條款", - "Service": "服務", - "Summary": "摘要", "Command Help": "指令說明", "Discovery": "探索", "Deactivate account": "停用帳號", @@ -667,25 +628,17 @@ "Hide advanced": "隱藏進階設定", "Show advanced": "顯示進階設定", "Close dialog": "關閉對話框", - "To continue you need to accept the terms of this service.": "要繼續,您必須同意本服務條款。", - "Document": "文件", - "Emoji Autocomplete": "表情符號自動完成", - "Notification Autocomplete": "通知自動完成", - "Room Autocomplete": "聊天室自動完成", - "User Autocomplete": "使用者自動完成", "Show image": "顯示圖片", "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "未於家伺服器設定中指定 Captcha 公鑰。請將此問題回報給您的家伺服器管理員。", "Your email address hasn't been verified yet": "您的電子郵件地址尚未被驗證", "Click the link in the email you received to verify and then click continue again.": "點擊您收到的電子郵件中的連結以驗證然後再次點擊繼續。", "Add Email Address": "新增電子郵件地址", "Add Phone Number": "新增電話號碼", - "%(creator)s created and configured the room.": "%(creator)s 建立並設定了聊天室。", "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "您應該從身分伺服器移除個人資料後再中斷連線。但可惜的是,身分伺服器 目前離線或無法連線。", "You should:": "您應該:", "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "檢查您的瀏覽器,看有沒有任何可能阻擋身分伺服器的外掛程式(如 Privacy Badger)", "contact the administrators of identity server ": "聯絡身分伺服器 的管理員", "wait and try again later": "稍候並再試一次", - "Command Autocomplete": "指令自動完成", "Failed to deactivate user": "無法停用使用者", "This client does not support end-to-end encryption.": "此客戶端不支援端對端加密。", "Messages in this room are not end-to-end encrypted.": "此聊天室內的訊息未經端到端加密。", @@ -843,7 +796,6 @@ "You've successfully verified %(displayName)s!": "您已成功驗證 %(displayName)s!", "Clear all data in this session?": "清除此工作階段中的所有資料?", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "將會永久清除此工作階段的所有資料。除非已備份金鑰,否則將會遺失所有加密訊息。", - "Verify session": "驗證工作階段", "Session name": "工作階段名稱", "Session key": "工作階段金鑰", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "驗證此使用者將會把他們的工作階段標記為受信任,並同時為他們標記您的工作階段為可信任。", @@ -956,7 +908,6 @@ "IRC display name width": "IRC 顯示名稱寬度", "Please verify the room ID or address and try again.": "請確認聊天室 ID 或位址後,再試一次。", "Room ID or address of ban list": "聊天室 ID 或位址的封鎖清單", - "To link to this room, please add an address.": "要連結到此聊天室,請新增位址。", "Error creating address": "建立位址錯誤", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "建立該位址時發生錯誤。伺服器可能不允許這麼做,或是有暫時性的問題。", "You don't have permission to delete the address.": "您沒有刪除位址的權限。", @@ -973,8 +924,6 @@ "Ok": "確定", "New version available. Update now.": "有可用的新版本。立刻更新。", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "您的伺服器管理員已停用在私密聊天室與私人訊息中預設的端對端加密。", - "Switch to light mode": "切換至淺色模式", - "Switch to dark mode": "切換至深色模式", "Switch theme": "切換佈景主題", "All settings": "所有設定", "No recently visited rooms": "沒有最近造訪過的聊天室", @@ -1017,8 +966,6 @@ "A connection error occurred while trying to contact the server.": "在試圖與伺服器溝通時遇到連線錯誤。", "The server is not configured to indicate what the problem is (CORS).": "伺服器沒有設定好來指示出問題是什麼 (CORS)。", "Recent changes that have not yet been received": "尚未收到最新變更", - "No files visible in this room": "此聊天室中沒有可見的檔案", - "Attach files from chat or just drag and drop them anywhere in a room.": "從聊天中附加檔案,或將其拖放到聊天室的任何地方。", "Master private key:": "主控私鑰:", "Explore public rooms": "探索公開聊天室", "Preparing to download logs": "正在準備下載紀錄檔", @@ -1326,16 +1273,6 @@ "Afghanistan": "阿富汗", "United States": "美國", "United Kingdom": "英國", - "%(creator)s created this DM.": "%(creator)s 建立了此私人訊息。", - "This is the start of .": "這是 的開頭。", - "Add a photo, so people can easily spot your room.": "新增圖片,這樣人們就可以輕鬆發現您的聊天室。", - "%(displayName)s created this room.": "%(displayName)s 建立了此聊天室。", - "You created this room.": "您建立了此聊天室。", - "Add a topic to help people know what it is about.": "新增主題以協助人們了解這裡在做什麼。", - "Topic: %(topic)s ": "主題:%(topic)s ", - "Topic: %(topic)s (edit)": "主題:%(topic)s(編輯)", - "This is the beginning of your direct message history with .": "這是您與 私人訊息紀錄的開頭。", - "Only the two of you are in this conversation, unless either of you invites anyone to join.": "除非你們兩位之中有人邀請其他人加入,否則此對話中只會有你們兩位。", "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { "one": "使用 %(size)s 來儲存來自 %(rooms)s 個聊天室的訊息,在本機安全地快取已加密的訊息以使其出現在搜尋結果中。", "other": "使用 %(size)s 來儲存來自 %(rooms)s 個聊天室的訊息,在本機安全地快取已加密的訊息以使其出現在搜尋結果中。" @@ -1346,9 +1283,6 @@ "Enter phone number": "輸入電話號碼", "Enter email address": "輸入電子郵件地址", "There was a problem communicating with the homeserver, please try again later.": "與家伺服器通訊時出現問題,請再試一次。", - "Use email to optionally be discoverable by existing contacts.": "設定電子郵件地址後,即可選擇性被已有的聯絡人新增為好友。", - "Use email or phone to optionally be discoverable by existing contacts.": "使用電子郵件或電話以選擇性地被既有的聯絡人探索。", - "Add an email to be able to reset your password.": "新增電子郵件以重設您的密碼。", "That phone number doesn't look quite right, please check and try again": "電話號碼看起來不太對,請檢查並再試一次", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "請注意,如果您不新增電子郵件且忘記密碼,您將永遠失去對您帳號的存取權。", "Continuing without email": "不使用電子郵件來繼續", @@ -1358,7 +1292,6 @@ "Resume": "繼續", "You've reached the maximum number of simultaneous calls.": "您已達到同時通話的最大數量。", "Too Many Calls": "太多通話", - "You have no visible notifications.": "您沒有可見的通知。", "Transfer": "轉接", "Failed to transfer call": "無法轉接通話", "A call can only be transferred to a single user.": "一個通話只能轉接給ㄧ個使用者。", @@ -1399,12 +1332,10 @@ "We couldn't log you in": "我們無法讓您登入", "Recently visited rooms": "最近造訪過的聊天室", "Original event source": "原始活動來源", - "Decrypted event source": "解密活動來源", "%(count)s members": { "one": "%(count)s 位成員", "other": "%(count)s 位成員" }, - "Your server does not support showing space hierarchies.": "您的伺服器不支援顯示空間的層次結構。", "Are you sure you want to leave the space '%(spaceName)s'?": "您確定您要離開聊天空間「%(spaceName)s」?", "This space is not public. You will not be able to rejoin without an invite.": "此聊天空間並非公開。在無邀請的情況下,您將無法重新加入。", "Start audio stream": "開始音訊串流", @@ -1439,11 +1370,6 @@ " invites you": " 邀請您", "You may want to try a different search or check for typos.": "您可能要嘗試其他搜尋或檢查是否有拼字錯誤。", "No results found": "找不到結果", - "Mark as suggested": "標記為建議", - "Mark as not suggested": "標記為不建議", - "Failed to remove some rooms. Try again later": "無法移除某些聊天室。稍後再試", - "Suggested": "建議", - "This room is suggested as a good one to join": "推薦加入這個聊天室", "%(count)s rooms": { "one": "%(count)s 個聊天室", "other": "%(count)s 個聊天室" @@ -1455,11 +1381,9 @@ "Invite with email or username": "使用電子郵件或使用者名稱邀請", "You can change these anytime.": "您隨時可以變更這些。", "unknown person": "不明身份的人", - "Invite to just this room": "邀請到此聊天室", "Verify your identity to access encrypted messages and prove your identity to others.": "驗證您的身分來存取已加密的訊息並對其他人證明您的身分。", "Review to ensure your account is safe": "請確認您的帳號安全", "%(deviceId)s from %(ip)s": "從 %(ip)s 來的 %(deviceId)s", - "Manage & explore rooms": "管理與探索聊天室", "%(count)s people you know have already joined": { "other": "%(count)s 個您認識的人已加入", "one": "%(count)s 個您認識的人已加入" @@ -1493,7 +1417,6 @@ "Failed to send": "傳送失敗", "Enter your Security Phrase a second time to confirm it.": "再次輸入您的安全密語以確認。", "You have no ignored users.": "您沒有忽略的使用者。", - "Select a room below first": "首先選取一個聊天室", "Want to add a new room instead?": "想要新增新聊天室嗎?", "Adding rooms... (%(progress)s out of %(count)s)": { "one": "正在新增聊天室…", @@ -1512,7 +1435,6 @@ "You may contact me if you have any follow up questions": "如果後續有任何問題,可以聯絡我", "To leave the beta, visit your settings.": "請到設定頁面離開 Beta 測試版。", "Add reaction": "新增反應", - "Space Autocomplete": "空間自動完成", "Currently joining %(count)s rooms": { "one": "目前正在加入 %(count)s 個聊天室", "other": "目前正在加入 %(count)s 個聊天室" @@ -1529,12 +1451,10 @@ "Pinned messages": "已釘選的訊息", "If you have permissions, open the menu on any message and select Pin to stick them here.": "如果您有權限,請開啟任何訊息的選單,並選取釘選以將它們固定到這裡。", "Nothing pinned, yet": "尚未釘選任何東西", - "End-to-end encryption isn't enabled": "端對端加密未啟用", "Report": "回報", "Collapse reply thread": "收折回覆討論串", "Show preview": "顯示預覽", "View source": "檢視原始碼", - "Settings - %(spaceName)s": "設定 - %(spaceName)s", "Please provide an address": "請提供位址", "Message search initialisation failed, check your settings for more information": "訊息搜尋初始化失敗,請檢查您的設定以取得更多資訊", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "設定此聊天空間的位址,這樣使用者就能透過您的家伺服器找到此空間(%(localDomain)s)", @@ -1602,8 +1522,6 @@ "You're removing all spaces. Access will default to invite only": "您將取消所有聊天空間。存取權限將會預設為邀請制", "Public room": "公開聊天室", "Access": "存取", - "People with supported clients will be able to join the room without having a registered account.": "有受支援的客戶端的夥伴不需要註冊帳號就可以加入聊天室。", - "Decide who can join %(roomName)s.": "決定誰可以加入 %(roomName)s。", "Space members": "聊天空間成員", "Anyone in a space can find and join. You can select multiple spaces.": "空間中的任何人都可以找到並加入。您可以選取多個空間。", "Spaces with access": "可存取的聊天空間", @@ -1652,19 +1570,11 @@ "Unknown failure: %(reason)s": "未知錯誤:%(reason)s", "Rooms and spaces": "聊天室與聊天空間", "Results": "結果", - "Enable encryption in settings.": "在設定中啟用加密。", - "Your private messages are normally encrypted, but this room isn't. Usually this is due to an unsupported device or method being used, like email invites.": "您的私密訊息會正常加密,但聊天室不會。一般來說這是因為使用了不支援的裝置或方法,例如電子郵件邀請。", - "To avoid these issues, create a new public room for the conversation you plan to have.": "為了避免這些問題,請為您計畫中的對話建立新的公開聊天室。", - "It's not recommended to make encrypted rooms public. It will mean anyone can find and join the room, so anyone can read messages. You'll get none of the benefits of encryption. Encrypting messages in a public room will make receiving and sending messages slower.": "不建議讓加密聊天室公開。這代表了任何人都可以找到並加入聊天室,因此任何人都可以閱讀訊息。您無法獲得任何加密功能的好處。在公開聊天室中加密訊息會讓接收與傳送訊息變慢。", - "Are you sure you want to make this encrypted room public?": "您確定您想要讓此加密聊天室公開?", - "To avoid these issues, create a new encrypted room for the conversation you plan to have.": "為了避免這些問題,請為您計畫中的對話建立新的加密聊天室。", - "Are you sure you want to add encryption to this public room?": "您確定您要在此公開聊天室新增加密?", "Cross-signing is ready but keys are not backed up.": "已準備好交叉簽署但金鑰未備份。", "Some encryption parameters have been changed.": "部份加密參數已變更。", "Role in ": " 中的角色", "Unknown failure": "未知錯誤", "Failed to update the join rules": "加入規則更新失敗", - "Select the roles required to change various parts of the space": "選取變更聊天空間各個部份所需的角色", "Anyone in can find and join. You can select other spaces too.": "在 中的任何人都可以找到並加入。您也可以選取其他聊天空間。", "Message didn't send. Click for info.": "訊息未傳送。點擊以取得更多資訊。", "To join a space you'll need an invite.": "若要加入聊天空間,您必須被邀請。", @@ -1711,29 +1621,13 @@ }, "View in room": "在聊天室中檢視", "Enter your Security Phrase or to continue.": "輸入您的安全密語或以繼續。", - "See room timeline (devtools)": "檢視聊天室時間軸(開發者工具)", "Joined": "已加入", "Insert link": "插入連結", "Joining": "正在加入", - "Select all": "全部選取", - "Deselect all": "取消選取", - "Sign out devices": { - "one": "登出裝置", - "other": "登出裝置" - }, - "Click the button below to confirm signing out these devices.": { - "one": "點下方按鈕,確認登出這台裝置。", - "other": "點下方按鈕,確認登出這些裝置。" - }, - "Confirm logging out these devices by using Single Sign On to prove your identity.": { - "one": "請使用「單一登入」功能證明身分,確認登出這台裝置。", - "other": "請使用「單一登入」功能證明身分,確認登出這些裝置。" - }, "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "由於安全金鑰是用來保護您的加密資料,請將其儲存在安全的地方,例如密碼管理員或保險箱等。", "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "我們將為您產生一把安全金鑰。請將其儲存在安全的地方,例如密碼管理員或保險箱。", "Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "重新存取您的帳號並復原儲存在此工作階段中的加密金鑰。沒有它們,您將無法在任何工作階段中閱讀所有安全訊息。", "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "如果不進行驗證,您將無法存取您的所有訊息,且可能會被其他人視為不信任。", - "You're all caught up": "您已完成", "If you can't see who you're looking for, send them your invite link below.": "如果您看不到您要找的人,請將您的邀請連結傳送給他們。", "In encrypted rooms, verify all users to ensure it's secure.": "在加密的聊天適中,驗證所有使用者以確保其安全。", "Yours, or the other users' session": "您或其他使用者的工作階段", @@ -1751,7 +1645,6 @@ "What is your poll question or topic?": "您的投票問題或主題是什麼?", "Create Poll": "建立投票", "You do not have permission to start polls in this room.": "您沒有權限在此聊天室發起投票。", - "Someone already has that username. Try another or if it is you, sign in below.": "某人已使用該使用者名稱。請改用其他名稱。但如果是您,請在下方登入。", "Reply in thread": "在討論串中回覆", "Rooms outside of a space": "聊天空間外的聊天室", "Show all your rooms in Home, even if they're in a space.": "將您所有的聊天室顯示在首頁,即便它們位於同一個聊天空間。", @@ -1830,7 +1723,6 @@ "Spaces you're in": "您所在的聊天空間", "Including you, %(commaSeparatedMembers)s": "包含您,%(commaSeparatedMembers)s", "Copy room link": "複製聊天室連結", - "Failed to load list of rooms.": "無法載入聊天室清單。", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "將您與此空間成員的聊天進行分組。關閉此功能,將會在您的 %(spaceName)s 畫面中隱藏那些聊天室。", "Sections to show": "要顯示的部份", "Open in OpenStreetMap": "在 OpenStreetMap 中開啟", @@ -1867,18 +1759,14 @@ "You were removed from %(roomName)s by %(memberName)s": "您已被 %(memberName)s 從 %(roomName)s 中移除", "Message pending moderation": "待審核的訊息", "Message pending moderation: %(reason)s": "待審核的訊息:%(reason)s", - "Space home": "聊天空間首頁", "Internal room ID": "內部聊天室 ID", "Group all your rooms that aren't part of a space in one place.": "將所有不屬於某個聊天空間的聊天室集中在同一個地方。", "Group all your people in one place.": "將您所有的夥伴集中在同一個地方。", "Group all your favourite rooms and people in one place.": "將所有您最喜愛的聊天室與夥伴集中在同一個地方。", "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "聊天空間是將聊天室與夥伴們分組的方式。除了您所在的聊天空間之外,還可以使用一些預設分類。", - "Unable to check if username has been taken. Try again later.": "無法檢查使用者名稱是否已被使用。請稍後再試。", "Pick a date to jump to": "挑選要跳至的日期", "Jump to date": "跳至日期", "The beginning of the room": "聊天室開頭", - "If you know what you're doing, Element is open-source, be sure to check out our GitHub (https://github.com/vector-im/element-web/) and contribute!": "如果您知道您在做些什麼,Element 為開放原始碼,請看看我們的 GitHub (https://github.com/vector-im/element-web/) 並貢獻!", - "If someone told you to copy/paste something here, there is a high likelihood you're being scammed!": "若某人告訴您在此處複製/貼上一些東西,那麼您很有可能被騙了!", "Wait!": "等等!", "This address does not point at this room": "此位址並未指向此聊天室", "Location": "位置", @@ -1971,10 +1859,6 @@ "New room": "新聊天室", "Live location ended": "即時位置已結束", "View live location": "檢視即時位置", - "Confirm signing out these devices": { - "one": "確認登出此裝置", - "other": "確認登出這些裝置" - }, "Live location enabled": "即時位置已啟用", "Live location error": "即時位置錯誤", "Live until %(expiryTime)s": "即時分享直到 %(expiryTime)s", @@ -2045,7 +1929,6 @@ "Deactivating your account is a permanent action — be careful!": "停用帳號無法還原 — 請小心!", "Un-maximise": "取消最大化", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "當您登出時,這些金鑰將會從此裝置被刪除,這代表您將無法再閱讀加密的訊息,除非您在其他裝置上有那些訊息的金鑰,或是將它們備份到伺服器上。", - "Video rooms are a beta feature": "視訊聊天室是 Beta 測試功能", "Remove search filter for %(filter)s": "移除 %(filter)s 的搜尋過濾條件", "Start a group chat": "開始群組聊天", "Other options": "其他選項", @@ -2084,42 +1967,14 @@ "You need to have the right permissions in order to share locations in this room.": "您必須有正確的權限才能在此聊天室中分享位置。", "You don't have permission to share locations": "您沒有權限分享位置", "Messages in this chat will be end-to-end encrypted.": "此聊天中的訊息將使用端對端加密。", - "Send your first message to invite to chat": "傳送您的第一則訊息以邀請 來聊天", "Saved Items": "已儲存的項目", "Choose a locale": "選擇語系", "Spell check": "拼字檢查", "We're creating a room with %(names)s": "正在建立包含 %(names)s 的聊天室", - "Last activity": "上次活動", "Sessions": "工作階段", - "Current session": "目前的工作階段", - "Inactive for %(inactiveAgeDays)s+ days": "閒置 %(inactiveAgeDays)s+ 天", - "Session details": "工作階段詳細資料", - "IP address": "IP 位址", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "為了最佳的安全性,請驗證您的工作階段並登出任何您無法識別或不再使用的工作階段。", - "Other sessions": "其他工作階段", - "Verify or sign out from this session for best security and reliability.": "驗證或登出此工作階段以取得最佳安全性與可靠性。", - "Unverified session": "未經驗證的工作階段", - "This session is ready for secure messaging.": "此工作階段已準備好進行安全通訊。", - "Verified session": "已驗證的工作階段", - "Inactive sessions": "不活躍的工作階段", - "Verify your sessions for enhanced secure messaging or sign out from those you don't recognize or use anymore.": "請驗證您的工作階段來加強通訊安全,或將您不認識,或已不再使用的工作階段登出。", - "Unverified sessions": "未驗證的工作階段", - "Security recommendations": "安全建議", - "Filter devices": "過濾裝置", - "Inactive for %(inactiveAgeDays)s days or longer": "不活躍 %(inactiveAgeDays)s 天或更久", - "Inactive": "不活躍", - "Not ready for secure messaging": "尚未準備好安全通訊", - "Ready for secure messaging": "已準備好安全通訊", - "All": "全部", - "No sessions found.": "找不到工作階段。", - "No inactive sessions found.": "找不到非活躍中的工作階段。", - "No unverified sessions found.": "找不到未驗證的工作階段。", - "No verified sessions found.": "找不到已驗證的工作階段。", - "For best security, sign out from any session that you don't recognize or use anymore.": "為了取得最佳安全性,請從任何您無法識別或不再使用的工作階段登出。", - "Verified sessions": "已驗證的工作階段", "Interactively verify by emoji": "透過表情符號互動來驗證", "Manually verify by text": "透過文字手動驗證", - "It's not recommended to add encryption to public rooms. Anyone can find and join public rooms, so anyone can read messages in them. You'll get none of the benefits of encryption, and you won't be able to turn it off later. Encrypting messages in a public room will make receiving and sending messages slower.": "不建議為公開聊天室新增加密。任何人都可以找到並加入公開聊天室,所以任何人都可以閱讀其中的訊息。您將無法享受加密帶來的任何好處,且您將無法在稍後將其關閉。在公開聊天室中加密訊息將會讓接收與傳送訊息變慢。", "Empty room (was %(oldName)s)": "空的聊天室(曾為 %(oldName)s)", "Inviting %(user)s and %(count)s others": { "one": "正在邀請 %(user)s 與 1 個其他人", @@ -2133,16 +1988,7 @@ "%(user1)s and %(user2)s": "%(user1)s 與 %(user2)s", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s 或 %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s 或 %(recoveryFile)s", - "Proxy URL": "代理伺服器網址", - "Proxy URL (optional)": "代理伺服器網址(選填)", - "To disable you will need to log out and back in, use with caution!": "要停用,您必須登出並重新登入,請小心使用!", - "Sliding Sync configuration": "滑動同步設定", - "Your server lacks native support, you must specify a proxy": "您的伺服器缺乏原生支援,您必須指定代理", - "Your server lacks native support": "您的伺服器缺乏原生支援", - "Your server has native support": "您的伺服器有原生支援", "You need to be able to kick users to do that.": "您必須可以踢除使用者才能作到這件事。", - "Sign out of this session": "登出此工作階段", - "Rename session": "重新命名工作階段", "Voice broadcast": "語音廣播", "You do not have permission to start voice calls": "您無權限開始語音通話", "There's no one here to call": "這裡沒有人可以通話", @@ -2151,16 +1997,8 @@ "Video call (Jitsi)": "視訊通話 (Jitsi)", "Live": "直播", "Failed to set pusher state": "無法設定推送程式狀態", - "Receive push notifications on this session.": "在此工作階段接收推送通知。", - "Push notifications": "推送通知", - "Toggle push notifications on this session.": "在此工作階段切換推送通知。", "Video call ended": "視訊通話已結束", "%(name)s started a video call": "%(name)s 開始了視訊通話", - "URL": "網址", - "Unknown session type": "未知工作階段類型", - "Web session": "網頁工作階段", - "Mobile session": "行動裝置工作階段", - "Desktop session": "桌面工作階段", "Unknown room": "未知的聊天室", "Room info": "聊天室資訊", "View chat timeline": "檢視聊天時間軸", @@ -2168,7 +2006,6 @@ "Spotlight": "聚焦", "Freedom": "自由", "Video call (%(brand)s)": "視訊通話 (%(brand)s)", - "Operating system": "作業系統", "Call type": "通話類型", "You do not have sufficient permissions to change this.": "您沒有足夠的權限來變更此設定。", "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s 提供端對端加密,但目前使用者數量較少。", @@ -2192,20 +2029,7 @@ "The scanned code is invalid.": "掃描的代碼無效。", "The linking wasn't completed in the required time.": "未在要求的時間內完成連結。", "Sign in new device": "登入新裝置", - "Show QR code": "顯示 QR Code", - "You can use this device to sign in a new device with a QR code. You will need to scan the QR code shown on this device with your device that's signed out.": "您可以使用此裝置透過 QR Code 登入新裝置。您將需要使用已登出的裝置掃描此裝置上顯示的 QR Code。", - "Sign in with QR code": "使用 QR Code 登入", - "Browser": "瀏覽器", "Show formatting": "顯示格式", - "Consider signing out from old sessions (%(inactiveAgeDays)s days or older) you don't use anymore.": "考慮登出您不再使用的舊工作階段(%(inactiveAgeDays)s天或更舊)。", - "Removing inactive sessions improves security and performance, and makes it easier for you to identify if a new session is suspicious.": "刪除不活躍的工作階段可以改善安全性與效能,並讓您可以輕鬆識別新的工作階段是否可疑。", - "Inactive sessions are sessions you have not used in some time, but they continue to receive encryption keys.": "不活躍工作階段是您一段時間未使用的工作階段,但它們會繼續接收加密金鑰。", - "You should make especially certain that you recognise these sessions as they could represent an unauthorised use of your account.": "您應特別確定您可以識別這些工作階段,因為它們可能代表未經授權便使用您的帳號。", - "Unverified sessions are sessions that have logged in with your credentials but have not been cross-verified.": "未經驗證的工作階段是使用您的憑證登入,但尚未經過交叉驗證的工作階段。", - "This provides them with confidence that they are really speaking to you, but it also means they can see the session name you enter here.": "這讓他們確定真的在與您交談,但這也代表了他們可以看到您在此處輸入的工作階段名稱。", - "Other users in direct messages and rooms that you join are able to view a full list of your sessions.": "您加入的私人訊息與聊天室中其他使用者,可以檢視您工作階段的完整清單。", - "Renaming sessions": "重新命名工作階段", - "Please be aware that session names are also visible to people you communicate with.": "請注意,所有與您對話的人都能看到工作階段的名稱。", "Are you sure you want to sign out of %(count)s sessions?": { "one": "您確定您想要登出 %(count)s 個工作階段嗎?", "other": "您確定您想要登出 %(count)s 個工作階段嗎?" @@ -2218,10 +2042,6 @@ "Voice settings": "語音設定", "Error downloading image": "下載圖片時發生錯誤", "Unable to show image due to error": "因為錯誤而無法顯示圖片", - "This means that you have all the keys needed to unlock your encrypted messages and confirm to other users that you trust this session.": "這代表了您擁有解鎖加密訊息所需的所有金鑰,並向其他使用者確認您信任此工作階段。", - "Verified sessions are anywhere you are using this account after entering your passphrase or confirming your identity with another verified session.": "已驗證的工作階段是在輸入安全密語,或透過另一個已驗證工作階段,確認您的身分後使用此帳號的任何地方。", - "Show details": "顯示詳細資訊", - "Hide details": "隱藏詳細資訊", "Send email": "寄信", "Sign out of all devices": "登出所有裝置", "Confirm new password": "確認新密碼", @@ -2237,38 +2057,22 @@ "Upcoming features": "即將推出的功能", "Change layout": "變更排列", "You have unverified sessions": "您有未驗證的工作階段", - "This session doesn't support encryption and thus can't be verified.": "此工作階段不支援加密,因此無法驗證。", - "For best security and privacy, it is recommended to use Matrix clients that support encryption.": "為獲得最佳安全性與隱私,建議使用支援加密的 Matrix 客戶端。", - "You won't be able to participate in rooms where encryption is enabled when using this session.": "使用此工作階段時,您將無法參與啟用加密的聊天室。", "Search users in this room…": "搜尋此聊天室中的使用者…", "Give one or multiple users in this room more privileges": "給這個聊天室中的一個使用者或多個使用者更多的特殊權限", "Add privileged users": "新增特權使用者", "Unable to decrypt message": "無法解密訊息", "This message could not be decrypted": "此訊息無法解密", - "Improve your account security by following these recommendations.": "透過以下的建議改善您的帳號安全性。", - "%(count)s sessions selected": { - "one": "已選取 %(count)s 個工作階段", - "other": "已選取 %(count)s 個工作階段" - }, "You can’t start a call as you are currently recording a live broadcast. Please end your live broadcast in order to start a call.": "您無法開始通話,因為您正在錄製直播。請結束您的直播以便開始通話。", "Can’t start a call": "無法開始通話", "Failed to read events": "讀取事件失敗", "Failed to send event": "傳送事件失敗", " in %(room)s": " 在 %(room)s", "Mark as read": "標示為已讀", - "Verify your current session for enhanced secure messaging.": "驗證您目前的工作階段以強化安全訊息傳遞。", - "Your current session is ready for secure messaging.": "您目前的工作階段已準備好安全通訊。", "Text": "文字", "Create a link": "建立連結", - "Sign out of %(count)s sessions": { - "one": "登出 %(count)s 個工作階段", - "other": "登出 %(count)s 個工作階段" - }, - "Sign out of all other sessions (%(otherSessionsCount)s)": "登出所有其他工作階段(%(otherSessionsCount)s)", "You can't start a voice message as you are currently recording a live broadcast. Please end your live broadcast in order to start recording a voice message.": "您無法開始語音訊息,因為您目前正在錄製直播。請結束您的直播以開始錄製語音訊息。", "Can't start voice message": "無法開始語音訊息", "Edit link": "編輯連結", - "Decrypted source unavailable": "已解密的來源不可用", "%(senderName)s started a voice broadcast": "%(senderName)s 開始了語音廣播", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", "Registration token": "註冊權杖", @@ -2345,7 +2149,6 @@ "Verify Session": "驗證工作階段", "Ignore (%(counter)s)": "忽略(%(counter)s)", "Invites by email can only be sent one at a time": "透過電子郵件傳送的邀請一次只能傳送一個", - "Once everyone has joined, you’ll be able to chat": "所有人都加入後,您就可以聊天了", "An error occurred when updating your notification preferences. Please try to toggle your option again.": "更新您的通知偏好設定時發生錯誤。請再試一次。", "Desktop app logo": "桌面應用程式標誌", "Requires your server to support the stable version of MSC3827": "您的伺服器必須支援穩定版本的 MSC3827", @@ -2398,7 +2201,6 @@ "Mentions and Keywords only": "僅提及與關鍵字", "Show message preview in desktop notification": "在桌面通知顯示訊息預覽", "I want to be notified for (Default Setting)": "我想收到相關的通知(預設設定)", - "Your server requires encryption to be disabled.": "您的伺服器必須停用加密。", "Email Notifications": "電子郵件通知", "People, Mentions and Keywords": "人們、提及與關鍵字", "This setting will be applied by default to all your rooms.": "預設情況下,此設定將會套用於您所有的聊天室。", @@ -2540,7 +2342,9 @@ "orphan_rooms": "其他聊天室", "on": "開啟", "off": "關閉", - "all_rooms": "所有聊天室" + "all_rooms": "所有聊天室", + "deselect_all": "取消選取", + "select_all": "全部選取" }, "action": { "continue": "繼續", @@ -2723,7 +2527,15 @@ "rust_crypto_disabled_notice": "目前僅能透過 config.json 啟用", "automatic_debug_logs_key_backup": "金鑰備份無法運作時,自動傳送除錯紀錄檔", "automatic_debug_logs_decryption": "自動傳送關於解密錯誤的除錯紀錄檔", - "automatic_debug_logs": "自動在發生錯誤時傳送除錯日誌" + "automatic_debug_logs": "自動在發生錯誤時傳送除錯日誌", + "sliding_sync_server_support": "您的伺服器有原生支援", + "sliding_sync_server_no_support": "您的伺服器缺乏原生支援", + "sliding_sync_server_specify_proxy": "您的伺服器缺乏原生支援,您必須指定代理", + "sliding_sync_configuration": "滑動同步設定", + "sliding_sync_disable_warning": "要停用,您必須登出並重新登入,請小心使用!", + "sliding_sync_proxy_url_optional_label": "代理伺服器網址(選填)", + "sliding_sync_proxy_url_label": "代理伺服器網址", + "video_rooms_beta": "視訊聊天室是 Beta 測試功能" }, "keyboard": { "home": "首頁", @@ -2818,7 +2630,19 @@ "placeholder_reply_encrypted": "傳送加密的回覆…", "placeholder_reply": "傳送回覆…", "placeholder_encrypted": "傳送加密訊息…", - "placeholder": "傳送訊息…" + "placeholder": "傳送訊息…", + "autocomplete": { + "command_description": "指令", + "command_a11y": "指令自動完成", + "emoji_a11y": "表情符號自動完成", + "@room_description": "通知整個聊天室", + "notification_description": "聊天室通知", + "notification_a11y": "通知自動完成", + "room_a11y": "聊天室自動完成", + "space_a11y": "空間自動完成", + "user_description": "使用者", + "user_a11y": "使用者自動完成" + } }, "Bold": "粗體", "Link": "連結", @@ -3073,6 +2897,95 @@ }, "keyboard": { "title": "鍵盤" + }, + "sessions": { + "rename_form_heading": "重新命名工作階段", + "rename_form_caption": "請注意,所有與您對話的人都能看到工作階段的名稱。", + "rename_form_learn_more": "重新命名工作階段", + "rename_form_learn_more_description_1": "您加入的私人訊息與聊天室中其他使用者,可以檢視您工作階段的完整清單。", + "rename_form_learn_more_description_2": "這讓他們確定真的在與您交談,但這也代表了他們可以看到您在此處輸入的工作階段名稱。", + "session_id": "工作階段 ID", + "last_activity": "上次活動", + "url": "網址", + "os": "作業系統", + "browser": "瀏覽器", + "ip": "IP 位址", + "details_heading": "工作階段詳細資料", + "push_toggle": "在此工作階段切換推送通知。", + "push_heading": "推送通知", + "push_subheading": "在此工作階段接收推送通知。", + "sign_out": "登出此工作階段", + "hide_details": "隱藏詳細資訊", + "show_details": "顯示詳細資訊", + "inactive_days": "閒置 %(inactiveAgeDays)s+ 天", + "verified_sessions": "已驗證的工作階段", + "verified_sessions_explainer_1": "已驗證的工作階段是在輸入安全密語,或透過另一個已驗證工作階段,確認您的身分後使用此帳號的任何地方。", + "verified_sessions_explainer_2": "這代表了您擁有解鎖加密訊息所需的所有金鑰,並向其他使用者確認您信任此工作階段。", + "unverified_sessions": "未驗證的工作階段", + "unverified_sessions_explainer_1": "未經驗證的工作階段是使用您的憑證登入,但尚未經過交叉驗證的工作階段。", + "unverified_sessions_explainer_2": "您應特別確定您可以識別這些工作階段,因為它們可能代表未經授權便使用您的帳號。", + "unverified_session": "未經驗證的工作階段", + "unverified_session_explainer_1": "此工作階段不支援加密,因此無法驗證。", + "unverified_session_explainer_2": "使用此工作階段時,您將無法參與啟用加密的聊天室。", + "unverified_session_explainer_3": "為獲得最佳安全性與隱私,建議使用支援加密的 Matrix 客戶端。", + "inactive_sessions": "不活躍的工作階段", + "inactive_sessions_explainer_1": "不活躍工作階段是您一段時間未使用的工作階段,但它們會繼續接收加密金鑰。", + "inactive_sessions_explainer_2": "刪除不活躍的工作階段可以改善安全性與效能,並讓您可以輕鬆識別新的工作階段是否可疑。", + "desktop_session": "桌面工作階段", + "mobile_session": "行動裝置工作階段", + "web_session": "網頁工作階段", + "unknown_session": "未知工作階段類型", + "device_verified_description_current": "您目前的工作階段已準備好安全通訊。", + "device_verified_description": "此工作階段已準備好進行安全通訊。", + "verified_session": "已驗證的工作階段", + "device_unverified_description_current": "驗證您目前的工作階段以強化安全訊息傳遞。", + "device_unverified_description": "驗證或登出此工作階段以取得最佳安全性與可靠性。", + "verify_session": "驗證工作階段", + "verified_sessions_list_description": "為了取得最佳安全性,請從任何您無法識別或不再使用的工作階段登出。", + "unverified_sessions_list_description": "請驗證您的工作階段來加強通訊安全,或將您不認識,或已不再使用的工作階段登出。", + "inactive_sessions_list_description": "考慮登出您不再使用的舊工作階段(%(inactiveAgeDays)s天或更舊)。", + "no_verified_sessions": "找不到已驗證的工作階段。", + "no_unverified_sessions": "找不到未驗證的工作階段。", + "no_inactive_sessions": "找不到非活躍中的工作階段。", + "no_sessions": "找不到工作階段。", + "filter_all": "全部", + "filter_verified_description": "已準備好安全通訊", + "filter_unverified_description": "尚未準備好安全通訊", + "filter_inactive": "不活躍", + "filter_inactive_description": "不活躍 %(inactiveAgeDays)s 天或更久", + "filter_label": "過濾裝置", + "n_sessions_selected": { + "one": "已選取 %(count)s 個工作階段", + "other": "已選取 %(count)s 個工作階段" + }, + "sign_in_with_qr": "使用 QR Code 登入", + "sign_in_with_qr_description": "您可以使用此裝置透過 QR Code 登入新裝置。您將需要使用已登出的裝置掃描此裝置上顯示的 QR Code。", + "sign_in_with_qr_button": "顯示 QR Code", + "sign_out_n_sessions": { + "one": "登出 %(count)s 個工作階段", + "other": "登出 %(count)s 個工作階段" + }, + "other_sessions_heading": "其他工作階段", + "sign_out_all_other_sessions": "登出所有其他工作階段(%(otherSessionsCount)s)", + "current_session": "目前的工作階段", + "confirm_sign_out_sso": { + "one": "請使用「單一登入」功能證明身分,確認登出這台裝置。", + "other": "請使用「單一登入」功能證明身分,確認登出這些裝置。" + }, + "confirm_sign_out": { + "one": "確認登出此裝置", + "other": "確認登出這些裝置" + }, + "confirm_sign_out_body": { + "one": "點下方按鈕,確認登出這台裝置。", + "other": "點下方按鈕,確認登出這些裝置。" + }, + "confirm_sign_out_continue": { + "one": "登出裝置", + "other": "登出裝置" + }, + "security_recommendations": "安全建議", + "security_recommendations_description": "透過以下的建議改善您的帳號安全性。" } }, "devtools": { @@ -3172,7 +3085,9 @@ "show_hidden_events": "顯示時間軸中隱藏的活動", "low_bandwidth_mode_description": "需要相容的家伺服器。", "low_bandwidth_mode": "低頻寬模式", - "developer_mode": "開發者模式" + "developer_mode": "開發者模式", + "view_source_decrypted_event_source": "解密活動來源", + "view_source_decrypted_event_source_unavailable": "已解密的來源不可用" }, "export_chat": { "html": "HTML", @@ -3568,7 +3483,9 @@ "io.element.voice_broadcast_info": { "you": "您結束了語音廣播", "user": "%(senderName)s 結束了語音廣播" - } + }, + "creation_summary_dm": "%(creator)s 建立了此私人訊息。", + "creation_summary_room": "%(creator)s 建立並設定了聊天室。" }, "slash_command": { "spoiler": "將指定訊息以劇透傳送", @@ -3763,13 +3680,53 @@ "kick": "移除使用者", "ban": "封鎖使用者", "redact": "移除其他人傳送的訊息", - "notifications.room": "通知每個人" + "notifications.room": "通知每個人", + "no_privileged_users": "此聊天室中沒有使用者有指定的權限", + "privileged_users_section": "特權使用者", + "muted_users_section": "已靜音的使用者", + "banned_users_section": "被封鎖的使用者", + "send_event_type": "傳送 %(eventType)s 活動", + "title": "角色與權限", + "permissions_section": "權限", + "permissions_section_description_space": "選取變更聊天空間各個部份所需的角色", + "permissions_section_description_room": "選取更改聊天室各部份的所需的角色" }, "security": { "strict_encryption": "不要從此工作階段傳送已加密的訊息給此聊天室中未驗證的工作階段", "join_rule_invite": "私密(邀請制)", "join_rule_invite_description": "只有受邀的人才能找到並加入。", - "join_rule_public_description": "任何人都可以找到並加入。" + "join_rule_public_description": "任何人都可以找到並加入。", + "enable_encryption_public_room_confirm_title": "您確定您要在此公開聊天室新增加密?", + "enable_encryption_public_room_confirm_description_1": "不建議為公開聊天室新增加密。任何人都可以找到並加入公開聊天室,所以任何人都可以閱讀其中的訊息。您將無法享受加密帶來的任何好處,且您將無法在稍後將其關閉。在公開聊天室中加密訊息將會讓接收與傳送訊息變慢。", + "enable_encryption_public_room_confirm_description_2": "為了避免這些問題,請為您計畫中的對話建立新的加密聊天室。", + "enable_encryption_confirm_title": "啟用加密?", + "enable_encryption_confirm_description": "一旦啟用,聊天室的加密就不能停用了。在已加密的聊天室裡傳送的訊息無法被伺服器看見,僅能被聊天室的參與者看到。啟用加密可能會讓許多聊天機器人與橋接運作不正常。取得更多關於加密的資訊。", + "public_without_alias_warning": "要連結到此聊天室,請新增位址。", + "join_rule_description": "決定誰可以加入 %(roomName)s。", + "encrypted_room_public_confirm_title": "您確定您想要讓此加密聊天室公開?", + "encrypted_room_public_confirm_description_1": "不建議讓加密聊天室公開。這代表了任何人都可以找到並加入聊天室,因此任何人都可以閱讀訊息。您無法獲得任何加密功能的好處。在公開聊天室中加密訊息會讓接收與傳送訊息變慢。", + "encrypted_room_public_confirm_description_2": "為了避免這些問題,請為您計畫中的對話建立新的公開聊天室。", + "history_visibility": {}, + "history_visibility_warning": "對可閱讀訊息紀錄的使用者的變更,僅適用於此聊天室的新訊息。現有訊息的顯示狀態將保持不變。", + "history_visibility_legend": "誰可以閱讀紀錄?", + "guest_access_warning": "有受支援的客戶端的夥伴不需要註冊帳號就可以加入聊天室。", + "title": "安全與隱私", + "encryption_permanent": "一旦啟用就無法停用加密。", + "encryption_forced": "您的伺服器必須停用加密。", + "history_visibility_shared": "僅限成員(自選取此選項開始)", + "history_visibility_invited": "僅限成員(自他們被邀請開始)", + "history_visibility_joined": "僅限成員(自他們加入開始)", + "history_visibility_world_readable": "任何人" + }, + "general": { + "publish_toggle": "將這個聊天室公開到 %(domain)s 的聊天室目錄中?", + "user_url_previews_default_on": "您已預設停用網址預覽。", + "user_url_previews_default_off": "您已預設停用網址預覽。", + "default_url_previews_on": "此聊天室已預設對參與者啟用網址預覽。", + "default_url_previews_off": "此聊天室已預設對參與者停用網址預覽。", + "url_preview_encryption_warning": "在加密的聊天室中(這個就是),會預設停用網址預覽以確保您的家伺服器(產生預覽資訊的地方)無法透過這個聊天室收集您看到的連結的相關資訊。", + "url_preview_explainer": "當某人在他們的訊息中放置網址時,可以顯示如標題、描述與網頁上的圖片等等來給您更多關於該連結的資訊。", + "url_previews_section": "網址預覽" } }, "encryption": { @@ -3893,7 +3850,15 @@ "server_picker_explainer": "如果您有的話,可以使用您偏好的 Matrix 家伺服器,或是自己架一個。", "server_picker_learn_more": "關於家伺服器", "incorrect_credentials": "使用者名稱和/或密碼不正確。", - "account_deactivated": "此帳號已停用。" + "account_deactivated": "此帳號已停用。", + "registration_username_validation": "僅能使用小寫字母、數字、破折號與底線", + "registration_username_unable_check": "無法檢查使用者名稱是否已被使用。請稍後再試。", + "registration_username_in_use": "某人已使用該使用者名稱。請改用其他名稱。但如果是您,請在下方登入。", + "phone_label": "電話", + "phone_optional_label": "電話(選擇性)", + "email_help_text": "新增電子郵件以重設您的密碼。", + "email_phone_discovery_text": "使用電子郵件或電話以選擇性地被既有的聯絡人探索。", + "email_discovery_text": "設定電子郵件地址後,即可選擇性被已有的聯絡人新增為好友。" }, "room_list": { "sort_unread_first": "先顯示有未讀訊息的聊天室", @@ -4105,7 +4070,21 @@ "light_high_contrast": "亮色高對比" }, "space": { - "landing_welcome": "歡迎加入 " + "landing_welcome": "歡迎加入 ", + "suggested_tooltip": "推薦加入這個聊天室", + "suggested": "建議", + "select_room_below": "首先選取一個聊天室", + "unmark_suggested": "標記為不建議", + "mark_suggested": "標記為建議", + "failed_remove_rooms": "無法移除某些聊天室。稍後再試", + "failed_load_rooms": "無法載入聊天室清單。", + "incompatible_server_hierarchy": "您的伺服器不支援顯示空間的層次結構。", + "context_menu": { + "devtools_open_timeline": "檢視聊天室時間軸(開發者工具)", + "home": "聊天空間首頁", + "explore": "探索聊天室", + "manage_and_explore": "管理與探索聊天室" + } }, "location_sharing": { "MapStyleUrlNotConfigured": "此家伺服器未設定來顯示地圖。", @@ -4162,5 +4141,52 @@ "setup_rooms_description": "您稍後可以新增更多內容,包含既有的。", "setup_rooms_private_heading": "您的團隊正在從事哪些專案?", "setup_rooms_private_description": "我們將為每個主題建立聊天室。" + }, + "user_menu": { + "switch_theme_light": "切換至淺色模式", + "switch_theme_dark": "切換至深色模式" + }, + "notif_panel": { + "empty_heading": "您已完成", + "empty_description": "您沒有可見的通知。" + }, + "console_scam_warning": "若某人告訴您在此處複製/貼上一些東西,那麼您很有可能被騙了!", + "console_dev_note": "如果您知道您在做些什麼,Element 為開放原始碼,請看看我們的 GitHub (https://github.com/vector-im/element-web/) 並貢獻!", + "room": { + "drop_file_prompt": "把文件放在這裡上傳", + "intro": { + "send_message_start_dm": "傳送您的第一則訊息以邀請 來聊天", + "encrypted_3pid_dm_pending_join": "所有人都加入後,您就可以聊天了", + "start_of_dm_history": "這是您與 私人訊息紀錄的開頭。", + "dm_caption": "除非你們兩位之中有人邀請其他人加入,否則此對話中只會有你們兩位。", + "topic_edit": "主題:%(topic)s(編輯)", + "topic": "主題:%(topic)s ", + "no_topic": "新增主題以協助人們了解這裡在做什麼。", + "you_created": "您建立了此聊天室。", + "user_created": "%(displayName)s 建立了此聊天室。", + "room_invite": "邀請到此聊天室", + "no_avatar_label": "新增圖片,這樣人們就可以輕鬆發現您的聊天室。", + "start_of_room": "這是 的開頭。", + "private_unencrypted_warning": "您的私密訊息會正常加密,但聊天室不會。一般來說這是因為使用了不支援的裝置或方法,例如電子郵件邀請。", + "enable_encryption_prompt": "在設定中啟用加密。", + "unencrypted_warning": "端對端加密未啟用" + } + }, + "file_panel": { + "guest_note": "您必須註冊以使用此功能", + "peek_note": "您必須加入聊天室來檢視它的檔案", + "empty_heading": "此聊天室中沒有可見的檔案", + "empty_description": "從聊天中附加檔案,或將其拖放到聊天室的任何地方。" + }, + "terms": { + "integration_manager": "使用聊天機器人、橋接、小工具與貼圖包", + "tos": "服務條款", + "intro": "要繼續,您必須同意本服務條款。", + "column_service": "服務", + "column_summary": "摘要", + "column_document": "文件" + }, + "space_settings": { + "title": "設定 - %(spaceName)s" } -} \ No newline at end of file +} From f60ba1c29d57ab86063b88d7118cb1a540777a64 Mon Sep 17 00:00:00 2001 From: Richard van der Hoff <1389908+richvdh@users.noreply.github.com> Date: Thu, 21 Sep 2023 11:54:23 +0200 Subject: [PATCH 05/16] Fix cypress test for events from unsigned devices (#11636) --- cypress/e2e/crypto/crypto.spec.ts | 10 ++++++---- 1 file changed, 6 insertions(+), 4 deletions(-) diff --git a/cypress/e2e/crypto/crypto.spec.ts b/cypress/e2e/crypto/crypto.spec.ts index 7e34ed7990..a5818841b5 100644 --- a/cypress/e2e/crypto/crypto.spec.ts +++ b/cypress/e2e/crypto/crypto.spec.ts @@ -404,9 +404,9 @@ describe("Cryptography", function () { cy.get(".mx_EventTile_last") .should("contain", "test encrypted from unverified") - .find(".mx_EventTile_e2eIcon", { timeout: 100000 }) + .find(".mx_EventTile_e2eIcon") .should("have.class", "mx_EventTile_e2eIcon_warning") - .should("have.attr", "aria-label", "Encrypted by an unverified user."); + .should("have.attr", "aria-label", "Encrypted by a device not verified by its owner."); /* Should show a grey padlock for a message from an unknown device */ @@ -415,10 +415,12 @@ describe("Cryptography", function () { .then(() => bobSecondDevice.logout(true)) .then(() => cy.log(`Bob logged out second device`)); + // some debate over whether this should have a red or a grey shield. Legacy crypto shows a grey shield, + // Rust crypto a red one. cy.get(".mx_EventTile_last") .should("contain", "test encrypted from unverified") .find(".mx_EventTile_e2eIcon") - .should("have.class", "mx_EventTile_e2eIcon_normal") + //.should("have.class", "mx_EventTile_e2eIcon_normal") .should("have.attr", "aria-label", "Encrypted by an unknown or deleted device."); }); @@ -437,7 +439,7 @@ describe("Cryptography", function () { // no e2e icon .should("not.have.descendants", ".mx_EventTile_e2eIcon"); - /* log out, and back i */ + /* log out, and back in */ logOutOfElement(); cy.get("@securityKey").then((securityKey) => { logIntoElement(homeserver.baseUrl, aliceCredentials.username, aliceCredentials.password, securityKey); From 54ec7e696d7f09f124698694a6b955c0388da6ea Mon Sep 17 00:00:00 2001 From: Germain Date: Thu, 21 Sep 2023 12:04:57 +0100 Subject: [PATCH 06/16] Render space pills with square corners to match new avatar (#11632) --- res/css/views/elements/_Pill.pcss | 6 ++++++ src/components/views/elements/Pill.tsx | 2 +- 2 files changed, 7 insertions(+), 1 deletion(-) diff --git a/res/css/views/elements/_Pill.pcss b/res/css/views/elements/_Pill.pcss index f7d5c8fa60..c697b63de5 100644 --- a/res/css/views/elements/_Pill.pcss +++ b/res/css/views/elements/_Pill.pcss @@ -89,4 +89,10 @@ limitations under the License. height: 16px; width: 16px; } + + &.mx_SpacePill { + border-top-left-radius: 8px; + border-bottom-left-radius: 8px; + padding-left: 4px; + } } diff --git a/src/components/views/elements/Pill.tsx b/src/components/views/elements/Pill.tsx index 5770145b78..e95d39364a 100644 --- a/src/components/views/elements/Pill.tsx +++ b/src/components/views/elements/Pill.tsx @@ -103,7 +103,7 @@ export const Pill: React.FC = ({ type: propType, url, inMessage, room const classes = classNames("mx_Pill", { mx_AtRoomPill: type === PillType.AtRoomMention, mx_RoomPill: type === PillType.RoomMention, - mx_SpacePill: type === "space", + mx_SpacePill: type === "space" || targetRoom?.isSpaceRoom(), mx_UserPill: type === PillType.UserMention, mx_UserPill_me: resourceId === MatrixClientPeg.safeGet().getUserId(), mx_EventPill: type === PillType.EventInOtherRoom || type === PillType.EventInSameRoom, From 20fa3f2a14d5fb42cc22436ae88940d6c0864e96 Mon Sep 17 00:00:00 2001 From: Germain Date: Thu, 21 Sep 2023 12:42:23 +0100 Subject: [PATCH 07/16] fix avatar styling in lightbox (#11641) --- src/components/views/elements/ImageView.tsx | 1 + 1 file changed, 1 insertion(+) diff --git a/src/components/views/elements/ImageView.tsx b/src/components/views/elements/ImageView.tsx index d66014b7ed..3127094e44 100644 --- a/src/components/views/elements/ImageView.tsx +++ b/src/components/views/elements/ImageView.tsx @@ -479,6 +479,7 @@ export default class ImageView extends React.Component { fallbackUserId={mxEvent.getSender()} size="32px" viewUserOnClick={true} + className="mx_Dialog_nonDialogButton" /> ); From c6fec9b95b1a959f4ac43f62549af9d6f7d254cf Mon Sep 17 00:00:00 2001 From: Germain Date: Thu, 21 Sep 2023 12:56:05 +0100 Subject: [PATCH 08/16] Fix add to space avatar text centering (#11643) --- res/css/views/dialogs/_AddExistingToSpaceDialog.pcss | 2 -- 1 file changed, 2 deletions(-) diff --git a/res/css/views/dialogs/_AddExistingToSpaceDialog.pcss b/res/css/views/dialogs/_AddExistingToSpaceDialog.pcss index 25e7591167..3a0a95811c 100644 --- a/res/css/views/dialogs/_AddExistingToSpaceDialog.pcss +++ b/res/css/views/dialogs/_AddExistingToSpaceDialog.pcss @@ -158,9 +158,7 @@ limitations under the License. display: flex; .mx_BaseAvatar { - display: inline-flex; margin: auto 16px auto 5px; - vertical-align: middle; } > div { From c8798825585cfd357701dcb3e3b0d9cf5ea7b302 Mon Sep 17 00:00:00 2001 From: Richard van der Hoff <1389908+richvdh@users.noreply.github.com> Date: Thu, 21 Sep 2023 14:19:38 +0200 Subject: [PATCH 09/16] Don't start key backups when opening settings (#11640) * SecureBackupPanel: stop calling `checkKeyBackup` `checkKeyBackup` will start key backups if they aren't already running. In my not-so-humble opinion, the mere act of opening a settings panel shouldn't change anything. * fix SecurityUserSettingsTab test --- .../views/settings/SecureBackupPanel.tsx | 24 +------ .../views/settings/SecureBackupPanel-test.tsx | 57 ++++++++-------- .../SecureBackupPanel-test.tsx.snap | 65 +++++++++++++++++++ .../user/SecurityUserSettingsTab-test.tsx | 1 + test/test-utils/client.ts | 1 - 5 files changed, 95 insertions(+), 53 deletions(-) diff --git a/src/components/views/settings/SecureBackupPanel.tsx b/src/components/views/settings/SecureBackupPanel.tsx index a55679964f..ce8e385684 100644 --- a/src/components/views/settings/SecureBackupPanel.tsx +++ b/src/components/views/settings/SecureBackupPanel.tsx @@ -67,7 +67,7 @@ export default class SecureBackupPanel extends React.PureComponent<{}, IState> { } public componentDidMount(): void { - this.checkKeyBackupStatus(); + this.loadBackupStatus(); MatrixClientPeg.safeGet().on(CryptoEvent.KeyBackupStatus, this.onKeyBackupStatus); MatrixClientPeg.safeGet().on(CryptoEvent.KeyBackupSessionsRemaining, this.onKeyBackupSessionsRemaining); @@ -97,28 +97,6 @@ export default class SecureBackupPanel extends React.PureComponent<{}, IState> { this.loadBackupStatus(); }; - private async checkKeyBackupStatus(): Promise { - this.getUpdatedDiagnostics(); - try { - const keyBackupResult = await MatrixClientPeg.safeGet().checkKeyBackup(); - this.setState({ - loading: false, - error: false, - backupInfo: keyBackupResult?.backupInfo ?? null, - backupSigStatus: keyBackupResult?.trustInfo ?? null, - }); - } catch (e) { - logger.log("Unable to fetch check backup status", e); - if (this.unmounted) return; - this.setState({ - loading: false, - error: true, - backupInfo: null, - backupSigStatus: null, - }); - } - } - private async loadBackupStatus(): Promise { this.setState({ loading: true }); this.getUpdatedDiagnostics(); diff --git a/test/components/views/settings/SecureBackupPanel-test.tsx b/test/components/views/settings/SecureBackupPanel-test.tsx index 47d5d5c5c4..d5b28981f2 100644 --- a/test/components/views/settings/SecureBackupPanel-test.tsx +++ b/test/components/views/settings/SecureBackupPanel-test.tsx @@ -46,19 +46,17 @@ describe("", () => { const getComponent = () => render(); beforeEach(() => { - client.checkKeyBackup.mockResolvedValue({ - backupInfo: { - version: "1", - algorithm: "test", - auth_data: { - public_key: "1234", - }, - }, - trustInfo: { - usable: false, - sigs: [], + client.getKeyBackupVersion.mockResolvedValue({ + version: "1", + algorithm: "test", + auth_data: { + public_key: "1234", }, }); + client.isKeyBackupTrusted.mockResolvedValue({ + usable: false, + sigs: [], + }); mocked(client.secretStorage.hasKey).mockClear().mockResolvedValue(false); client.deleteKeyBackupVersion.mockClear().mockResolvedValue(); @@ -75,14 +73,21 @@ describe("", () => { expect(screen.queryByRole("progressbar")).not.toBeInTheDocument(); }); - it("handles null backup info", async () => { - // checkKeyBackup can fail and return null for various reasons - client.checkKeyBackup.mockResolvedValue(null); - getComponent(); - // flush checkKeyBackup promise - await flushPromises(); + it("handles error fetching backup", async () => { + // getKeyBackupVersion can fail for various reasons + client.getKeyBackupVersion.mockImplementation(async () => { + throw new Error("beep beep"); + }); + const renderResult = getComponent(); + await renderResult.findByText("Unable to load key backup status"); + expect(renderResult.container).toMatchSnapshot(); + }); - // no backup info + it("handles absence of backup", async () => { + client.getKeyBackupVersion.mockResolvedValue(null); + getComponent(); + // flush getKeyBackupVersion promise + await flushPromises(); expect(screen.getByText("Back up your keys before signing out to avoid losing them.")).toBeInTheDocument(); }); @@ -124,18 +129,12 @@ describe("", () => { }); it("deletes backup after confirmation", async () => { - client.checkKeyBackup + client.getKeyBackupVersion .mockResolvedValueOnce({ - backupInfo: { - version: "1", - algorithm: "test", - auth_data: { - public_key: "1234", - }, - }, - trustInfo: { - usable: false, - sigs: [], + version: "1", + algorithm: "test", + auth_data: { + public_key: "1234", }, }) .mockResolvedValue(null); diff --git a/test/components/views/settings/__snapshots__/SecureBackupPanel-test.tsx.snap b/test/components/views/settings/__snapshots__/SecureBackupPanel-test.tsx.snap index 9b51ca323f..dc00cd38e4 100644 --- a/test/components/views/settings/__snapshots__/SecureBackupPanel-test.tsx.snap +++ b/test/components/views/settings/__snapshots__/SecureBackupPanel-test.tsx.snap @@ -1,5 +1,70 @@ // Jest Snapshot v1, https://goo.gl/fbAQLP +exports[` handles error fetching backup 1`] = ` +
+
+ Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key. +
+
+ Unable to load key backup status +
+
+ + Advanced + +
{_t("Your server requires encryption to be disabled.")}{_t("room_settings|security|encryption_forced")}
+ + + + + + + + + + + + + + + + +
+ Backup key stored: + + not stored +
+ Backup key cached: + + not found locally + +
+ Secret storage public key: + + not found +
+ Secret storage: + + not ready +
+ + +`; + exports[` suggests connecting session to key backup when backup exists 1`] = `
", () => { ...mockClientMethodsCrypto(), getRooms: jest.fn().mockReturnValue([]), getIgnoredUsers: jest.fn(), + getKeyBackupVersion: jest.fn(), }); const getComponent = () => ( diff --git a/test/test-utils/client.ts b/test/test-utils/client.ts index f0eba703ac..39d01b7ce4 100644 --- a/test/test-utils/client.ts +++ b/test/test-utils/client.ts @@ -152,7 +152,6 @@ export const mockClientMethodsCrypto = (): Partial< isKeyBackupKeyStored: jest.fn(), getCrossSigningCacheCallbacks: jest.fn().mockReturnValue({ getCrossSigningKeyCache: jest.fn() }), getStoredCrossSigningForUser: jest.fn(), - checkKeyBackup: jest.fn().mockReturnValue({}), secretStorage: { hasKey: jest.fn() }, getCrypto: jest.fn().mockReturnValue({ getUserDeviceInfo: jest.fn(), From faa7b1521fa620030fb3961109d8aa11388cc57f Mon Sep 17 00:00:00 2001 From: Michael Telatynski <7t3chguy@gmail.com> Date: Thu, 21 Sep 2023 18:16:04 +0100 Subject: [PATCH 10/16] Migrate more strings to translation keys (#11642) --- src/components/structures/MatrixChat.tsx | 27 +- src/components/structures/RoomView.tsx | 2 +- src/components/structures/SpaceRoomView.tsx | 4 +- src/components/structures/ViewSource.tsx | 4 +- .../structures/auth/ForgotPassword.tsx | 2 +- .../auth/forgot-password/CheckEmail.tsx | 2 +- src/components/views/auth/EmailField.tsx | 6 +- .../auth/InteractiveAuthEntryComponents.tsx | 38 +- .../views/auth/PassphraseConfirmField.tsx | 6 +- src/components/views/auth/PassphraseField.tsx | 8 +- src/components/views/auth/PasswordLogin.tsx | 16 +- .../views/auth/RegistrationForm.tsx | 18 +- .../views/dialogs/UserSettingsDialog.tsx | 2 +- .../views/elements/PollCreateDialog.tsx | 34 +- src/components/views/elements/RoomTopic.tsx | 4 +- .../views/right_panel/EncryptionInfo.tsx | 2 +- .../views/rooms/RoomUpgradeWarningBar.tsx | 4 +- src/components/views/settings/BridgeTile.tsx | 8 +- .../views/settings/ChangePassword.tsx | 24 +- .../views/settings/CrossSigningPanel.tsx | 52 ++- .../views/settings/CryptographyPanel.tsx | 10 +- .../views/settings/E2eAdvancedPanel.tsx | 2 +- .../views/settings/SecureBackupPanel.tsx | 16 +- .../views/settings/UpdateCheckButton.tsx | 12 +- .../tabs/room/AdvancedRoomSettingsTab.tsx | 18 +- .../tabs/room/SecurityRoomSettingsTab.tsx | 2 +- .../tabs/user/GeneralUserSettingsTab.tsx | 12 +- .../tabs/user/LabsUserSettingsTab.tsx | 11 +- .../tabs/user/MjolnirUserSettingsTab.tsx | 79 ++-- .../tabs/user/SecurityUserSettingsTab.tsx | 2 +- .../verification/VerificationComplete.tsx | 8 +- .../verification/VerificationShowSas.tsx | 18 +- src/i18n/strings/ar.json | 157 ++++---- src/i18n/strings/az.json | 34 +- src/i18n/strings/bg.json | 237 ++++++------ src/i18n/strings/ca.json | 78 ++-- src/i18n/strings/cs.json | 339 +++++++++--------- src/i18n/strings/da.json | 30 +- src/i18n/strings/de_DE.json | 339 +++++++++--------- src/i18n/strings/el.json | 301 ++++++++-------- src/i18n/strings/en_EN.json | 336 ++++++++--------- src/i18n/strings/en_US.json | 58 +-- src/i18n/strings/eo.json | 267 +++++++------- src/i18n/strings/es.json | 329 ++++++++--------- src/i18n/strings/et.json | 339 +++++++++--------- src/i18n/strings/eu.json | 227 ++++++------ src/i18n/strings/fa.json | 261 +++++++------- src/i18n/strings/fi.json | 321 +++++++++-------- src/i18n/strings/fr.json | 339 +++++++++--------- src/i18n/strings/ga.json | 49 +-- src/i18n/strings/gl.json | 311 ++++++++-------- src/i18n/strings/he.json | 273 +++++++------- src/i18n/strings/hi.json | 59 +-- src/i18n/strings/hu.json | 339 +++++++++--------- src/i18n/strings/id.json | 339 +++++++++--------- src/i18n/strings/is.json | 293 +++++++-------- src/i18n/strings/it.json | 339 +++++++++--------- src/i18n/strings/ja.json | 337 ++++++++--------- src/i18n/strings/jbo.json | 34 +- src/i18n/strings/kab.json | 235 ++++++------ src/i18n/strings/ko.json | 187 +++++----- src/i18n/strings/lo.json | 309 ++++++++-------- src/i18n/strings/lt.json | 239 ++++++------ src/i18n/strings/lv.json | 164 +++++---- src/i18n/strings/ml.json | 6 +- src/i18n/strings/nb_NO.json | 147 ++++---- src/i18n/strings/nl.json | 311 ++++++++-------- src/i18n/strings/nn.json | 121 ++++--- src/i18n/strings/oc.json | 36 +- src/i18n/strings/pl.json | 339 +++++++++--------- src/i18n/strings/pt.json | 64 ++-- src/i18n/strings/pt_BR.json | 251 ++++++------- src/i18n/strings/ru.json | 323 +++++++++-------- src/i18n/strings/sk.json | 339 +++++++++--------- src/i18n/strings/sq.json | 339 +++++++++--------- src/i18n/strings/sr.json | 124 ++++--- src/i18n/strings/sv.json | 339 +++++++++--------- src/i18n/strings/ta.json | 4 +- src/i18n/strings/te.json | 28 +- src/i18n/strings/th.json | 40 ++- src/i18n/strings/tr.json | 217 +++++------ src/i18n/strings/tzm.json | 16 +- src/i18n/strings/uk.json | 339 +++++++++--------- src/i18n/strings/vi.json | 321 +++++++++-------- src/i18n/strings/vls.json | 135 +++---- src/i18n/strings/zh_Hans.json | 319 ++++++++-------- src/i18n/strings/zh_Hant.json | 339 +++++++++--------- 87 files changed, 6443 insertions(+), 6006 deletions(-) diff --git a/src/components/structures/MatrixChat.tsx b/src/components/structures/MatrixChat.tsx index 2c2ad6acb0..c21b891ff2 100644 --- a/src/components/structures/MatrixChat.tsx +++ b/src/components/structures/MatrixChat.tsx @@ -1607,8 +1607,8 @@ export default class MatrixChat extends React.PureComponent { } Modal.createDialog(ErrorDialog, { - title: _t("Signed Out"), - description: _t("For security, this session has been signed out. Please sign in again."), + title: _t("auth|session_logged_out_title"), + description: _t("auth|session_logged_out_description"), }); dis.dispatch({ @@ -1619,19 +1619,13 @@ export default class MatrixChat extends React.PureComponent { Modal.createDialog( QuestionDialog, { - title: _t("Terms and Conditions"), + title: _t("terms|tac_title"), description: (
-

- {" "} - {_t( - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.", - { homeserverDomain: cli.getDomain() }, - )} -

+

{_t("terms|tac_description", { homeserverDomain: cli.getDomain() })}

), - button: _t("Review terms and conditions"), + button: _t("terms|tac_button"), cancelButton: _t("action|dismiss"), onFinished: (confirmed) => { if (confirmed) { @@ -1672,11 +1666,10 @@ export default class MatrixChat extends React.PureComponent { switch (type) { case "CRYPTO_WARNING_OLD_VERSION_DETECTED": Modal.createDialog(ErrorDialog, { - title: _t("Old cryptography data detected"), - description: _t( - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.", - { brand: SdkConfig.get().brand }, - ), + title: _t("encryption|old_version_detected_title"), + description: _t("encryption|old_version_detected_description", { + brand: SdkConfig.get().brand, + }), }); break; } @@ -1732,7 +1725,7 @@ export default class MatrixChat extends React.PureComponent { } else if (request.pending) { ToastStore.sharedInstance().addOrReplaceToast({ key: "verifreq_" + request.transactionId, - title: _t("Verification requested"), + title: _t("encryption|verification_requested_toast_title"), icon: "verification", props: { request }, component: VerificationRequestToast, diff --git a/src/components/structures/RoomView.tsx b/src/components/structures/RoomView.tsx index e14b5ca493..6080a1b519 100644 --- a/src/components/structures/RoomView.tsx +++ b/src/components/structures/RoomView.tsx @@ -2335,7 +2335,7 @@ export class RoomView extends React.Component { className="mx_RoomView_auxPanel_hiddenHighlights" onClick={this.onHiddenHighlightsClick} > - {_t("You have %(count)s unread notifications in a prior version of this room.", { + {_t("room|unread_notifications_predecessor", { count: hiddenHighlightCount, })} diff --git a/src/components/structures/SpaceRoomView.tsx b/src/components/structures/SpaceRoomView.tsx index 648c2d7d31..5edd410366 100644 --- a/src/components/structures/SpaceRoomView.tsx +++ b/src/components/structures/SpaceRoomView.tsx @@ -487,7 +487,7 @@ const validateEmailRules = withValidation({ { key: "email", test: ({ value }) => !value || Email.looksValid(value), - invalid: () => _t("Doesn't look like a valid email address"), + invalid: () => _t("auth|email_field_label_invalid"), }, ], }); @@ -509,7 +509,7 @@ const SpaceSetupPrivateInvite: React.FC<{ name={name} type="text" label={_t("Email address")} - placeholder={_t("Email")} + placeholder={_t("auth|email_field_label")} value={emailAddresses[i]} onChange={(ev: React.ChangeEvent) => setEmailAddress(i, ev.target.value)} ref={fieldRefs[i]} diff --git a/src/components/structures/ViewSource.tsx b/src/components/structures/ViewSource.tsx index 0c6ec52d32..edda7bd9d3 100644 --- a/src/components/structures/ViewSource.tsx +++ b/src/components/structures/ViewSource.tsx @@ -93,7 +93,7 @@ export default class ViewSource extends React.Component {
- {_t("Original event source")} + {_t("devtools|original_event_source")} {stringify(originalEventSource)} @@ -104,7 +104,7 @@ export default class ViewSource extends React.Component { } else { return ( <> -
{_t("Original event source")}
+
{_t("devtools|original_event_source")}
{stringify(originalEventSource)} diff --git a/src/components/structures/auth/ForgotPassword.tsx b/src/components/structures/auth/ForgotPassword.tsx index 86d965643c..c0928fb316 100644 --- a/src/components/structures/auth/ForgotPassword.tsx +++ b/src/components/structures/auth/ForgotPassword.tsx @@ -396,7 +396,7 @@ export default class ForgotPassword extends React.Component { (this.fieldPassword = field)} diff --git a/src/components/structures/auth/forgot-password/CheckEmail.tsx b/src/components/structures/auth/forgot-password/CheckEmail.tsx index 6689086026..7ce5e6f20b 100644 --- a/src/components/structures/auth/forgot-password/CheckEmail.tsx +++ b/src/components/structures/auth/forgot-password/CheckEmail.tsx @@ -53,7 +53,7 @@ export const CheckEmail: React.FC = ({ return ( <> -

{_t("Check your email to continue")}

+

{_t("auth|uia|email_auth_header")}

{_t("auth|check_email_explainer", { email: email }, { b: (t) => {t} })}

diff --git a/src/components/views/auth/EmailField.tsx b/src/components/views/auth/EmailField.tsx index 16fa73771c..967e987196 100644 --- a/src/components/views/auth/EmailField.tsx +++ b/src/components/views/auth/EmailField.tsx @@ -40,9 +40,9 @@ interface IProps extends Omit { class EmailField extends PureComponent { public static defaultProps = { - label: _td("Email"), - labelRequired: _td("Enter email address"), - labelInvalid: _td("Doesn't look like a valid email address"), + label: _td("auth|email_field_label"), + labelRequired: _td("auth|email_field_label_required"), + labelInvalid: _td("auth|email_field_label_invalid"), }; public readonly validate = withValidation({ diff --git a/src/components/views/auth/InteractiveAuthEntryComponents.tsx b/src/components/views/auth/InteractiveAuthEntryComponents.tsx index d70f8aa6da..5d92619520 100644 --- a/src/components/views/auth/InteractiveAuthEntryComponents.tsx +++ b/src/components/views/auth/InteractiveAuthEntryComponents.tsx @@ -169,7 +169,7 @@ export class PasswordAuthEntry extends React.Component -

{_t("Confirm your identity by entering your account password below.")}

+

{_t("auth|uia|password_prompt")}

-

{_t("Please review and accept the policies of this homeserver:")}

+

{_t("auth|uia|terms")}

{checkboxes} {errorSection} {submitButton} @@ -474,19 +472,19 @@ export class EmailIdentityAuthEntry extends React.Component< return (
} + title={_t("auth|uia|email_auth_header")} + icon={} hideServerPicker={true} />

- {_t("To create your account, open the link in the email we just sent to %(emailAddress)s.", { + {_t("auth|uia|email", { emailAddress: {this.props.inputs.emailAddress}, })}

{this.state.requesting ? (

{_t( - "Did not receive it? Resend it", + "auth|uia|email_resend_prompt", {}, { a: (text: string) => ( @@ -502,13 +500,15 @@ export class EmailIdentityAuthEntry extends React.Component< ) : (

{_t( - "Did not receive it? Resend it", + "auth|uia|email_resend_prompt", {}, { a: (text: string) => ( -

{_t("A text message has been sent to %(msisdn)s", { msisdn: {this.msisdn} })}

-

{_t("Please enter the code it contains:")}

+

{_t("auth|uia|msisdn", { msisdn: {this.msisdn} })}

+

{_t("auth|uia|msisdn_token_prompt")}

-

{_t("Enter a registration token provided by the homeserver administrator.")}

+

{_t("auth|uia|registration_token_prompt")}

- {_t("Something went wrong in confirming your identity. Cancel and try again.")} + {_t("auth|uia|sso_failed")}
); } @@ -972,7 +972,7 @@ export class FallbackAuthEntry extends React.Component { return (
- {_t("Start authentication")} + {_t("auth|uia|fallback_button")} {errorSection}
diff --git a/src/components/views/auth/PassphraseConfirmField.tsx b/src/components/views/auth/PassphraseConfirmField.tsx index ebb273ff55..8bb6cac8d2 100644 --- a/src/components/views/auth/PassphraseConfirmField.tsx +++ b/src/components/views/auth/PassphraseConfirmField.tsx @@ -37,9 +37,9 @@ interface IProps extends Omit { class PassphraseConfirmField extends PureComponent { public static defaultProps = { - label: _td("Confirm password"), - labelRequired: _td("Confirm password"), - labelInvalid: _td("Passwords don't match"), + label: _td("auth|change_password_confirm_label"), + labelRequired: _td("auth|change_password_confirm_label"), + labelInvalid: _td("auth|change_password_confirm_invalid"), }; private validate = withValidation({ diff --git a/src/components/views/auth/PassphraseField.tsx b/src/components/views/auth/PassphraseField.tsx index eea58f36c2..a9048d7415 100644 --- a/src/components/views/auth/PassphraseField.tsx +++ b/src/components/views/auth/PassphraseField.tsx @@ -46,9 +46,9 @@ interface IProps extends Omit { class PassphraseField extends PureComponent { public static defaultProps = { label: _td("common|password"), - labelEnterPassword: _td("Enter password"), - labelStrongPassword: _td("Nice, strong password!"), - labelAllowedButUnsafe: _td("Password is allowed, but unsafe"), + labelEnterPassword: _td("auth|password_field_label"), + labelStrongPassword: _td("auth|password_field_strong_label"), + labelAllowedButUnsafe: _td("auth|password_field_weak_label"), }; public readonly validate = withValidation({ @@ -91,7 +91,7 @@ class PassphraseField extends PureComponent { return null; } const { feedback } = complexity; - return feedback.warning || feedback.suggestions[0] || _t("Keep going…"); + return feedback.warning || feedback.suggestions[0] || _t("auth|password_field_keep_going_prompt"); }, }, ], diff --git a/src/components/views/auth/PasswordLogin.tsx b/src/components/views/auth/PasswordLogin.tsx index 33c62a8df0..6acc2377f7 100644 --- a/src/components/views/auth/PasswordLogin.tsx +++ b/src/components/views/auth/PasswordLogin.tsx @@ -214,7 +214,7 @@ export default class PasswordLogin extends React.PureComponent { test({ value, allowEmpty }) { return allowEmpty || !!value; }, - invalid: () => _t("Enter username"), + invalid: () => _t("auth|username_field_required_invalid"), }, ], }); @@ -236,12 +236,12 @@ export default class PasswordLogin extends React.PureComponent { test({ value, allowEmpty }): boolean { return allowEmpty || !!value; }, - invalid: (): string => _t("Enter phone number"), + invalid: (): string => _t("auth|msisdn_field_required_invalid"), }, { key: "number", test: ({ value }): boolean => !value || PHONE_NUMBER_REGEX.test(value), - invalid: (): string => _t("That phone number doesn't look quite right, please check and try again"), + invalid: (): string => _t("auth|msisdn_field_number_invalid"), }, ], }); @@ -259,7 +259,7 @@ export default class PasswordLogin extends React.PureComponent { test({ value, allowEmpty }): boolean { return allowEmpty || !!value; }, - invalid: (): string => _t("Enter password"), + invalid: (): string => _t("auth|password_field_label"), }, ], }); @@ -341,7 +341,7 @@ export default class PasswordLogin extends React.PureComponent { autoComplete="tel-national" key="phone_input" type="text" - label={_t("Phone")} + label={_t("auth|msisdn_field_label")} value={this.props.phoneNumber} prefixComponent={phoneCountry} onChange={this.onPhoneNumberChanged} @@ -378,7 +378,7 @@ export default class PasswordLogin extends React.PureComponent { kind="link" onClick={this.onForgotPasswordClick} > - {_t("Forgot password?")} + {_t("auth|reset_password_button")} ); } @@ -396,7 +396,7 @@ export default class PasswordLogin extends React.PureComponent { if (!SdkConfig.get().disable_3pid_login) { loginType = (
- + { {_t("Email address")}
diff --git a/src/components/views/auth/RegistrationForm.tsx b/src/components/views/auth/RegistrationForm.tsx index 490167aaa6..41a2aed3bf 100644 --- a/src/components/views/auth/RegistrationForm.tsx +++ b/src/components/views/auth/RegistrationForm.tsx @@ -267,7 +267,7 @@ export default class RegistrationForm extends React.PureComponent _t("Use an email address to recover your account"), + description: () => _t("auth|reset_password_email_field_description"), hideDescriptionIfValid: true, rules: [ { @@ -275,12 +275,12 @@ export default class RegistrationForm extends React.PureComponent _t("Enter email address (required on this homeserver)"), + invalid: () => _t("auth|reset_password_email_field_required_invalid"), }, { key: "email", test: ({ value }) => !value || Email.looksValid(value), - invalid: () => _t("Doesn't look like a valid email address"), + invalid: () => _t("auth|email_field_label_invalid"), }, ], }); @@ -324,7 +324,7 @@ export default class RegistrationForm extends React.PureComponent _t("Other users can invite you to rooms using your contact details"), + description: () => _t("auth|msisdn_field_description"), hideDescriptionIfValid: true, rules: [ { @@ -332,12 +332,12 @@ export default class RegistrationForm extends React.PureComponent _t("Enter phone number (required on this homeserver)"), + invalid: () => _t("auth|registration_msisdn_field_required_invalid"), }, { key: "email", test: ({ value }) => !value || phoneNumberLooksValid(value), - invalid: () => _t("That phone number doesn't look quite right, please check and try again"), + invalid: () => _t("auth|msisdn_field_number_invalid"), }, ], }); @@ -380,7 +380,7 @@ export default class RegistrationForm extends React.PureComponent allowEmpty || !!value, - invalid: () => _t("Enter username"), + invalid: () => _t("auth|username_field_required_invalid"), }, { key: "safeLocalpart", @@ -451,7 +451,9 @@ export default class RegistrationForm extends React.PureComponent (this[RegistrationField.Email] = field)} diff --git a/src/components/views/dialogs/UserSettingsDialog.tsx b/src/components/views/dialogs/UserSettingsDialog.tsx index 00a49914b4..1a403f55ef 100644 --- a/src/components/views/dialogs/UserSettingsDialog.tsx +++ b/src/components/views/dialogs/UserSettingsDialog.tsx @@ -179,7 +179,7 @@ export default class UserSettingsDialog extends React.Component tabs.push( new Tab( UserTab.Mjolnir, - _td("Ignored users"), + _td("labs_mjolnir|title"), "mx_UserSettingsDialog_mjolnirIcon", , "UserSettingMjolnir", diff --git a/src/components/views/elements/PollCreateDialog.tsx b/src/components/views/elements/PollCreateDialog.tsx index 623dd0d710..6451bdcbb8 100644 --- a/src/components/views/elements/PollCreateDialog.tsx +++ b/src/components/views/elements/PollCreateDialog.tsx @@ -63,8 +63,8 @@ const MAX_OPTION_LENGTH = 340; function creatingInitialState(): IState { return { - title: _t("Create poll"), - actionLabel: _t("Create Poll"), + title: _t("poll|create_poll_title"), + actionLabel: _t("poll|create_poll_action"), canSubmit: false, // need to add a question and at least one option first question: "", options: arraySeed("", DEFAULT_NUM_OPTIONS), @@ -79,7 +79,7 @@ function editingInitialState(editingMxEvent: MatrixEvent): IState { if (!poll?.isEquivalentTo(M_POLL_START)) return creatingInitialState(); return { - title: _t("Edit poll"), + title: _t("poll|edit_poll_title"), actionLabel: _t("action|done"), canSubmit: true, question: poll.question.text, @@ -175,8 +175,8 @@ export default class PollCreateDialog extends ScrollableBaseModal { console.error("Failed to post poll:", e); Modal.createDialog(QuestionDialog, { - title: _t("Failed to post poll"), - description: _t("Sorry, the poll you tried to create was not posted."), + title: _t("poll|failed_send_poll_title"), + description: _t("poll|failed_send_poll_description"), button: _t("action|try_again"), cancelButton: _t("action|cancel"), onFinished: (tryAgain: boolean) => { @@ -197,37 +197,37 @@ export default class PollCreateDialog extends ScrollableBaseModal -

{_t("Poll type")}

+

{_t("poll|type_heading")}

{pollTypeNotes(this.state.kind)}

-

{_t("What is your poll question or topic?")}

+

{_t("poll|topic_heading")}

-

{_t("Create options")}

+

{_t("poll|options_heading")}

{this.state.options.map((op, i) => (
) => this.onOptionChange(i, e)} usePlaceholderAsHint={true} disabled={this.state.busy} @@ -250,7 +250,7 @@ export default class PollCreateDialog extends ScrollableBaseModal - {_t("Add option")} + {_t("poll|options_add_button")} {this.state.busy && (
@@ -270,8 +270,8 @@ export default class PollCreateDialog extends ScrollableBaseModal - {_t("Edit topic")} + {_t("room|edit_topic")} )}
@@ -119,7 +119,7 @@ export default function RoomTopic({ room, ...props }: IProps): JSX.Element { onClick={onClick} dir="auto" tooltipTargetClassName={className} - label={_t("Click to read topic")} + label={_t("room|read_topic")} alignment={Alignment.Bottom} ignoreHover={ignoreHover} > diff --git a/src/components/views/right_panel/EncryptionInfo.tsx b/src/components/views/right_panel/EncryptionInfo.tsx index a7418e1483..c2cd970135 100644 --- a/src/components/views/right_panel/EncryptionInfo.tsx +++ b/src/components/views/right_panel/EncryptionInfo.tsx @@ -106,7 +106,7 @@ const EncryptionInfo: React.FC = ({ return (
-

{_t("Encryption")}

+

{_t("settings|security|encryption_section")}

{description}
diff --git a/src/components/views/rooms/RoomUpgradeWarningBar.tsx b/src/components/views/rooms/RoomUpgradeWarningBar.tsx index b637a57fe5..3630182c4b 100644 --- a/src/components/views/rooms/RoomUpgradeWarningBar.tsx +++ b/src/components/views/rooms/RoomUpgradeWarningBar.tsx @@ -78,7 +78,7 @@ export default class RoomUpgradeWarningBar extends React.PureComponent

{_t( - "Warning: upgrading a room will not automatically migrate room members to the new version of the room. We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.", + "room_settings|advanced|room_upgrade_warning", {}, { b: (sub) => {sub}, @@ -89,7 +89,7 @@ export default class RoomUpgradeWarningBar extends React.PureComponent

- {_t("Upgrade this room to the recommended room version")} + {_t("room_settings|advanced|room_upgrade_button")}

diff --git a/src/components/views/settings/BridgeTile.tsx b/src/components/views/settings/BridgeTile.tsx index 6ac4df3317..79dd6d9f32 100644 --- a/src/components/views/settings/BridgeTile.tsx +++ b/src/components/views/settings/BridgeTile.tsx @@ -89,7 +89,7 @@ export default class BridgeTile extends React.PureComponent { creator = (
  • {_t( - "This bridge was provisioned by .", + "labs|bridge_state_creator", {}, { user: () => ( @@ -109,7 +109,7 @@ export default class BridgeTile extends React.PureComponent { const bot = (
  • {_t( - "This bridge is managed by .", + "labs|bridge_state_manager", {}, { user: () => ( @@ -154,7 +154,7 @@ export default class BridgeTile extends React.PureComponent { ); } networkItem = _t( - "Workspace: ", + "labs|bridge_state_workspace", {}, { networkLink: () => networkLink, @@ -181,7 +181,7 @@ export default class BridgeTile extends React.PureComponent { {networkItem} {_t( - "Channel: ", + "labs|bridge_state_channel", {}, { channelLink: () => channelLink, diff --git a/src/components/views/settings/ChangePassword.tsx b/src/components/views/settings/ChangePassword.tsx index 842d6f6ea5..f7f17d0de5 100644 --- a/src/components/views/settings/ChangePassword.tsx +++ b/src/components/views/settings/ChangePassword.tsx @@ -127,7 +127,7 @@ export default class ChangePassword extends React.Component { this.props.onError(err); } else { this.props.onError( - new UserFriendlyError("Error while changing password: %(error)s", { + new UserFriendlyError("auth|change_password_error", { error: String(err), cause: undefined, }), @@ -155,16 +155,16 @@ export default class ChangePassword extends React.Component { */ private checkPassword(oldPass: string, newPass: string, confirmPass: string): void { if (newPass !== confirmPass) { - throw new UserFriendlyError("New passwords don't match"); + throw new UserFriendlyError("auth|change_password_mismatch"); } else if (!newPass || newPass.length === 0) { - throw new UserFriendlyError("Passwords can't be empty"); + throw new UserFriendlyError("auth|change_password_empty"); } } private optionallySetEmail(): Promise { // Ask for an email otherwise the user has no way to reset their password const modal = Modal.createDialog(SetEmailDialog, { - title: _t("Do you want to set an email address?"), + title: _t("auth|set_email_prompt"), }); return modal.finished.then(([confirmed]) => !!confirmed); } @@ -194,7 +194,7 @@ export default class ChangePassword extends React.Component { { key: "required", test: ({ value, allowEmpty }) => allowEmpty || !!value, - invalid: () => _t("Passwords can't be empty"), + invalid: () => _t("auth|change_password_empty"), }, ], }); @@ -226,14 +226,14 @@ export default class ChangePassword extends React.Component { { key: "required", test: ({ value, allowEmpty }) => allowEmpty || !!value, - invalid: () => _t("Confirm password"), + invalid: () => _t("auth|change_password_confirm_label"), }, { key: "match", test({ value }) { return !value || value === this.state.newPassword; }, - invalid: () => _t("Passwords don't match"), + invalid: () => _t("auth|change_password_confirm_invalid"), }, ], }); @@ -261,7 +261,7 @@ export default class ChangePassword extends React.Component { this.props.onError(err); } else { this.props.onError( - new UserFriendlyError("Error while changing password: %(error)s", { + new UserFriendlyError("auth|change_password_error", { error: String(err), cause: undefined, }), @@ -344,7 +344,7 @@ export default class ChangePassword extends React.Component { (this[FIELD_OLD_PASSWORD] = field)} type="password" - label={_t("Current password")} + label={_t("auth|change_password_current_label")} value={this.state.oldPassword} onChange={this.onChangeOldPassword} onValidate={this.onOldPasswordValidate} @@ -354,7 +354,7 @@ export default class ChangePassword extends React.Component { (this[FIELD_NEW_PASSWORD] = field)} type="password" - label={_td("New Password")} + label={_td("auth|change_password_new_label")} minScore={PASSWORD_MIN_SCORE} value={this.state.newPassword} autoFocus={this.props.autoFocusNewPasswordInput} @@ -367,7 +367,7 @@ export default class ChangePassword extends React.Component { (this[FIELD_NEW_PASSWORD_CONFIRM] = field)} type="password" - label={_t("Confirm password")} + label={_t("auth|change_password_confirm_label")} value={this.state.newPasswordConfirm} onChange={this.onChangeNewPasswordConfirm} onValidate={this.onNewPasswordConfirmValidate} @@ -379,7 +379,7 @@ export default class ChangePassword extends React.Component { kind={this.props.buttonKind} onClick={this.onClickChange} > - {this.props.buttonLabel || _t("Change Password")} + {this.props.buttonLabel || _t("auth|change_password_action")} ); diff --git a/src/components/views/settings/CrossSigningPanel.tsx b/src/components/views/settings/CrossSigningPanel.tsx index 933cfccd9b..844d4ec393 100644 --- a/src/components/views/settings/CrossSigningPanel.tsx +++ b/src/components/views/settings/CrossSigningPanel.tsx @@ -263,32 +263,52 @@ export default class CrossSigningPanel extends React.PureComponent<{}, IState> { {_t("Advanced")} - - - - - + - - + + - - + + - - + + - - + + + + + +
    {_t("Cross-signing public keys:")}{crossSigningPublicKeysOnDevice ? _t("in memory") : _t("not found")}
    {_t("Cross-signing private keys:")}{_t("settings|security|cross_signing_public_keys")} - {crossSigningPrivateKeysInStorage - ? _t("in secret storage") - : _t("not found in storage")} + {crossSigningPublicKeysOnDevice + ? _t("settings|security|cross_signing_in_memory") + : _t("settings|security|cross_signing_not_found")}
    {_t("Master private key:")}{masterPrivateKeyCached ? _t("cached locally") : _t("not found locally")}{_t("settings|security|cross_signing_private_keys")} + {crossSigningPrivateKeysInStorage + ? _t("settings|security|cross_signing_in_4s") + : _t("settings|security|cross_signing_not_in_4s")} +
    {_t("Self signing private key:")}{selfSigningPrivateKeyCached ? _t("cached locally") : _t("not found locally")}{_t("settings|security|cross_signing_master_private_Key")} + {masterPrivateKeyCached + ? _t("settings|security|cross_signing_cached") + : _t("settings|security|cross_signing_not_cached")} +
    {_t("User signing private key:")}{userSigningPrivateKeyCached ? _t("cached locally") : _t("not found locally")}{_t("settings|security|cross_signing_self_signing_private_key")} + {selfSigningPrivateKeyCached + ? _t("settings|security|cross_signing_cached") + : _t("settings|security|cross_signing_not_cached")} +
    {_t("Homeserver feature support:")}{homeserverSupportsCrossSigning ? _t("exists") : _t("not found")}{_t("settings|security|cross_signing_user_signing_private_key")} + {userSigningPrivateKeyCached + ? _t("settings|security|cross_signing_cached") + : _t("settings|security|cross_signing_not_cached")} +
    {_t("settings|security|cross_signing_homeserver_support")} + {homeserverSupportsCrossSigning + ? _t("settings|security|cross_signing_homeserver_support_exists") + : _t("settings|security|cross_signing_not_found")} +
  • diff --git a/src/components/views/settings/CryptographyPanel.tsx b/src/components/views/settings/CryptographyPanel.tsx index 5a5e424abe..5bbb1e43ac 100644 --- a/src/components/views/settings/CryptographyPanel.tsx +++ b/src/components/views/settings/CryptographyPanel.tsx @@ -52,10 +52,10 @@ export default class CryptographyPanel extends React.Component { importExportButtons = (
    - {_t("Export E2E room keys")} + {_t("settings|security|export_megolm_keys")} - {_t("Import E2E room keys")} + {_t("settings|security|import_megolm_keys")}
    ); @@ -73,17 +73,17 @@ export default class CryptographyPanel extends React.Component { } return ( - + - + - +
    {_t("Session ID:")}{_t("settings|security|session_id")} {deviceId}
    {_t("Session key:")}{_t("settings|security|session_key")} {identityKey} diff --git a/src/components/views/settings/E2eAdvancedPanel.tsx b/src/components/views/settings/E2eAdvancedPanel.tsx index a2e4564294..45c0e368d1 100644 --- a/src/components/views/settings/E2eAdvancedPanel.tsx +++ b/src/components/views/settings/E2eAdvancedPanel.tsx @@ -26,7 +26,7 @@ const SETTING_MANUALLY_VERIFY_ALL_SESSIONS = "e2ee.manuallyVerifyAllSessions"; const E2eAdvancedPanel: React.FC = () => { return ( - + {_t( diff --git a/src/components/views/settings/SecureBackupPanel.tsx b/src/components/views/settings/SecureBackupPanel.tsx index ce8e385684..18c2ee6e90 100644 --- a/src/components/views/settings/SecureBackupPanel.tsx +++ b/src/components/views/settings/SecureBackupPanel.tsx @@ -366,18 +366,28 @@ export default class SecureBackupPanel extends React.PureComponent<{}, IState> { - + - + diff --git a/src/components/views/settings/UpdateCheckButton.tsx b/src/components/views/settings/UpdateCheckButton.tsx index da88106749..d0654a743e 100644 --- a/src/components/views/settings/UpdateCheckButton.tsx +++ b/src/components/views/settings/UpdateCheckButton.tsx @@ -33,16 +33,16 @@ function installUpdate(): void { function getStatusText(status: UpdateCheckStatus, errorDetail?: string): ReactNode { switch (status) { case UpdateCheckStatus.Error: - return _t("Error encountered (%(errorDetail)s).", { errorDetail }); + return _t("update|error_encountered", { errorDetail }); case UpdateCheckStatus.Checking: - return _t("Checking for an update…"); + return _t("update|checking"); case UpdateCheckStatus.NotAvailable: - return _t("No update available."); + return _t("update|no_update"); case UpdateCheckStatus.Downloading: - return _t("Downloading update…"); + return _t("update|downloading"); case UpdateCheckStatus.Ready: return _t( - "New version available. Update now.", + "update|new_version_available", {}, { a: (sub) => ( @@ -86,7 +86,7 @@ const UpdateCheckButton: React.FC = () => { return ( - {_t("Check for update")} + {_t("update|check_action")} {suffix} diff --git a/src/components/views/settings/tabs/room/AdvancedRoomSettingsTab.tsx b/src/components/views/settings/tabs/room/AdvancedRoomSettingsTab.tsx index 85479ca45b..bab818c714 100644 --- a/src/components/views/settings/tabs/room/AdvancedRoomSettingsTab.tsx +++ b/src/components/views/settings/tabs/room/AdvancedRoomSettingsTab.tsx @@ -111,7 +111,7 @@ export default class AdvancedRoomSettingsTab extends React.Component{_t("This room is not accessible by remote Matrix servers")}; + unfederatableSection =
    {_t("room_settings|advanced|unfederated")}
    ; } let roomUpgradeButton; @@ -120,7 +120,7 @@ export default class AdvancedRoomSettingsTab extends React.Component

    {_t( - "Warning: upgrading a room will not automatically migrate room members to the new version of the room. We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.", + "room_settings|advanced|room_upgrade_warning", {}, { b: (sub) => {sub}, @@ -130,8 +130,8 @@ export default class AdvancedRoomSettingsTab extends React.Component {isSpace - ? _t("Upgrade this space to the recommended room version") - : _t("Upgrade this room to the recommended room version")} + ? _t("room_settings|advanced|space_upgrade_button") + : _t("room_settings|advanced|room_upgrade_button")} ); @@ -141,9 +141,9 @@ export default class AdvancedRoomSettingsTab extends React.Component

    - {_t("Internal room ID")} + {_t("room_settings|advanced|room_id")} this.props.room.roomId}> {this.props.room.roomId}
    {unfederatableSection} - +
    - {_t("Room version:")}  + {_t("room_settings|advanced|room_version")}  {room.getVersion()}
    {oldRoomLink} diff --git a/src/components/views/settings/tabs/room/SecurityRoomSettingsTab.tsx b/src/components/views/settings/tabs/room/SecurityRoomSettingsTab.tsx index caa787b2f8..a304476306 100644 --- a/src/components/views/settings/tabs/room/SecurityRoomSettingsTab.tsx +++ b/src/components/views/settings/tabs/room/SecurityRoomSettingsTab.tsx @@ -444,7 +444,7 @@ export default class SecurityRoomSettingsTab extends React.Component - {_t("Manage account")} + {_t("settings|general|oidc_manage_button")} ); } return ( <> - + {externalAccountManagement} {passwordChangeSection} @@ -421,7 +425,7 @@ export default class GeneralUserSettingsTab extends React.Component + + ); diff --git a/src/components/views/settings/tabs/user/LabsUserSettingsTab.tsx b/src/components/views/settings/tabs/user/LabsUserSettingsTab.tsx index d1f7393018..34b7bfbeaf 100644 --- a/src/components/views/settings/tabs/user/LabsUserSettingsTab.tsx +++ b/src/components/views/settings/tabs/user/LabsUserSettingsTab.tsx @@ -110,21 +110,18 @@ export default class LabsUserSettingsTab extends React.Component<{}> { return ( - + - {_t( - "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.", - { brand: SdkConfig.get("brand") }, - )} + {_t("labs|beta_description", { brand: SdkConfig.get("brand") })} {betaSection} {labsSections && ( - + {_t( - "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.", + "labs|experimental_description", {}, { a: (sub) => { diff --git a/src/components/views/settings/tabs/user/MjolnirUserSettingsTab.tsx b/src/components/views/settings/tabs/user/MjolnirUserSettingsTab.tsx index 0935821b0f..700773f237 100644 --- a/src/components/views/settings/tabs/user/MjolnirUserSettingsTab.tsx +++ b/src/components/views/settings/tabs/user/MjolnirUserSettingsTab.tsx @@ -69,14 +69,14 @@ export default class MjolnirUserSettingsTab extends React.Component<{}, IState> this.setState({ busy: true }); try { const list = await Mjolnir.sharedInstance().getOrCreatePersonalList(); - await list.banEntity(kind, this.state.newPersonalRule, _t("Ignored/Blocked")); + await list.banEntity(kind, this.state.newPersonalRule, _t("labs_mjolnir|ban_reason")); this.setState({ newPersonalRule: "" }); // this will also cause the new rule to be rendered } catch (e) { logger.error(e); Modal.createDialog(ErrorDialog, { - title: _t("Error adding ignored user/server"), - description: _t("Something went wrong. Please try again or view your console for hints."), + title: _t("labs_mjolnir|error_adding_ignore"), + description: _t("labs_mjolnir|something_went_wrong"), }); } finally { this.setState({ busy: false }); @@ -96,8 +96,8 @@ export default class MjolnirUserSettingsTab extends React.Component<{}, IState> logger.error(e); Modal.createDialog(ErrorDialog, { - title: _t("Error subscribing to list"), - description: _t("Please verify the room ID or address and try again."), + title: _t("labs_mjolnir|error_adding_list_title"), + description: _t("labs_mjolnir|error_adding_list_description"), }); } finally { this.setState({ busy: false }); @@ -113,8 +113,8 @@ export default class MjolnirUserSettingsTab extends React.Component<{}, IState> logger.error(e); Modal.createDialog(ErrorDialog, { - title: _t("Error removing ignored user/server"), - description: _t("Something went wrong. Please try again or view your console for hints."), + title: _t("labs_mjolnir|error_removing_ignore"), + description: _t("labs_mjolnir|something_went_wrong"), }); } finally { this.setState({ busy: false }); @@ -130,8 +130,8 @@ export default class MjolnirUserSettingsTab extends React.Component<{}, IState> logger.error(e); Modal.createDialog(ErrorDialog, { - title: _t("Error unsubscribing from list"), - description: _t("Please try again or view your console for hints."), + title: _t("labs_mjolnir|error_removing_list_title"), + description: _t("labs_mjolnir|error_removing_list_description"), }); } finally { this.setState({ busy: false }); @@ -157,12 +157,12 @@ export default class MjolnirUserSettingsTab extends React.Component<{}, IState> }; Modal.createDialog(QuestionDialog, { - title: _t("Ban list rules - %(roomName)s", { roomName: name }), + title: _t("labs_mjolnir|rules_title", { roomName: name }), description: (
    -

    {_t("Server rules")}

    +

    {_t("labs_mjolnir|rules_server")}

    {renderRules(list.serverRules)} -

    {_t("User rules")}

    +

    {_t("labs_mjolnir|rules_user")}

    {renderRules(list.userRules)}
    ), @@ -174,7 +174,7 @@ export default class MjolnirUserSettingsTab extends React.Component<{}, IState> private renderPersonalBanListRules(): JSX.Element { const list = Mjolnir.sharedInstance().getPersonalList(); const rules = list ? [...list.userRules, ...list.serverRules] : []; - if (!list || rules.length <= 0) return {_t("You have not ignored anyone.")}; + if (!list || rules.length <= 0) return {_t("labs_mjolnir|personal_empty")}; const tiles: JSX.Element[] = []; for (const rule of rules) { @@ -195,7 +195,7 @@ export default class MjolnirUserSettingsTab extends React.Component<{}, IState> return (
    -

    {_t("You are currently ignoring:")}

    +

    {_t("labs_mjolnir|personal_section")}

      {tiles}
    ); @@ -206,7 +206,7 @@ export default class MjolnirUserSettingsTab extends React.Component<{}, IState> const lists = Mjolnir.sharedInstance().lists.filter((b) => { return personalList ? personalList.roomId !== b.roomId : true; }); - if (!lists || lists.length <= 0) return {_t("You are not subscribed to any lists")}; + if (!lists || lists.length <= 0) return {_t("labs_mjolnir|no_lists")}; const tiles: JSX.Element[] = []; for (const list of lists) { @@ -233,7 +233,7 @@ export default class MjolnirUserSettingsTab extends React.Component<{}, IState> onClick={() => this.viewListRules(list)} disabled={this.state.busy} > - {_t("View rules")} + {_t("labs_mjolnir|view_rules")}   {name} @@ -243,7 +243,7 @@ export default class MjolnirUserSettingsTab extends React.Component<{}, IState> return (
    -

    {_t("You are currently subscribed to:")}

    +

    {_t("labs_mjolnir|lists")}

      {tiles}
    ); @@ -254,37 +254,24 @@ export default class MjolnirUserSettingsTab extends React.Component<{}, IState> return ( - + - {_t("⚠ These settings are meant for advanced users.")} -

    - {_t( - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.", - { brand }, - { code: (s) => {s} }, - )} -

    -

    - {_t( - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.", - )} -

    + {_t("labs_mjolnir|advanced_warning")} +

    {_t("labs_mjolnir|explainer_1", { brand }, { code: (s) => {s} })}

    +

    {_t("labs_mjolnir|explainer_2")}

    {this.renderPersonalBanListRules()}
    @@ -299,16 +286,12 @@ export default class MjolnirUserSettingsTab extends React.Component<{}, IState>
    - - {_t("Subscribing to a ban list will cause you to join it!")} - + {_t("labs_mjolnir|lists_description_1")}   - - {_t("If this isn't what you want, please use a different tool to ignore users.")} - + {_t("labs_mjolnir|lists_description_2")} } > @@ -316,7 +299,7 @@ export default class MjolnirUserSettingsTab extends React.Component<{}, IState>
    diff --git a/src/components/views/settings/tabs/user/SecurityUserSettingsTab.tsx b/src/components/views/settings/tabs/user/SecurityUserSettingsTab.tsx index 89300bee8b..c8d18864e1 100644 --- a/src/components/views/settings/tabs/user/SecurityUserSettingsTab.tsx +++ b/src/components/views/settings/tabs/user/SecurityUserSettingsTab.tsx @@ -358,7 +358,7 @@ export default class SecurityUserSettingsTab extends React.Component {warning} - + {secureBackup} {eventIndex} {crossSigning} diff --git a/src/components/views/verification/VerificationComplete.tsx b/src/components/views/verification/VerificationComplete.tsx index 7282f52506..002bac7182 100644 --- a/src/components/views/verification/VerificationComplete.tsx +++ b/src/components/views/verification/VerificationComplete.tsx @@ -29,14 +29,10 @@ export default class VerificationComplete extends React.Component {

    {_t("encryption|verification|complete_title")}

    {_t("encryption|verification|complete_description")}

    -

    - {_t( - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.", - )} -

    +

    {_t("encryption|verification|explainer")}

    diff --git a/src/components/views/verification/VerificationShowSas.tsx b/src/components/views/verification/VerificationShowSas.tsx index 4142caf051..42cb772159 100644 --- a/src/components/views/verification/VerificationShowSas.tsx +++ b/src/components/views/verification/VerificationShowSas.tsx @@ -133,18 +133,18 @@ export default class VerificationShowSas extends React.Component ); sasCaption = this.props.isSelf - ? _t("Confirm the emoji below are displayed on both devices, in the same order:") - : _t("Verify this user by confirming the following emoji appear on their screen."); + ? _t("encryption|verification|sas_emoji_caption_self") + : _t("encryption|verification|sas_emoji_caption_user"); } else if (this.props.sas.decimal) { const numberBlocks = this.props.sas.decimal.map((num, i) => {num}); sasDisplay =
    {numberBlocks}
    ; sasCaption = this.props.isSelf - ? _t("Verify this device by confirming the following number appears on its screen.") - : _t("Verify this user by confirming the following number appears on their screen."); + ? _t("encryption|verification|sas_caption_self") + : _t("encryption|verification|sas_caption_user"); } else { return (
    - {_t("Unable to find a supported verification method.")} + {_t("encryption|verification|unsupported_method")} {_t("action|cancel")} @@ -159,21 +159,21 @@ export default class VerificationShowSas extends React.Component // logged out during verification const otherDevice = this.props.otherDeviceDetails; if (otherDevice) { - text = _t("Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…", { + text = _t("encryption|verification|waiting_other_device_details", { deviceName: otherDevice.displayName, deviceId: otherDevice.deviceId, }); } else { - text = _t("Waiting for you to verify on your other device…"); + text = _t("encryption|verification|waiting_other_device"); } confirm =

    {text}

    ; } else if (this.state.pending || this.state.cancelling) { let text; if (this.state.pending) { const { displayName } = this.props; - text = _t("Waiting for %(displayName)s to verify…", { displayName }); + text = _t("encryption|verification|waiting_other_user", { displayName }); } else { - text = _t("Cancelling…"); + text = _t("encryption|verification|cancelling"); } confirm = ; } else { diff --git a/src/i18n/strings/ar.json b/src/i18n/strings/ar.json index ac8801b1a4..118225f51d 100644 --- a/src/i18n/strings/ar.json +++ b/src/i18n/strings/ar.json @@ -9,7 +9,6 @@ "Unavailable": "غير متوفر", "All Rooms": "كل الغُرف", "All messages": "كل الرسائل", - "No update available.": "لا يوجد هناك أي تحديث.", "Changelog": "سِجل التغييرات", "Thank you!": "شكرًا !", "Use Single Sign On to continue": "استعمل الولوج الموحّد للمواصلة", @@ -297,27 +296,8 @@ "Encrypted by a deleted session": "مشفرة باتصال محذوف", "Unencrypted": "غير مشفر", "Encrypted by an unverified session": "مشفرة باتصال لم يتم التحقق منه", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "يتم تجاهل الأشخاص من خلال قوائم الحظر التي تحتوي على قواعد لمن يتم حظره. الاشتراك في قائمة حظر يعني أن المستخدمين / الخوادم المحظورة بواسطة تلك القائمة سيتم إخفاؤهم عنك.", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "أضف المستخدمين والخوادم التي تريد تجاهلها هنا. استخدم علامة النجمة لجعل %(brand)s s تطابق أي أحرف. على سبيل المثال ، قد يتجاهل bot: * جميع المستخدمين الذين اسمهم \"bot\" على أي خادم.", - "⚠ These settings are meant for advanced users.": "⚠ هذه الإعدادات مخصصة للمستخدمين المتقدمين.", "Ignored users": "المستخدمون المتجاهَلون", - "You are currently subscribed to:": "أنت مشترك حاليا ب:", - "View rules": "عرض القواعد", - "You are not subscribed to any lists": "أنت غير مشترك في أي قوائم", - "You are currently ignoring:": "حاليًّا أنت متجاهل:", - "You have not ignored anyone.": "أنت لم تتجاهل أحداً.", - "User rules": "قواعد المستخدم", - "Server rules": "قواعد الخادم", - "Ban list rules - %(roomName)s": "قواعد قائمة الحظر - %(roomName)s", "None": "لا شيء", - "Please try again or view your console for hints.": "يرجى المحاولة مرة أخرى أو عرض وحدة التحكم (console) للتلميحات.", - "Error unsubscribing from list": "تعذر إلغاء الاشتراك من القائمة", - "Error removing ignored user/server": "تعذر حذف مستخدم/خادم مُتجاهَل", - "Please verify the room ID or address and try again.": "يرجى التحقق من معرف الغرفة أو العنوان والمحاولة مرة أخرى.", - "Error subscribing to list": "تعذر الاشتراك في القائمة", - "Something went wrong. Please try again or view your console for hints.": "هناك خطأ ما. يرجى المحاولة مرة أخرى أو عرض وحدة التحكم (console) للتلميحات.", - "Error adding ignored user/server": "تعذر إضافة مستخدم/خادم مُتجاهَل", - "Ignored/Blocked": "المُتجاهل/المحظور", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "للإبلاغ عن مشكلة أمنية متعلقة بMatrix ، يرجى قراءة سياسة الإفصاح الأمني في Matrix.org.", "General": "عام", "Discovery": "الاكتشاف", @@ -325,13 +305,8 @@ "Deactivate Account": "تعطيل الحساب", "Account management": "إدارة الحساب", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "وافق على شروط خدمة خادم الهوية %(serverName)s لتكون قابلاً للاكتشاف عن طريق عنوان البريد الإلكتروني أو رقم الهاتف.", - "Language and region": "اللغة والمنطقة", - "Account": "الحساب", "Phone numbers": "أرقام الهواتف", "Email addresses": "عنوان البريد الإلكتروني", - "New version available. Update now.": "ثمة إصدارٌ جديد. حدّث الآن.", - "Check for update": "ابحث عن تحديث", - "Error encountered (%(errorDetail)s).": "صودِفَ خطأ: (%(errorDetail)s).", "Manage integrations": "إدارة التكاملات", "Enter a new identity server": "أدخل خادم هوية جديدًا", "Do not use an identity server": "لا تستخدم خادم هوية", @@ -456,48 +431,19 @@ "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s يفقد بعض المكونات المطلوبة لحفظ آمن محليًّا للرسائل المشفرة. إذا أدرت تجربة هذه الخاصية، فأنشئ %(brand)s على سطح المكتب مع إضافة مكونات البحث.", "Securely cache encrypted messages locally for them to appear in search results.": "تخزين الرسائل المشفرة بشكل آمن (في cache) محليًا حتى تظهر في نتائج البحث.", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "تحقق بشكل فردي من كل اتصال يستخدمه المستخدم لتمييزه أنه موثوق ، دون الوثوق بالأجهزة الموقعة بالتبادل.", - "Encryption": "تشفير", "Failed to set display name": "تعذر تعيين الاسم الظاهر", "Authentication": "المصادقة", - "exists": "يوجد", - "User signing private key:": "المفتاح الخاص لتوقيع المستخدم:", - "Self signing private key:": "المفتاح الخاص للتوقيع الذاتي:", - "not found locally": "لم يعثر عليه محليًّا", - "cached locally": "حُفظ (في cache) محليًّا", - "Master private key:": "المفتاح الخاص الرئيسي:", - "not found in storage": "لم يعثر عليها في المخزن", - "in secret storage": "في المخزن السري", - "Cross-signing private keys:": "المفاتيح الخاصة للتوقيع المتبادل:", - "not found": "لم يعثر عليه", - "in memory": "في الذاكرة", - "Cross-signing public keys:": "المفاتيح العامة للتوقيع المتبادل:", "Set up": "تأسيس", "Cross-signing is not set up.": "لم يتم إعداد التوقيع المتبادل.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "يحتوي حسابك على هوية توقيع متبادل في وحدة تخزين سرية ، لكن هذا الاتصال لم يثق به بعد.", "Cross-signing is ready for use.": "التوقيع المتبادل جاهز للاستخدام.", "Your homeserver does not support cross-signing.": "خادوم المنزل الذي تستعمل لا يدعم التوقيع المتبادل (cross-signing).", - "Change Password": "تغيير كلمة المرور", - "Confirm password": "تأكيد كلمة المرور", - "New Password": "كلمة مرور جديدة", - "Current password": "كلمة المرور الحالية", - "Do you want to set an email address?": "هل تريد تعيين عنوان بريد إلكتروني؟", - "Export E2E room keys": "تصدير مفاتيح E2E للغرفة", "Warning!": "إنذار!", - "Passwords can't be empty": "كلمات المرور لا يمكن أن تكون فارغة", - "New passwords don't match": "كلمات المرور الجديدة لا تتطابق", "No display name": "لا اسم ظاهر", "Show more": "أظهر أكثر", - "This bridge is managed by .": "هذا الجسر يديره .", "Accept to continue:": "قبول للمتابعة:", "Your server isn't responding to some requests.": "خادمك لا يتجاوب مع بعض الطلبات.", "Dog": "كلب", - "Cancelling…": "جارٍ الإلغاء…", - "Waiting for %(displayName)s to verify…": "بانتظار %(displayName)s للتحقق…", - "Unable to find a supported verification method.": "تعذر العثور على أحد طرق التحقق الممكنة.", - "Verify this user by confirming the following number appears on their screen.": "تحقق من هذا المستخدم من خلال التأكد من ظهور الرقم التالي على شاشته.", - "Verify this user by confirming the following emoji appear on their screen.": "تحقق من هذا المستخدم من خلال التأكيد من ظهور الرموز التعبيرية التالية على شاشته.", - "Got It": "فهمت", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "الرسائل الآمنة مع هذا المستخدم مشفرة من طرفك إلى طرفه ولا يمكن قراءتها من قبل جهات خارجية.", "IRC display name width": "عرض الاسم الظاهر لIRC", "Change notification settings": "تغيير إعدادات الإشعار", "Please contact your homeserver administrator.": "يُرجى تواصلك مع مدير خادمك.", @@ -550,12 +496,7 @@ "Room Addresses": "عناوين الغرف", "Bridges": "الجسور", "This room is bridging messages to the following platforms. Learn more.": "تعمل هذه الغرفة على توصيل الرسائل بالمنصات التالية. اعرف المزيد. ", - "Room version:": "إصدار الغرفة:", - "Room version": "إصدار الغرفة", "Room information": "معلومات الغرفة", - "View older messages in %(roomName)s.": "عرض رسائل أقدم في %(roomName)s.", - "Upgrade this room to the recommended room version": "قم بترقية هذه الغرفة إلى إصدار الغرفة الموصى به", - "This room is not accessible by remote Matrix servers": "لا يمكن الوصول إلى هذه الغرفة بواسطة خوادم Matrix البعيدة", "Voice & Video": "الصوت والفيديو", "Audio Output": "مخرج الصوت", "No Webcams detected": "لم يتم الكشف عن كاميرات الويب", @@ -570,18 +511,7 @@ "Reject all %(invitedRooms)s invites": "رفض كل الدعوات (%(invitedRooms)s)", "Accept all %(invitedRooms)s invites": "قبول كل الدعوات (%(invitedRooms)s)", "Bulk options": "خيارات مجمعة", - "Session key:": "مفتاح الاتصال:", - "Session ID:": "معرّف الاتصال:", - "Cryptography": "التشفير", - "Import E2E room keys": "تعبئة مفاتيح E2E للغرف", "": "<غير معتمد>", - "Room ID or address of ban list": "معرف الغرفة أو عنوان قائمة الحظر", - "If this isn't what you want, please use a different tool to ignore users.": "إذا لم يكن هذا ما تريده ، فيرجى استخدام أداة مختلفة لتجاهل المستخدمين.", - "Subscribing to a ban list will cause you to join it!": "سيؤدي الاشتراك في قائمة الحظر إلى انضمامك إليها!", - "Subscribed lists": "قوائم متشرك بها", - "eg: @bot:* or example.org": "مثلاً: @bot:* أو example.org", - "Server or user ID to ignore": "الخادم أو معرف المستخدم المطلوب تجاهله", - "Personal ban list": "قائمة الحظر الشخصية", "Safeguard against losing access to encrypted messages & data": "حماية ضد فقدان الوصول إلى الرسائل والبيانات المشفرة", "Verify this session": "تحقق من هذا الاتصال", "Encryption upgrade available": "ترقية التشفير متاحة", @@ -896,7 +826,8 @@ "group_widgets": "عناصر الواجهة", "group_rooms": "الغرف", "group_voip": "الصوت والفيديو", - "group_encryption": "تشفير" + "group_encryption": "تشفير", + "bridge_state_manager": "هذا الجسر يديره ." }, "keyboard": { "number": "[رقم]", @@ -1002,13 +933,35 @@ "strict_encryption": "لا ترسل أبدًا رسائل مشفرة إلى اتصالات لم يتم التحقق منها من هذا الاتصال", "enable_message_search": "تمكين البحث عن الرسائل في الغرف المشفرة", "message_search_sleep_time": "ما مدى سرعة تنزيل الرسائل.", - "manually_verify_all_sessions": "تحقق يدويًا من جميع الاتصالات البعيدة" + "manually_verify_all_sessions": "تحقق يدويًا من جميع الاتصالات البعيدة", + "cross_signing_public_keys": "المفاتيح العامة للتوقيع المتبادل:", + "cross_signing_in_memory": "في الذاكرة", + "cross_signing_not_found": "لم يعثر عليه", + "cross_signing_private_keys": "المفاتيح الخاصة للتوقيع المتبادل:", + "cross_signing_in_4s": "في المخزن السري", + "cross_signing_not_in_4s": "لم يعثر عليها في المخزن", + "cross_signing_master_private_Key": "المفتاح الخاص الرئيسي:", + "cross_signing_cached": "حُفظ (في cache) محليًّا", + "cross_signing_not_cached": "لم يعثر عليه محليًّا", + "cross_signing_self_signing_private_key": "المفتاح الخاص للتوقيع الذاتي:", + "cross_signing_user_signing_private_key": "المفتاح الخاص لتوقيع المستخدم:", + "cross_signing_homeserver_support_exists": "يوجد", + "export_megolm_keys": "تصدير مفاتيح E2E للغرفة", + "import_megolm_keys": "تعبئة مفاتيح E2E للغرف", + "cryptography_section": "التشفير", + "session_id": "معرّف الاتصال:", + "session_key": "مفتاح الاتصال:", + "encryption_section": "تشفير" }, "preferences": { "room_list_heading": "قائمة الغرفة", "composer_heading": "الكاتب", "autocomplete_delay": "تأخير الإكمال التلقائي (مللي ثانية)", "always_show_menu_bar": "أظهر شريط قائمة النافذة دائمًا" + }, + "general": { + "account_section": "الحساب", + "language_section": "اللغة والمنطقة" } }, "devtools": { @@ -1302,6 +1255,13 @@ "url_preview_encryption_warning": "في الغرف المشفرة ، مثل هذه الغرفة ، يتم تعطيل معاينات URL أصلاً للتأكد من أن خادمك الوسيط (حيث يتم إنشاء المعاينات) لا يمكنه جمع معلومات حول الروابط التي تراها في هذه الغرفة.", "url_preview_explainer": "عندما يضع شخص ما عنوان URL في رسالته ، يمكن عرض معاينة عنوان URL لإعطاء مزيد من المعلومات حول هذا الرابط مثل العنوان والوصف وصورة من موقع الويب.", "url_previews_section": "معاينة الروابط" + }, + "advanced": { + "unfederated": "لا يمكن الوصول إلى هذه الغرفة بواسطة خوادم Matrix البعيدة", + "room_upgrade_button": "قم بترقية هذه الغرفة إلى إصدار الغرفة الموصى به", + "room_predecessor": "عرض رسائل أقدم في %(roomName)s.", + "room_version_section": "إصدار الغرفة", + "room_version": "إصدار الغرفة:" } }, "encryption": { @@ -1314,7 +1274,14 @@ "complete_description": "لقد نجحت في التحقق من هذا المستخدم.", "qr_prompt": "امسح هذا الرمز الفريد", "sas_prompt": "قارن رمزاً تعبيريًّا فريداً", - "sas_description": "قارن مجموعة فريدة من الرموز التعبيرية إذا لم يكن لديك كاميرا على أي من الجهازين" + "sas_description": "قارن مجموعة فريدة من الرموز التعبيرية إذا لم يكن لديك كاميرا على أي من الجهازين", + "explainer": "الرسائل الآمنة مع هذا المستخدم مشفرة من طرفك إلى طرفه ولا يمكن قراءتها من قبل جهات خارجية.", + "complete_action": "فهمت", + "sas_emoji_caption_user": "تحقق من هذا المستخدم من خلال التأكيد من ظهور الرموز التعبيرية التالية على شاشته.", + "sas_caption_user": "تحقق من هذا المستخدم من خلال التأكد من ظهور الرقم التالي على شاشته.", + "unsupported_method": "تعذر العثور على أحد طرق التحقق الممكنة.", + "waiting_other_user": "بانتظار %(displayName)s للتحقق…", + "cancelling": "جارٍ الإلغاء…" } }, "emoji": { @@ -1335,7 +1302,14 @@ "footer_powered_by_matrix": "مشغل بواسطة Matrix", "sign_in_or_register": "لِج أو أنشِئ حسابًا", "sign_in_or_register_description": "استعمل حسابك أو أنشِئ واحدًا جديدًا للمواصلة.", - "register_action": "أنشِئ حسابًا" + "register_action": "أنشِئ حسابًا", + "change_password_mismatch": "كلمات المرور الجديدة لا تتطابق", + "change_password_empty": "كلمات المرور لا يمكن أن تكون فارغة", + "set_email_prompt": "هل تريد تعيين عنوان بريد إلكتروني؟", + "change_password_confirm_label": "تأكيد كلمة المرور", + "change_password_current_label": "كلمة المرور الحالية", + "change_password_new_label": "كلمة مرور جديدة", + "change_password_action": "تغيير كلمة المرور" }, "export_chat": { "messages": "الرسائل" @@ -1464,11 +1438,42 @@ "see_changes_button": "ما الجديد ؟", "release_notes_toast_title": "آخِر المُستجدّات", "toast_title": "حدّث: %(brand)s", - "toast_description": "يتوفر إصدار جديد من %(brand)s" + "toast_description": "يتوفر إصدار جديد من %(brand)s", + "error_encountered": "صودِفَ خطأ: (%(errorDetail)s).", + "no_update": "لا يوجد هناك أي تحديث.", + "new_version_available": "ثمة إصدارٌ جديد. حدّث الآن.", + "check_action": "ابحث عن تحديث" }, "labs_mjolnir": { "room_name": "قائمة الحظر", - "room_topic": "هذه قائمتك للمستخدمين / الخوادم التي حظرت - لا تغادر الغرفة!" + "room_topic": "هذه قائمتك للمستخدمين / الخوادم التي حظرت - لا تغادر الغرفة!", + "ban_reason": "المُتجاهل/المحظور", + "error_adding_ignore": "تعذر إضافة مستخدم/خادم مُتجاهَل", + "something_went_wrong": "هناك خطأ ما. يرجى المحاولة مرة أخرى أو عرض وحدة التحكم (console) للتلميحات.", + "error_adding_list_title": "تعذر الاشتراك في القائمة", + "error_adding_list_description": "يرجى التحقق من معرف الغرفة أو العنوان والمحاولة مرة أخرى.", + "error_removing_ignore": "تعذر حذف مستخدم/خادم مُتجاهَل", + "error_removing_list_title": "تعذر إلغاء الاشتراك من القائمة", + "error_removing_list_description": "يرجى المحاولة مرة أخرى أو عرض وحدة التحكم (console) للتلميحات.", + "rules_title": "قواعد قائمة الحظر - %(roomName)s", + "rules_server": "قواعد الخادم", + "rules_user": "قواعد المستخدم", + "personal_empty": "أنت لم تتجاهل أحداً.", + "personal_section": "حاليًّا أنت متجاهل:", + "no_lists": "أنت غير مشترك في أي قوائم", + "view_rules": "عرض القواعد", + "lists": "أنت مشترك حاليا ب:", + "title": "المستخدمون المتجاهَلون", + "advanced_warning": "⚠ هذه الإعدادات مخصصة للمستخدمين المتقدمين.", + "explainer_1": "أضف المستخدمين والخوادم التي تريد تجاهلها هنا. استخدم علامة النجمة لجعل %(brand)s s تطابق أي أحرف. على سبيل المثال ، قد يتجاهل bot: * جميع المستخدمين الذين اسمهم \"bot\" على أي خادم.", + "explainer_2": "يتم تجاهل الأشخاص من خلال قوائم الحظر التي تحتوي على قواعد لمن يتم حظره. الاشتراك في قائمة حظر يعني أن المستخدمين / الخوادم المحظورة بواسطة تلك القائمة سيتم إخفاؤهم عنك.", + "personal_heading": "قائمة الحظر الشخصية", + "personal_new_label": "الخادم أو معرف المستخدم المطلوب تجاهله", + "personal_new_placeholder": "مثلاً: @bot:* أو example.org", + "lists_heading": "قوائم متشرك بها", + "lists_description_1": "سيؤدي الاشتراك في قائمة الحظر إلى انضمامك إليها!", + "lists_description_2": "إذا لم يكن هذا ما تريده ، فيرجى استخدام أداة مختلفة لتجاهل المستخدمين.", + "lists_new_label": "معرف الغرفة أو عنوان قائمة الحظر" }, "room": { "drop_file_prompt": "قم بإسقاط الملف هنا ليُرفَع", diff --git a/src/i18n/strings/az.json b/src/i18n/strings/az.json index fa8aa94873..f46091192e 100644 --- a/src/i18n/strings/az.json +++ b/src/i18n/strings/az.json @@ -42,14 +42,6 @@ "You are no longer ignoring %(userId)s": "Siz %(userId)s blokdan çıxardınız", "Reason": "Səbəb", "Incorrect verification code": "Təsdiq etmənin səhv kodu", - "Phone": "Telefon", - "New passwords don't match": "Yeni şifrlər uyğun gəlmir", - "Passwords can't be empty": "Şifrələr boş ola bilməz", - "Export E2E room keys": "Şifrləmənin açarlarının ixracı", - "Current password": "Cari şifrə", - "New Password": "Yeni şifrə", - "Confirm password": "Yeni şifrə təsdiq edin", - "Change Password": "Şifrəni dəyişdirin", "Authentication": "Müəyyənləşdirilmə", "Failed to set display name": "Görünüş adını təyin etmək bacarmadı", "Notification targets": "Xəbərdarlıqlar üçün qurğular", @@ -78,7 +70,6 @@ "Today": "Bu gün", "Decrypt %(text)s": "Şifrini açmaq %(text)s", "Download %(text)s": "Yükləmək %(text)s", - "Sign in with": "Seçmək", "Create new room": "Otağı yaratmaq", "Home": "Başlanğıc", "%(items)s and %(lastItem)s": "%(items)s və %(lastItem)s", @@ -93,7 +84,6 @@ "Reject invitation": "Dəvəti rədd etmək", "Are you sure you want to reject the invitation?": "Siz əminsiniz ki, siz dəvəti rədd etmək istəyirsiniz?", "Failed to reject invitation": "Dəvəti rədd etməyi bacarmadı", - "For security, this session has been signed out. Please sign in again.": "Təhlükəsizliyin təmin olunması üçün sizin sessiyanız başa çatmışdır idi. Zəhmət olmasa, yenidən girin.", "Notifications": "Xəbərdarlıqlar", "Connectivity to the server has been lost.": "Serverlə əlaqə itirilmişdir.", "Sent messages will be stored until your connection has returned.": "Hələ ki serverlə əlaqə bərpa olmayacaq, göndərilmiş mesajlar saxlanacaq.", @@ -102,11 +92,7 @@ "Failed to load timeline position": "Xronologiyadan nişanı yükləməyi bacarmadı", "Unable to remove contact information": "Əlaqə məlumatlarının silməyi bacarmadı", "": "", - "Import E2E room keys": "Şifrləmənin açarlarının idxalı", - "Cryptography": "Kriptoqrafiya", - "Email": "E-poçt", "Profile": "Profil", - "Account": "Hesab", "A new password must be entered.": "Yeni parolu daxil edin.", "New passwords must match each other.": "Yeni şifrələr uyğun olmalıdır.", "Return to login screen": "Girişin ekranına qayıtmaq", @@ -205,6 +191,14 @@ "appearance": { "timeline_image_size_default": "Varsayılan olaraq", "image_size_default": "Varsayılan olaraq" + }, + "security": { + "export_megolm_keys": "Şifrləmənin açarlarının ixracı", + "import_megolm_keys": "Şifrləmənin açarlarının idxalı", + "cryptography_section": "Kriptoqrafiya" + }, + "general": { + "account_section": "Hesab" } }, "timeline": { @@ -297,7 +291,17 @@ "footer_powered_by_matrix": "Matrix tərəfindən təchiz edilmişdir", "unsupported_auth_msisdn": "Bu server telefon nömrəsinin köməyi ilə müəyyənləşdirilməni dəstəkləmir.", "register_action": "Hesab Aç", - "phone_label": "Telefon" + "phone_label": "Telefon", + "session_logged_out_description": "Təhlükəsizliyin təmin olunması üçün sizin sessiyanız başa çatmışdır idi. Zəhmət olmasa, yenidən girin.", + "change_password_mismatch": "Yeni şifrlər uyğun gəlmir", + "change_password_empty": "Şifrələr boş ola bilməz", + "change_password_confirm_label": "Yeni şifrə təsdiq edin", + "change_password_current_label": "Cari şifrə", + "change_password_new_label": "Yeni şifrə", + "change_password_action": "Şifrəni dəyişdirin", + "email_field_label": "E-poçt", + "msisdn_field_label": "Telefon", + "identifier_label": "Seçmək" }, "update": { "release_notes_toast_title": "Nə dəyişdi" diff --git a/src/i18n/strings/bg.json b/src/i18n/strings/bg.json index 0d1df42bb8..2ff9168a58 100644 --- a/src/i18n/strings/bg.json +++ b/src/i18n/strings/bg.json @@ -70,16 +70,7 @@ "Not a valid %(brand)s keyfile": "Невалиден файл с ключ за %(brand)s", "Authentication check failed: incorrect password?": "Неуспешна автентикация: неправилна парола?", "Incorrect verification code": "Неправилен код за потвърждение", - "Phone": "Телефон", "No display name": "Няма име", - "New passwords don't match": "Новите пароли не съвпадат", - "Passwords can't be empty": "Полето с парола не може да е празно", - "Export E2E room keys": "Експортирай E2E ключове", - "Do you want to set an email address?": "Искате ли да зададете имейл адрес?", - "Current password": "Текуща парола", - "New Password": "Нова парола", - "Confirm password": "Потвърждаване на парола", - "Change Password": "Смяна на парола", "Authentication": "Автентикация", "Failed to set display name": "Неуспешно задаване на име", "Unban": "Отблокирай", @@ -117,7 +108,6 @@ "%(roomName)s is not accessible at this time.": "%(roomName)s не е достъпна към този момент.", "Failed to unban": "Неуспешно отблокиране", "Banned by %(displayName)s": "Блокиран от %(displayName)s", - "This room is not accessible by remote Matrix servers": "Тази стая не е достъпна за отдалечени Matrix сървъри", "Jump to first unread message.": "Отиди до първото непрочетено съобщение.", "not specified": "неопределен", "This room has no local addresses": "Тази стая няма локални адреси", @@ -131,11 +121,6 @@ "Copied!": "Копирано!", "Failed to copy": "Неуспешно копиране", "Add an Integration": "Добавяне на интеграция", - "Token incorrect": "Неправителен тоукън", - "A text message has been sent to %(msisdn)s": "Текстово съобщение беше изпратено на %(msisdn)s", - "Please enter the code it contains:": "Моля, въведете кода, който то съдържа:", - "Start authentication": "Започни автентикация", - "Sign in with": "Влизане с", "Email address": "Имейл адрес", "Something went wrong!": "Нещо се обърка!", "Delete Widget": "Изтриване на приспособление", @@ -174,9 +159,6 @@ "Failed to reject invitation": "Неуспешно отхвърляне на поканата", "This room is not public. You will not be able to rejoin without an invite.": "Тази стая не е публична. Няма да можете да се присъедините отново без покана.", "Are you sure you want to leave the room '%(roomName)s'?": "Сигурни ли сте, че искате да напуснете стаята '%(roomName)s'?", - "Old cryptography data detected": "Бяха открити стари криптографски данни", - "Signed Out": "Излязохте", - "For security, this session has been signed out. Please sign in again.": "Поради мерки за сигурност, тази сесия е прекратена. Моля, влезте отново.", "Connectivity to the server has been lost.": "Връзката със сървъра е изгубена.", "Sent messages will be stored until your connection has returned.": "Изпратените съобщения ще бъдат запаметени докато връзката Ви се възвърне.", "You seem to be uploading files, are you sure you want to quit?": "Изглежда, че качвате файлове. Сигурни ли сте, че искате да затворите програмата?", @@ -194,17 +176,12 @@ }, "Uploading %(filename)s": "Качване на %(filename)s", "": "<не се поддържа>", - "Import E2E room keys": "Импортирай E2E ключове", - "Cryptography": "Криптография", - "Check for update": "Провери за нова версия", "No media permissions": "Няма разрешения за медийните устройства", "You may need to manually permit %(brand)s to access your microphone/webcam": "Може да се наложи ръчно да разрешите на %(brand)s да получи достъп до Вашия микрофон/уеб камера", "No Microphones detected": "Няма открити микрофони", "No Webcams detected": "Няма открити уеб камери", "Default Device": "Устройство по подразбиране", - "Email": "Имейл", "Profile": "Профил", - "Account": "Акаунт", "A new password must be entered.": "Трябва да бъде въведена нова парола.", "New passwords must match each other.": "Новите пароли трябва да съвпадат една с друга.", "Return to login screen": "Връщане към страницата за влизане в профила", @@ -220,7 +197,6 @@ "File to import": "Файл за импортиране", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "На път сте да бъдете отведени до друг сайт, където можете да удостоверите профила си за използване с %(integrationsUrl)s. Искате ли да продължите?", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Ако преди сте използвали по-нова версия на %(brand)s, Вашата сесия може да не бъде съвместима с текущата версия. Затворете този прозорец и се върнете в по-новата версия.", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Засечени са данни от по-стара версия на %(brand)s. Това ще доведе до неправилна работа на криптографията от край до край в по-старата версия. Шифрованите от край до край съобщения, които са били обменени наскоро (при използването на по-стара версия), може да не успеят да бъдат разшифровани в тази версия. Това също може да доведе до неуспех в обмяната на съобщения в тази версия. Ако имате проблеми, излезте и влезте отново в профила си. За да запазите историята на съобщенията, експортирайте и импортирайте отново Вашите ключове.", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Няма връзка с Home сървъра. Моля, проверете Вашата връзка. Уверете се, че SSL сертификатът на Home сървъра е надежден и че някое разширение на браузъра не блокира заявките.", "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Този процес Ви позволява да експортирате във файл ключовете за съобщения в шифровани стаи. Така ще можете да импортирате файла в друг Matrix клиент, така че той също да може да разшифрова такива съобщения.", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Този процес позволява да импортирате ключове за шифроване, които преди сте експортирали от друг Matrix клиент. Тогава ще можете да разшифровате всяко съобщение, което другият клиент може да разшифрова.", @@ -236,7 +212,6 @@ "Unavailable": "Не е наличен", "Source URL": "URL на източника", "Filter results": "Филтриране на резултати", - "No update available.": "Няма нова версия.", "Search…": "Търсене…", "Tuesday": "Вторник", "Preparing to send logs": "Подготовка за изпращане на логове", @@ -250,7 +225,6 @@ "Thursday": "Четвъртък", "Logs sent": "Логовете са изпратени", "Yesterday": "Вчера", - "Error encountered (%(errorDetail)s).": "Възникна грешка (%(errorDetail)s).", "Low Priority": "Нисък приоритет", "Thank you!": "Благодарим!", "Missing roomId.": "Липсва идентификатор на стая.", @@ -262,9 +236,6 @@ "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Изчистване на запазените данни в браузъра може да поправи проблема, но ще Ви изкара от профила и ще направи шифрованите съобщения нечетими.", "Can't leave Server Notices room": "Не може да напуснете стая \"Server Notices\"", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Тази стая се използва за важни съобщения от сървъра, така че не можете да я напуснете.", - "Terms and Conditions": "Правила и условия", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "За да продължите да ползвате %(homeserverDomain)s е необходимо да прегледате и да се съгласите с правилата и условията за ползване.", - "Review terms and conditions": "Прегледай правилата и условията", "Share Link to User": "Сподели връзка с потребител", "Share room": "Сподели стаята", "Share Room": "Споделяне на стая", @@ -304,7 +275,6 @@ "If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Ако другата версия на %(brand)s все още е отворена в друг таб, моля затворете я. Използването на %(brand)s на един адрес във версии с постепенно и без постепенно зареждане ще причини проблеми.", "Incompatible local cache": "Несъвместим локален кеш", "Clear cache and resync": "Изчисти кеша и ресинхронизирай", - "Please review and accept the policies of this homeserver:": "Моля, прегледайте и приемете политиките на този сървър:", "Add some now": "Добави сега", "Unable to load! Check your network connectivity and try again.": "Неуспешно зареждане! Проверете мрежовите настройки и опитайте пак.", "You do not have permission to invite people to this room.": "Нямате привилегии да каните хора в тази стая.", @@ -312,7 +282,6 @@ "Delete Backup": "Изтрий резервното копие", "Unable to load key backup status": "Неуспешно зареждане на състоянието на резервното копие на ключа", "Set up": "Настрой", - "Please review and accept all of the homeserver's policies": "Моля прегледайте и приемете всички политики на сървъра", "To avoid losing your chat history, you must export your room keys before logging out. You will need to go back to the newer version of %(brand)s to do this": "За да избегнете загубата на чат история, трябва да експортирате ключовете на стаята преди да излезете от профила си. Ще трябва да се върнете към по-новата версия на %(brand)s за да направите това", "Incompatible Database": "Несъвместима база данни", "Continue With Encryption Disabled": "Продължи с изключено шифроване", @@ -337,9 +306,6 @@ "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Не бяга открити профили за изброените по-долу Matrix идентификатори. Желаете ли да ги поканите въпреки това?", "Invite anyway and never warn me again": "Покани въпреки това и не питай отново", "Invite anyway": "Покани въпреки това", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Защитените съобщения с този потребител са шифровани от край-до-край и не могат да бъдат прочетени от други.", - "Got It": "Разбрах", - "Verify this user by confirming the following number appears on their screen.": "Потвърдете този потребител като се уверите, че следното число се вижда на екрана му.", "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Изпратихме Ви имейл за да потвърдим адреса Ви. Последвайте инструкциите в имейла и след това кликнете на бутона по-долу.", "Email Address": "Имейл адрес", "All keys backed up": "Всички ключове са в резервното копие", @@ -349,15 +315,11 @@ "Profile picture": "Профилна снимка", "Display Name": "Име", "Room information": "Информация за стаята", - "Room version": "Версия на стаята", - "Room version:": "Версия на стаята:", "General": "Общи", "Room Addresses": "Адреси на стаята", "Email addresses": "Имейл адреси", "Phone numbers": "Телефонни номера", - "Language and region": "Език и регион", "Account management": "Управление на акаунта", - "Encryption": "Шифроване", "Ignored users": "Игнорирани потребители", "Bulk options": "Масови действия", "Missing media permissions, click the button below to request.": "Липсва достъп до медийните устройства. Кликнете бутона по-долу за да поискате такъв.", @@ -375,8 +337,6 @@ "Recovery Method Removed": "Методът за възстановяване беше премахнат", "If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Ако не сте премахнали метода за възстановяване, е възможно нападател да се опитва да получи достъп до акаунта Ви. Променете паролата на акаунта и настройте нов метод за възстановяване веднага от Настройки.", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "Файлът '%(fileName)s' надхвърля ограничението за размер на файлове за този сървър", - "Verify this user by confirming the following emoji appear on their screen.": "Потвърдете този потребител, като установите че следното емоджи се вижда на екрана им.", - "Unable to find a supported verification method.": "Не може да бъде намерен поддържан метод за потвърждение.", "Dog": "Куче", "Cat": "Котка", "Lion": "Лъв", @@ -462,7 +422,6 @@ "Accept all %(invitedRooms)s invites": "Приеми всички %(invitedRooms)s покани", "Power level": "Ниво на достъп", "The file '%(fileName)s' failed to upload.": "Файлът '%(fileName)s' не можа да бъде качен.", - "Upgrade this room to the recommended room version": "Обнови тази стая до препоръчаната версия на стаята", "This room is running room version , which this homeserver has marked as unstable.": "Тази стая използва версия на стая , която сървърът счита за нестабилна.", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Обновяването на тази стая ще изключи текущата стая и ще създаде обновена стая със същото име.", "Failed to revoke invite": "Неуспешно оттегляне на поканата", @@ -487,15 +446,10 @@ "Cancel All": "Откажи всички", "Upload Error": "Грешка при качване", "Remember my selection for this widget": "Запомни избора ми за това приспособление", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "Имате %(count)s непрочетени известия в предишна версия на тази стая.", - "one": "Имате %(count)s непрочетено известие в предишна версия на тази стая." - }, "The server does not support the room version specified.": "Сървърът не поддържа указаната версия на стая.", "No homeserver URL provided": "Не е указан адрес на сървър", "Unexpected error resolving homeserver configuration": "Неочаквана грешка в намирането на сървърната конфигурация", "The user's homeserver does not support the version of the room.": "Сървърът на потребителя не поддържа версията на стаята.", - "View older messages in %(roomName)s.": "Виж по-стари съобщения в %(roomName)s.", "Join the conversation with an account": "Присъедини се към разговор с акаунт", "Sign Up": "Регистриране", "Reason: %(reason)s": "Причина: %(reason)s", @@ -521,16 +475,6 @@ "Rotate Left": "Завърти наляво", "Rotate Right": "Завърти надясно", "Edit message": "Редактирай съобщението", - "Use an email address to recover your account": "Използвайте имейл адрес за да възстановите акаунта си", - "Enter email address (required on this homeserver)": "Въведете имейл адрес (задължително за този сървър)", - "Doesn't look like a valid email address": "Не изглежда като валиден имейл адрес", - "Enter password": "Въведете парола", - "Password is allowed, but unsafe": "Паролата се приема, но не е безопасна", - "Nice, strong password!": "Хубава, силна парола!", - "Passwords don't match": "Паролите не съвпадат", - "Other users can invite you to rooms using your contact details": "Други потребители могат да Ви канят в стаи посредством данните за контакт", - "Enter phone number (required on this homeserver)": "Въведете телефонен номер (задължително за този сървър)", - "Enter username": "Въведете потребителско име", "Some characters not allowed": "Някои символи не са позволени", "Add room": "Добави стая", "Failed to get autodiscovery configuration from server": "Неуспешно автоматично откриване на конфигурацията за сървъра", @@ -646,7 +590,6 @@ "Message Actions": "Действия със съобщението", "Show image": "Покажи снимката", "Cancel search": "Отмени търсенето", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Липсва публичния ключ за catcha в конфигурацията на сървъра. Съобщете това на администратора на сървъра.", "Jump to first unread room.": "Отиди до първата непрочетена стая.", "Jump to first invite.": "Отиди до първата покана.", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)", @@ -663,39 +606,11 @@ "The integration manager is offline or it cannot reach your homeserver.": "Мениджъра на интеграции е офлайн или не може да се свърже със сървъра ви.", "Error upgrading room": "Грешка при обновяване на стаята", "Double check that your server supports the room version chosen and try again.": "Проверете дали сървъра поддържа тази версия на стаята и опитайте пак.", - "Cross-signing public keys:": "Публични ключове за кръстосано-подписване:", - "not found": "не са намерени", - "Cross-signing private keys:": "Private ключове за кръстосано подписване:", - "in secret storage": "в секретно складиране", "Secret storage public key:": "Публичен ключ за секретно складиране:", "in account data": "в данни за акаунта", "not stored": "не е складиран", "Manage integrations": "Управление на интеграциите", - "Ignored/Blocked": "Игнорирани/блокирани", - "Error adding ignored user/server": "Грешка при добавяне на игнориран потребител/сървър", - "Something went wrong. Please try again or view your console for hints.": "Нещо се обърка. Опитайте пак или вижте конзолата за информация какво не е наред.", - "Error subscribing to list": "Грешка при абониране за списък", - "Error removing ignored user/server": "Грешка при премахване на игнориран потребител/сървър", - "Error unsubscribing from list": "Грешка при отписването от списък", - "Please try again or view your console for hints.": "Опитайте пак или вижте конзолата за информация какво не е наред.", "None": "Няма нищо", - "Ban list rules - %(roomName)s": "Списък с правила за блокиране - %(roomName)s", - "Server rules": "Сървърни правила", - "User rules": "Потребителски правила", - "You have not ignored anyone.": "Не сте игнорирали никой.", - "You are currently ignoring:": "В момента игнорирате:", - "You are not subscribed to any lists": "Не сте абонирани към списъци", - "View rules": "Виж правилата", - "You are currently subscribed to:": "В момента сте абонирани към:", - "⚠ These settings are meant for advanced users.": "⚠ Тези настройки са за напреднали потребители.", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Добавете тук потребители или сървъри, които искате да игнорирате. Използвайте звездички за да кажете на %(brand)s да търси съвпадения с всеки символ. Например: @bot:* ще игнорира всички потребители с име 'bot' на кой да е сървър.", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Игнорирането на хора става чрез списъци за блокиране, които съдържат правила кой да бъде блокиран. Абонирането към списък за блокиране означава, че сървърите/потребителите блокирани от този списък ще бъдат скрити от вас.", - "Personal ban list": "Персонален списък за блокиране", - "Server or user ID to ignore": "Сървър или потребителски идентификатор за игнориране", - "eg: @bot:* or example.org": "напр.: @bot:* или example.org", - "Subscribed lists": "Абонирани списъци", - "Subscribing to a ban list will cause you to join it!": "Абонирането към списък ще направи така, че да се присъедините към него!", - "If this isn't what you want, please use a different tool to ignore users.": "Ако това не е каквото искате, използвайте друг инструмент за игнориране на потребители.", "Unencrypted": "Нешифровано", "Close preview": "Затвори прегледа", " wants to chat": " иска да чати", @@ -732,7 +647,6 @@ "Country Dropdown": "Падащо меню за избор на държава", "Verification Request": "Заявка за потвърждение", "Unable to set up secret storage": "Неуспешна настройка на секретно складиране", - "This bridge is managed by .": "Тази връзка с друга мрежа се управлява от .", "Recent Conversations": "Скорошни разговори", "Show more": "Покажи повече", "Direct Messages": "Директни съобщения", @@ -758,23 +672,13 @@ "Ask this user to verify their session, or manually verify it below.": "Поискайте от този потребител да потвърди сесията си, или я потвърдете ръчно по-долу.", "New login. Was this you?": "Нов вход. Вие ли бяхте това?", "%(name)s is requesting verification": "%(name)s изпрати запитване за верификация", - "Waiting for %(displayName)s to verify…": "Изчакване на %(displayName)s да потвърди…", - "Cancelling…": "Отказване…", "Lock": "Заключи", "Later": "По-късно", "Other users may not trust it": "Други потребители може да не се доверят", - "This bridge was provisioned by .": "Мостът е настроен от .", "Your homeserver does not support cross-signing.": "Сървърът ви не поддържа кръстосано-подписване.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Профилът ви има самоличност за кръстосано подписване в секретно складиране, но все още не е доверено от тази сесия.", "well formed": "коректен", "unexpected type": "непознат тип", - "in memory": "в паметта", - "Self signing private key:": "Частен ключ за самоподписване:", - "cached locally": "кеширан локално", - "not found locally": "ненамерен локално", - "User signing private key:": "Частен ключ за подписване на потребители:", - "Homeserver feature support:": "Поддържани функции от сървъра:", - "exists": "съществува", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Потвърждавай индивидуално всяка сесия на потребителите, маркирайки я като доверена и недоверявайки се на кръстосано-подписваните устройства.", "Securely cache encrypted messages locally for them to appear in search results.": "Кеширай шифровани съобщения локално по сигурен начин за да се появяват в резултати от търсения.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "Липсват задължителни компоненти в %(brand)s, за да могат да бъдат складирани локално и по сигурен начин шифровани съобщения. Ако искате да експериментирате с тази функция, \"компилирайте\" версия на %(brand)s Desktop с добавени компоненти за търсене.", @@ -784,8 +688,6 @@ "This backup is trusted because it has been restored on this session": "Това резервно копие е доверено, защото е било възстановено в текущата сесия", "Your keys are not being backed up from this session.": "На ключовете ви не се прави резервно копие от тази сесия.", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "За да съобщените за проблем със сигурността свързан с Matrix, прочетете Политиката за споделяне на проблеми със сигурността на Matrix.org.", - "Session ID:": "Сесиен идентификатор:", - "Session key:": "Сесиен ключ:", "Message search": "Търсене на съобщения", "This room is bridging messages to the following platforms. Learn more.": "Тази стая препредава съобщения със следните платформи. Научи повече.", "Bridges": "Мостове", @@ -894,9 +796,6 @@ "Your homeserver has exceeded one of its resource limits.": "Беше надвишен някой от лимитите на сървъра.", "Contact your server admin.": "Свържете се със сървърния администратор.", "Ok": "Добре", - "New version available. Update now.": "Налична е нова версия. Обновете сега.", - "Please verify the room ID or address and try again.": "Проверете идентификатора или адреса на стаята и опитайте пак.", - "Room ID or address of ban list": "Идентификатор или адрес на стая списък за блокиране", "Error creating address": "Неуспешно създаване на адрес", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Възникна грешка при създаването на този адрес. Или не е позволен от сървъра или е временен проблем.", "You don't have permission to delete the address.": "Нямате права да изтриете адреса.", @@ -910,7 +809,6 @@ "%(completed)s of %(total)s keys restored": "%(completed)s от %(total)s ключа са възстановени", "Keys restored": "Ключовете бяха възстановени", "Successfully restored %(sessionCount)s keys": "Успешно бяха възстановени %(sessionCount)s ключа", - "Confirm your identity by entering your account password below.": "Потвърдете самоличността си чрез въвеждане на паролата за профила по-долу.", "Sign in with SSO": "Влезте със SSO", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Администраторът на сървъра е изключил шифроване от край-до-край по подразбиране за лични стаи и за директни съобщения.", "Switch theme": "Смени темата", @@ -1008,8 +906,6 @@ "The operation could not be completed": "Операцията не можа да бъде завършена", "Failed to save your profile": "Неуспешно запазване на профила ви", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s не може да кешира шифровани съобщения локално по сигурен начин когато работи в уеб браузър. Използвайте %(brand)s Desktop за да можете да търсите шифровани съобщения.", - "Master private key:": "Главен частен ключ:", - "not found in storage": "не е намерено в складирането", "Cross-signing is not set up.": "Кръстосаното-подписване не е настроено.", "Cross-signing is ready for use.": "Кръстосаното-подписване е готово за използване.", "Your server isn't responding to some requests.": "Сървърът ви не отговаря на някои заявки.", @@ -1281,8 +1177,6 @@ "United States": "Съединените щати", "United Kingdom": "Обединеното кралство", "Space options": "Опции на пространството", - "Workspace: ": "Работна област: ", - "Channel: ": "Канал: ", "Add existing room": "Добави съществуваща стая", "Leave space": "Напусни пространство", "Invite with email or username": "Покани чрез имейл или потребителско име", @@ -1501,7 +1395,11 @@ "group_widgets": "Приспособления", "group_rooms": "Стаи", "group_voip": "Глас и видео", - "group_encryption": "Шифроване" + "group_encryption": "Шифроване", + "bridge_state_creator": "Мостът е настроен от .", + "bridge_state_manager": "Тази връзка с друга мрежа се управлява от .", + "bridge_state_workspace": "Работна област: ", + "bridge_state_channel": "Канал: " }, "keyboard": { "home": "Начална страница", @@ -1682,7 +1580,26 @@ "send_analytics": "Изпращане на статистически данни", "strict_encryption": "Никога не изпращай шифровани съобщения към непотвърдени сесии от тази сесия", "enable_message_search": "Включи търсенето на съобщения в шифровани стаи", - "manually_verify_all_sessions": "Ръчно потвърждаване на всички отдалечени сесии" + "manually_verify_all_sessions": "Ръчно потвърждаване на всички отдалечени сесии", + "cross_signing_public_keys": "Публични ключове за кръстосано-подписване:", + "cross_signing_in_memory": "в паметта", + "cross_signing_not_found": "не са намерени", + "cross_signing_private_keys": "Private ключове за кръстосано подписване:", + "cross_signing_in_4s": "в секретно складиране", + "cross_signing_not_in_4s": "не е намерено в складирането", + "cross_signing_master_private_Key": "Главен частен ключ:", + "cross_signing_cached": "кеширан локално", + "cross_signing_not_cached": "ненамерен локално", + "cross_signing_self_signing_private_key": "Частен ключ за самоподписване:", + "cross_signing_user_signing_private_key": "Частен ключ за подписване на потребители:", + "cross_signing_homeserver_support": "Поддържани функции от сървъра:", + "cross_signing_homeserver_support_exists": "съществува", + "export_megolm_keys": "Експортирай E2E ключове", + "import_megolm_keys": "Импортирай E2E ключове", + "cryptography_section": "Криптография", + "session_id": "Сесиен идентификатор:", + "session_key": "Сесиен ключ:", + "encryption_section": "Шифроване" }, "preferences": { "room_list_heading": "Списък със стаи", @@ -1695,6 +1612,10 @@ "sessions": { "session_id": "Идентификатор на сесията", "verify_session": "Потвърди сесията" + }, + "general": { + "account_section": "Акаунт", + "language_section": "Език и регион" } }, "devtools": { @@ -2091,6 +2012,13 @@ "url_preview_encryption_warning": "В шифровани стаи като тази, по подразбиране URL прегледите са изключени, за да се подсигури че сървърът (където става генерирането на прегледите) не може да събира информация за връзките споделени в стаята.", "url_preview_explainer": "Когато се сподели URL връзка в съобщение, може да бъде показан URL преглед даващ повече информация за връзката (заглавие, описание и картинка от уебсайта).", "url_previews_section": "URL прегледи" + }, + "advanced": { + "unfederated": "Тази стая не е достъпна за отдалечени Matrix сървъри", + "room_upgrade_button": "Обнови тази стая до препоръчаната версия на стаята", + "room_predecessor": "Виж по-стари съобщения в %(roomName)s.", + "room_version_section": "Версия на стаята", + "room_version": "Версия на стаята:" } }, "encryption": { @@ -2103,8 +2031,17 @@ "complete_description": "Успешно потвърдихте този потребител.", "qr_prompt": "Сканирайте този уникален код", "sas_prompt": "Сравнете уникални емоджи", - "sas_description": "Сравнете уникални емоджи, ако нямате камера на някое от устройствата" - } + "sas_description": "Сравнете уникални емоджи, ако нямате камера на някое от устройствата", + "explainer": "Защитените съобщения с този потребител са шифровани от край-до-край и не могат да бъдат прочетени от други.", + "complete_action": "Разбрах", + "sas_emoji_caption_user": "Потвърдете този потребител, като установите че следното емоджи се вижда на екрана им.", + "sas_caption_user": "Потвърдете този потребител като се уверите, че следното число се вижда на екрана му.", + "unsupported_method": "Не може да бъде намерен поддържан метод за потвърждение.", + "waiting_other_user": "Изчакване на %(displayName)s да потвърди…", + "cancelling": "Отказване…" + }, + "old_version_detected_title": "Бяха открити стари криптографски данни", + "old_version_detected_description": "Засечени са данни от по-стара версия на %(brand)s. Това ще доведе до неправилна работа на криптографията от край до край в по-старата версия. Шифрованите от край до край съобщения, които са били обменени наскоро (при използването на по-стара версия), може да не успеят да бъдат разшифровани в тази версия. Това също може да доведе до неуспех в обмяната на съобщения в тази версия. Ако имате проблеми, излезте и влезте отново в профила си. За да запазите историята на съобщенията, експортирайте и импортирайте отново Вашите ключове." }, "emoji": { "category_frequently_used": "Често използвани", @@ -2161,7 +2098,39 @@ "account_deactivated": "Този акаунт е деактивиран.", "registration_username_validation": "Използвайте само малки букви, цифри, тирета и подчерта", "phone_label": "Телефон", - "phone_optional_label": "Телефон (незадължително)" + "phone_optional_label": "Телефон (незадължително)", + "session_logged_out_title": "Излязохте", + "session_logged_out_description": "Поради мерки за сигурност, тази сесия е прекратена. Моля, влезте отново.", + "change_password_mismatch": "Новите пароли не съвпадат", + "change_password_empty": "Полето с парола не може да е празно", + "set_email_prompt": "Искате ли да зададете имейл адрес?", + "change_password_confirm_label": "Потвърждаване на парола", + "change_password_confirm_invalid": "Паролите не съвпадат", + "change_password_current_label": "Текуща парола", + "change_password_new_label": "Нова парола", + "change_password_action": "Смяна на парола", + "email_field_label": "Имейл", + "email_field_label_invalid": "Не изглежда като валиден имейл адрес", + "uia": { + "password_prompt": "Потвърдете самоличността си чрез въвеждане на паролата за профила по-долу.", + "recaptcha_missing_params": "Липсва публичния ключ за catcha в конфигурацията на сървъра. Съобщете това на администратора на сървъра.", + "terms_invalid": "Моля прегледайте и приемете всички политики на сървъра", + "terms": "Моля, прегледайте и приемете политиките на този сървър:", + "msisdn_token_incorrect": "Неправителен тоукън", + "msisdn": "Текстово съобщение беше изпратено на %(msisdn)s", + "msisdn_token_prompt": "Моля, въведете кода, който то съдържа:", + "fallback_button": "Започни автентикация" + }, + "password_field_label": "Въведете парола", + "password_field_strong_label": "Хубава, силна парола!", + "password_field_weak_label": "Паролата се приема, но не е безопасна", + "username_field_required_invalid": "Въведете потребителско име", + "msisdn_field_label": "Телефон", + "identifier_label": "Влизане с", + "reset_password_email_field_description": "Използвайте имейл адрес за да възстановите акаунта си", + "reset_password_email_field_required_invalid": "Въведете имейл адрес (задължително за този сървър)", + "msisdn_field_description": "Други потребители могат да Ви канят в стаи посредством данните за контакт", + "registration_msisdn_field_required_invalid": "Въведете телефонен номер (задължително за този сървър)" }, "export_chat": { "messages": "Съобщения" @@ -2252,11 +2221,42 @@ "see_changes_button": "Какво ново?", "release_notes_toast_title": "Какво ново", "toast_title": "Обнови %(brand)s", - "toast_description": "Налична е нова версия на %(brand)s" + "toast_description": "Налична е нова версия на %(brand)s", + "error_encountered": "Възникна грешка (%(errorDetail)s).", + "no_update": "Няма нова версия.", + "new_version_available": "Налична е нова версия. Обновете сега.", + "check_action": "Провери за нова версия" }, "labs_mjolnir": { "room_name": "Моя списък с блокирания", - "room_topic": "Това е списък с хора/сървъри, които сте блокирали - не напускайте стаята!" + "room_topic": "Това е списък с хора/сървъри, които сте блокирали - не напускайте стаята!", + "ban_reason": "Игнорирани/блокирани", + "error_adding_ignore": "Грешка при добавяне на игнориран потребител/сървър", + "something_went_wrong": "Нещо се обърка. Опитайте пак или вижте конзолата за информация какво не е наред.", + "error_adding_list_title": "Грешка при абониране за списък", + "error_adding_list_description": "Проверете идентификатора или адреса на стаята и опитайте пак.", + "error_removing_ignore": "Грешка при премахване на игнориран потребител/сървър", + "error_removing_list_title": "Грешка при отписването от списък", + "error_removing_list_description": "Опитайте пак или вижте конзолата за информация какво не е наред.", + "rules_title": "Списък с правила за блокиране - %(roomName)s", + "rules_server": "Сървърни правила", + "rules_user": "Потребителски правила", + "personal_empty": "Не сте игнорирали никой.", + "personal_section": "В момента игнорирате:", + "no_lists": "Не сте абонирани към списъци", + "view_rules": "Виж правилата", + "lists": "В момента сте абонирани към:", + "title": "Игнорирани потребители", + "advanced_warning": "⚠ Тези настройки са за напреднали потребители.", + "explainer_1": "Добавете тук потребители или сървъри, които искате да игнорирате. Използвайте звездички за да кажете на %(brand)s да търси съвпадения с всеки символ. Например: @bot:* ще игнорира всички потребители с име 'bot' на кой да е сървър.", + "explainer_2": "Игнорирането на хора става чрез списъци за блокиране, които съдържат правила кой да бъде блокиран. Абонирането към списък за блокиране означава, че сървърите/потребителите блокирани от този списък ще бъдат скрити от вас.", + "personal_heading": "Персонален списък за блокиране", + "personal_new_label": "Сървър или потребителски идентификатор за игнориране", + "personal_new_placeholder": "напр.: @bot:* или example.org", + "lists_heading": "Абонирани списъци", + "lists_description_1": "Абонирането към списък ще направи така, че да се присъедините към него!", + "lists_description_2": "Ако това не е каквото искате, използвайте друг инструмент за игнориране на потребители.", + "lists_new_label": "Идентификатор или адрес на стая списък за блокиране" }, "create_space": { "name_required": "Моля, въведете име на пространството", @@ -2274,7 +2274,11 @@ "empty_description": "Нямате видими уведомления." }, "room": { - "drop_file_prompt": "Пуснете файла тук, за да се качи" + "drop_file_prompt": "Пуснете файла тук, за да се качи", + "unread_notifications_predecessor": { + "other": "Имате %(count)s непрочетени известия в предишна версия на тази стая.", + "one": "Имате %(count)s непрочетено известие в предишна версия на тази стая." + } }, "file_panel": { "guest_note": "Трябва да се регистрирате, за да използвате тази функционалност", @@ -2294,6 +2298,9 @@ "intro": "За да продължите, трябва да приемете условията за ползване.", "column_service": "Услуга", "column_summary": "Обобщение", - "column_document": "Документ" + "column_document": "Документ", + "tac_title": "Правила и условия", + "tac_description": "За да продължите да ползвате %(homeserverDomain)s е необходимо да прегледате и да се съгласите с правилата и условията за ползване.", + "tac_button": "Прегледай правилата и условията" } } diff --git a/src/i18n/strings/ca.json b/src/i18n/strings/ca.json index 8b6b0b2c7a..a1d27e99fd 100644 --- a/src/i18n/strings/ca.json +++ b/src/i18n/strings/ca.json @@ -1,5 +1,4 @@ { - "Account": "Compte", "No Microphones detected": "No s'ha detectat cap micròfon", "No Webcams detected": "No s'ha detectat cap càmera web", "Create new room": "Crea una sala nova", @@ -73,16 +72,7 @@ "Not a valid %(brand)s keyfile": "El fitxer no és un fitxer de claus de %(brand)s vàlid", "Authentication check failed: incorrect password?": "Ha fallat l'autenticació: heu introduït correctament la contrasenya?", "Incorrect verification code": "El codi de verificació és incorrecte", - "Phone": "Telèfon", "No display name": "Sense nom visible", - "New passwords don't match": "Les noves contrasenyes no coincideixen", - "Passwords can't be empty": "Les contrasenyes no poden estar buides", - "Export E2E room keys": "Exporta les claus E2E de la sala", - "Do you want to set an email address?": "Voleu establir una adreça de correu electrònic?", - "Current password": "Contrasenya actual", - "New Password": "Nova contrasenya", - "Confirm password": "Confirma la contrasenya", - "Change Password": "Canvia la contrasenya", "Authentication": "Autenticació", "Failed to set display name": "No s'ha pogut establir el nom visible", "Unban": "Retira l'expulsió", @@ -123,7 +113,6 @@ "%(roomName)s is not accessible at this time.": "La sala %(roomName)s no és accessible en aquest moment.", "Failed to unban": "No s'ha pogut expulsar", "Banned by %(displayName)s": "Expulsat per %(displayName)s", - "This room is not accessible by remote Matrix servers": "Aquesta sala no és accessible per a servidors de Matrix remots", "Jump to first unread message.": "Salta al primer missatge no llegit.", "not specified": "sense especificar", "This room has no local addresses": "Aquesta sala no té adreces locals", @@ -136,11 +125,6 @@ "Copied!": "Copiat!", "Failed to copy": "No s'ha pogut copiar", "Add an Integration": "Afegeix una integració", - "Token incorrect": "Token incorrecte", - "A text message has been sent to %(msisdn)s": "S'ha enviat un missatge de text a %(msisdn)s", - "Please enter the code it contains:": "Introdueix el codi que conté:", - "Start authentication": "Inicia l'autenticació", - "Sign in with": "Inicieu sessió amb", "Email address": "Correu electrònic", "In reply to ": "En resposta a ", "Something went wrong!": "Alguna cosa ha anat malament!", @@ -177,9 +161,6 @@ "Are you sure you want to reject the invitation?": "Esteu segur que voleu rebutjar la invitació?", "Failed to reject invitation": "No s'ha pogut rebutjar la invitació", "Are you sure you want to leave the room '%(roomName)s'?": "Esteu segur que voleu sortir de la sala '%(roomName)s'?", - "For security, this session has been signed out. Please sign in again.": "Per seguretat, aquesta sessió s'ha tancat. Torna a iniciar la sessió.", - "Old cryptography data detected": "S'han detectat dades de criptografia antigues", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "S'han detectat dades d'una versió antiga del %(brand)s. Això haurà provocat que el xifratge d'extrem a extrem no funcioni correctament a la versió anterior. Els missatges xifrats d'extrem a extrem que s'han intercanviat recentment mentre s'utilitzava la versió anterior no es poden desxifrar en aquesta versió. També pot provocar que els missatges intercanviats amb aquesta versió fallin. Si teniu problemes, sortiu de la sessió i torneu a entrar-hi. Per poder llegir l'historial dels missatges xifrats, exporteu i torneu a importar les vostres claus.", "Connectivity to the server has been lost.": "S'ha perdut la connectivitat amb el servidor.", "Sent messages will be stored until your connection has returned.": "Els missatges enviats s'emmagatzemaran fins que la vostra connexió hagi tornat.", "You seem to be uploading files, are you sure you want to quit?": "Sembla que s'està pujant fitxers, esteu segur que voleu sortir?", @@ -191,18 +172,14 @@ "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "S'ha intentat carregar un punt específic dins la línia de temps d'aquesta sala, però no teniu permís per veure el missatge en qüestió.", "Tried to load a specific point in this room's timeline, but was unable to find it.": "S'ha intentat carregar un punt específic de la línia de temps d'aquesta sala, però no s'ha pogut trobar.", "Failed to load timeline position": "No s'ha pogut carregar aquesta posició de la línia de temps", - "Signed Out": "Sessió tancada", "Uploading %(filename)s and %(count)s others": { "other": "Pujant %(filename)s i %(count)s més" }, "Uploading %(filename)s": "Pujant %(filename)s", - "Import E2E room keys": "Importar claus E2E de sala", - "Cryptography": "Criptografia", "Session ID": "ID de la sessió", "Export room keys": "Exporta les claus de la sala", "Confirm passphrase": "Introduïu una contrasenya", "Import room keys": "Importa les claus de la sala", - "Email": "Correu electrònic", "Sunday": "Diumenge", "Notification targets": "Objectius de les notificacions", "Today": "Avui", @@ -213,7 +190,6 @@ "Unavailable": "No disponible", "Source URL": "URL origen", "Filter results": "Resultats del filtre", - "No update available.": "No hi ha cap actualització disponible.", "Search…": "Cerca…", "Tuesday": "Dimarts", "Preparing to send logs": "Preparant l'enviament de logs", @@ -227,7 +203,6 @@ "Thursday": "Dijous", "Logs sent": "Logs enviats", "Yesterday": "Ahir", - "Error encountered (%(errorDetail)s).": "S'ha trobat un error (%(errorDetail)s).", "Low Priority": "Baixa prioritat", "Thank you!": "Gràcies!", "Permission Required": "Es necessita permís", @@ -246,7 +221,6 @@ "Please contact your homeserver administrator.": "Si us plau contacteu amb l'administrador del vostre homeserver.", "Email addresses": "Adreces de correu electrònic", "Phone numbers": "Números de telèfon", - "Language and region": "Idioma i regió", "Phone Number": "Número de telèfon", "We encountered an error trying to restore your previous session.": "Hem trobat un error en intentar recuperar la teva sessió prèvia.", "Upload Error": "Error de pujada", @@ -254,7 +228,6 @@ "%(brand)s encountered an error during upload of:": "%(brand)s ha trobat un error durant la pujada de:", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "S'ha produït un error en actualitzar l'adreça principal de la sala. Pot ser que el servidor no ho permeti o que s'hagi produït un error temporal.", "Error upgrading room": "Error actualitzant sala", - "Error unsubscribing from list": "Error en cancel·lar subscripció de la llista", "Error changing power level requirement": "Error en canviar requisit del nivell d'autoritat", "Error changing power level": "Error en canviar nivell d'autoritat", "Error updating main address": "Error actualitzant adreça principal", @@ -263,9 +236,6 @@ "There was an error removing that address. It may no longer exist or a temporary error occurred.": "S'ha produït un error en eliminar l'adreça. Pot ser que ja no existeixi o que s'hagi produït un error temporal.", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "S'ha produït un error en crear l'adreça. Pot ser que el servidor no ho permeti o que s'hagi produït un error temporal.", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "S'ha produït un error en actualitzar l'adreça alternativa de la sala. Pot ser que el servidor no ho permeti o que s'hagi produït un error temporal.", - "Error removing ignored user/server": "Error eliminant usuari/servidor ignorat", - "Error subscribing to list": "Error subscrivint-se a la llista", - "Error adding ignored user/server": "Error afegint usuari/servidor ignorat", "Unexpected server error trying to leave the room": "Error de servidor inesperat intentant sortir de la sala", "Error leaving room": "Error sortint de la sala", "Unexpected error resolving identity server configuration": "Error inesperat resolent la configuració del servidor d'identitat", @@ -303,7 +273,6 @@ "Confirm by comparing the following with the User Settings in your other session:": "Confirma comparant el següent amb la configuració d'usuari de la teva altra sessió:", "Room settings": "Configuració de sala", "Change notification settings": "Canvia la configuració de notificacions", - "⚠ These settings are meant for advanced users.": "⚠ Aquesta configuració està pensada per usuaris avançats.", "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Per rebre invitacions directament a %(brand)s, enllaça aquest correu electrònic amb el teu compte a Configuració.", "Use an identity server in Settings to receive invites directly in %(brand)s.": "Per rebre invitacions directament a %(brand)s, utilitza un servidor d'identitat a Configuració.", "Share this email in Settings to receive invites directly in %(brand)s.": "Per rebre invitacions directament a %(brand)s, comparteix aquest correu electrònic a Configuració.", @@ -452,10 +421,17 @@ "mirror_local_feed": "Remet el flux de vídeo local" }, "security": { - "send_analytics": "Envia dades d'anàlisi" + "send_analytics": "Envia dades d'anàlisi", + "export_megolm_keys": "Exporta les claus E2E de la sala", + "import_megolm_keys": "Importar claus E2E de sala", + "cryptography_section": "Criptografia" }, "sessions": { "session_id": "ID de la sessió" + }, + "general": { + "account_section": "Compte", + "language_section": "Idioma i regió" } }, "devtools": { @@ -694,6 +670,9 @@ "default_url_previews_on": "Les previsualitzacions dels URL estan habilitades per defecte per als membres d'aquesta sala.", "default_url_previews_off": "Les previsualitzacions dels URL estan inhabilitades per defecte per als membres d'aquesta sala.", "url_previews_section": "Previsualitzacions dels URL" + }, + "advanced": { + "unfederated": "Aquesta sala no és accessible per a servidors de Matrix remots" } }, "auth": { @@ -705,7 +684,25 @@ "sign_in_or_register_description": "Utilitza el teu compte o crea'n un de nou per continuar.", "register_action": "Crea un compte", "incorrect_credentials": "Usuari i/o contrasenya incorrectes.", - "phone_label": "Telèfon" + "phone_label": "Telèfon", + "session_logged_out_title": "Sessió tancada", + "session_logged_out_description": "Per seguretat, aquesta sessió s'ha tancat. Torna a iniciar la sessió.", + "change_password_mismatch": "Les noves contrasenyes no coincideixen", + "change_password_empty": "Les contrasenyes no poden estar buides", + "set_email_prompt": "Voleu establir una adreça de correu electrònic?", + "change_password_confirm_label": "Confirma la contrasenya", + "change_password_current_label": "Contrasenya actual", + "change_password_new_label": "Nova contrasenya", + "change_password_action": "Canvia la contrasenya", + "email_field_label": "Correu electrònic", + "uia": { + "msisdn_token_incorrect": "Token incorrecte", + "msisdn": "S'ha enviat un missatge de text a %(msisdn)s", + "msisdn_token_prompt": "Introdueix el codi que conté:", + "fallback_button": "Inicia l'autenticació" + }, + "msisdn_field_label": "Telèfon", + "identifier_label": "Inicieu sessió amb" }, "export_chat": { "messages": "Missatges" @@ -749,7 +746,9 @@ }, "update": { "see_changes_button": "Què hi ha de nou?", - "release_notes_toast_title": "Novetats" + "release_notes_toast_title": "Novetats", + "error_encountered": "S'ha trobat un error (%(errorDetail)s).", + "no_update": "No hi ha cap actualització disponible." }, "room_list": { "failed_remove_tag": "No s'ha pogut esborrar l'etiqueta %(tagName)s de la sala", @@ -766,5 +765,16 @@ "context_menu": { "explore": "Explora sales" } + }, + "encryption": { + "old_version_detected_title": "S'han detectat dades de criptografia antigues", + "old_version_detected_description": "S'han detectat dades d'una versió antiga del %(brand)s. Això haurà provocat que el xifratge d'extrem a extrem no funcioni correctament a la versió anterior. Els missatges xifrats d'extrem a extrem que s'han intercanviat recentment mentre s'utilitzava la versió anterior no es poden desxifrar en aquesta versió. També pot provocar que els missatges intercanviats amb aquesta versió fallin. Si teniu problemes, sortiu de la sessió i torneu a entrar-hi. Per poder llegir l'historial dels missatges xifrats, exporteu i torneu a importar les vostres claus." + }, + "labs_mjolnir": { + "error_adding_ignore": "Error afegint usuari/servidor ignorat", + "error_adding_list_title": "Error subscrivint-se a la llista", + "error_removing_ignore": "Error eliminant usuari/servidor ignorat", + "error_removing_list_title": "Error en cancel·lar subscripció de la llista", + "advanced_warning": "⚠ Aquesta configuració està pensada per usuaris avançats." } } diff --git a/src/i18n/strings/cs.json b/src/i18n/strings/cs.json index 6555c889ad..7454f2f820 100644 --- a/src/i18n/strings/cs.json +++ b/src/i18n/strings/cs.json @@ -31,7 +31,6 @@ "Operation failed": "Operace se nezdařila", "unknown error code": "neznámý kód chyby", "Failed to forget room %(errCode)s": "Nepodařilo se zapomenout místnost %(errCode)s", - "Account": "Účet", "No Microphones detected": "Nerozpoznány žádné mikrofony", "No Webcams detected": "Nerozpoznány žádné webkamery", "Default Device": "Výchozí zařízení", @@ -42,21 +41,15 @@ "Are you sure you want to leave the room '%(roomName)s'?": "Opravdu chcete opustit místnost '%(roomName)s'?", "Are you sure you want to reject the invitation?": "Opravdu chcete odmítnout pozvání?", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Nelze se připojit k domovskému serveru – zkontrolujte prosím své připojení, prověřte, zda je SSL certifikát vašeho domovského serveru důvěryhodný, a že některé z rozšíření prohlížeče neblokuje komunikaci.", - "Change Password": "Změnit heslo", - "Confirm password": "Potvrďte heslo", - "Cryptography": "Šifrování", - "Current password": "Současné heslo", "Custom level": "Vlastní úroveň", "Deactivate Account": "Deaktivovat účet", "Decrypt %(text)s": "Dešifrovat %(text)s", "Delete widget": "Vymazat widget", "Default": "Výchozí", "Download %(text)s": "Stáhnout %(text)s", - "Email": "E-mail", "Email address": "E-mailová adresa", "Enter passphrase": "Zadejte přístupovou frázi", "Error decrypting attachment": "Chyba při dešifrování přílohy", - "Export E2E room keys": "Exportovat šifrovací klíče místností", "Failed to ban user": "Nepodařilo se vykázat uživatele", "Failed to mute user": "Ztlumení uživatele se nezdařilo", "Failed to reject invitation": "Nepodařilo se odmítnout pozvání", @@ -66,18 +59,15 @@ "Failed to unban": "Zrušení vykázání se nezdařilo", "Failure to create room": "Vytvoření místnosti se nezdařilo", "Forget room": "Zapomenout místnost", - "For security, this session has been signed out. Please sign in again.": "Z bezpečnostních důvodů bylo toto přihlášení ukončeno. Přihlašte se prosím znovu.", "and %(count)s others...": { "other": "a %(count)s další...", "one": "a někdo další..." }, "Failed to verify email address: make sure you clicked the link in the email": "E-mailovou adresu se nepodařilo ověřit. Přesvědčte se, že jste klepli na odkaz v e-mailové zprávě", - "Import E2E room keys": "Importovat šifrovací klíče místností", "Incorrect verification code": "Nesprávný ověřovací kód", "Invalid Email Address": "Neplatná e-mailová adresa", "Join Room": "Vstoupit do místnosti", "Moderator": "Moderátor", - "New passwords don't match": "Nová hesla se neshodují", "New passwords must match each other.": "Nová hesla se musí shodovat.", "not specified": "neurčeno", "": "", @@ -85,8 +75,6 @@ "PM": "odp.", "No display name": "Žádné zobrazované jméno", "No more results": "Žádné další výsledky", - "Passwords can't be empty": "Hesla nemohou být prázdná", - "Phone": "Telefon", "Failed to change power level": "Nepodařilo se změnit úroveň oprávnění", "Power level must be positive integer.": "Úroveň oprávnění musí být kladné celé číslo.", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (oprávnění %(powerLevelNumber)s)", @@ -100,7 +88,6 @@ "Server may be unavailable, overloaded, or search timed out :(": "Server může být nedostupný, přetížený nebo vyhledávání vypršelo :(", "Server may be unavailable, overloaded, or you hit a bug.": "Server může být nedostupný, přetížený nebo jste narazili na chybu.", "Session ID": "ID sezení", - "Start authentication": "Zahájit autentizaci", "This email address is already in use": "Tato e-mailová adresa je již používána", "This email address was not found": "Tato e-mailová adresa nebyla nalezena", "This room has no local addresses": "Tato místnost nemá žádné místní adresy", @@ -110,11 +97,9 @@ "You do not have permission to do that in this room.": "V této místnosti k tomu nemáte oprávnění.", "You cannot place a call with yourself.": "Nemůžete volat sami sobě.", "You do not have permission to post to this room": "Nemáte oprávnění zveřejňovat příspěvky v této místnosti", - "Check for update": "Zkontrolovat aktualizace", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Nelze se připojit k domovskému serveru přes HTTP, pokud je v adresním řádku HTTPS. Buď použijte HTTPS, nebo povolte nezabezpečené skripty.", "This doesn't appear to be a valid email address": "Tato e-mailová adresa se zdá být neplatná", "This phone number is already in use": "Toto telefonní číslo je již používáno", - "This room is not accessible by remote Matrix servers": "Tato místnost není přístupná vzdáleným Matrix serverům", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Pokusili jste se načíst bod v časové ose místnosti, ale pro zobrazení zpráv z daného časového úseku nemáte oprávnění.", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Pokusili jste se načíst bod na časové ose místnosti, ale nepodařilo se ho najít.", "Unable to add email address": "Nepodařilo se přidat e-mailovou adresu", @@ -142,8 +127,6 @@ "Unignored user": "Odignorovaný uživatel", "Reason": "Důvod", "Your browser does not support the required cryptography extensions": "Váš prohlížeč nepodporuje požadovaná kryptografická rozšíření", - "Do you want to set an email address?": "Chcete nastavit e-mailovou adresu?", - "New Password": "Nové heslo", "Unignore": "Odignorovat", "Admin Tools": "Nástroje pro správce", "Authentication check failed: incorrect password?": "Kontrola ověření selhala: špatné heslo?", @@ -184,10 +167,6 @@ "%(duration)sd": "%(duration)sd", "Invalid file%(extra)s": "Neplatný soubor%(extra)s", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Budete přesměrováni na stránku třetí strany k ověření svého účtu pro používání s %(integrationsUrl)s. Chcete pokračovat?", - "Token incorrect": "Neplatný token", - "A text message has been sent to %(msisdn)s": "Na číslo %(msisdn)s byla odeslána textová zpráva", - "Please enter the code it contains:": "Prosím zadejte kód z této zprávy:", - "Sign in with": "Přihlásit se pomocí", "Something went wrong!": "Něco se nepodařilo!", "%(items)s and %(count)s others": { "other": "%(items)s a %(count)s další", @@ -204,7 +183,6 @@ "Please check your email and click on the link it contains. Once this is done, click continue.": "Zkontrolujte svou e-mailovou schránku a klepněte na odkaz ve zprávě, kterou jsme vám poslali. V případě, že jste to už udělali, klepněte na tlačítko Pokračovat.", "This will allow you to reset your password and receive notifications.": "Toto vám umožní obnovit si heslo a přijímat oznámení e-mailem.", "Reject invitation": "Odmítnout pozvání", - "Signed Out": "Jste odhlášeni", "Connectivity to the server has been lost.": "Spojení se serverem bylo přerušeno.", "Sent messages will be stored until your connection has returned.": "Odeslané zprávy zůstanou uložené, dokud se spojení znovu neobnoví.", "Failed to load timeline position": "Nepodařilo se načíst pozici na časové ose", @@ -218,7 +196,6 @@ "Send": "Odeslat", "collapse": "sbalit", "expand": "rozbalit", - "Old cryptography data detected": "Nalezeny starší šifrované datové zprávy", "Sunday": "Neděle", "Notification targets": "Cíle oznámení", "Today": "Dnes", @@ -228,7 +205,6 @@ "Unavailable": "Nedostupné", "Source URL": "Zdrojová URL", "Filter results": "Filtrovat výsledky", - "No update available.": "Není dostupná žádná aktualizace.", "Tuesday": "Úterý", "Saturday": "Sobota", "Monday": "Pondělí", @@ -239,7 +215,6 @@ "Thursday": "Čtvrtek", "Search…": "Hledat…", "Yesterday": "Včera", - "Error encountered (%(errorDetail)s).": "Nastala chyba (%(errorDetail)s).", "Low Priority": "Nízká priorita", "Wednesday": "Středa", "Thank you!": "Děkujeme vám!", @@ -281,9 +256,6 @@ "This room is not public. You will not be able to rejoin without an invite.": "Tato místnost není veřejná. Bez pozvánky nebudete moci znovu vstoupit.", "Can't leave Server Notices room": "Místnost „Server Notices“ nelze opustit", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Tato místnost je určena pro důležité zprávy od domovského serveru, a proto ji nelze opustit.", - "Terms and Conditions": "Smluvní podmínky", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Chcete-li nadále používat domovský server %(homeserverDomain)s, měli byste si přečíst a odsouhlasit naše smluvní podmínky.", - "Review terms and conditions": "Přečíst smluvní podmínky", "You can't send any messages until you review and agree to our terms and conditions.": "Dokud si nepřečtete a neodsouhlasíte naše smluvní podmínky, nebudete moci posílat žádné zprávy.", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Vaše zpráva nebyla odeslána, protože tento domovský server dosáhl svého měsíčního limitu pro aktivní uživatele. Pro další využívání služby prosím kontaktujte jejího správce.", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Vaše zpráva nebyla odeslána, protože tento domovský server dosáhl limitu svých zdrojů. Pro další využívání služby prosím kontaktujte jejího správce.", @@ -297,20 +269,16 @@ "Failed to upgrade room": "Nezdařilo se aktualizovat místnost", "The room upgrade could not be completed": "Nepodařilo se dokončit aktualizaci místnosti", "Upgrade this room to version %(version)s": "Aktualizace místnosti na verzi %(version)s", - "Encryption": "Šifrování", "General": "Obecné", "General failure": "Nějaká chyba", "Room Name": "Název místnosti", "Room Topic": "Téma místnosti", "Room avatar": "Avatar místnosti", "Room information": "Informace o místnosti", - "Room version": "Verze místnosti", - "Room version:": "Verze místnosti:", "Voice & Video": "Zvuk a video", "Missing media permissions, click the button below to request.": "Pro práci se zvukem a videem je potřeba oprávnění. Klepněte na tlačítko a my o ně požádáme.", "Request media permissions": "Požádat o oprávnění k mikrofonu a kameře", "Email addresses": "E-mailové adresy", - "Language and region": "Jazyk a region", "Account management": "Správa účtu", "Phone numbers": "Telefonní čísla", "Phone Number": "Telefonní číslo", @@ -339,11 +307,6 @@ "You do not have permission to invite people to this room.": "Nemáte oprávnění zvát lidi do této místnosti.", "Unknown server error": "Neznámá chyba serveru", "Please contact your homeserver administrator.": "Kontaktujte prosím správce domovského serveru.", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Bezpečné zprávy s tímto uživatelem jsou koncově šifrované a nikdo další je nemůže číst.", - "Got It": "OK", - "Verify this user by confirming the following emoji appear on their screen.": "Ověřte uživatele zkontrolováním, že se mu na obrazovce objevily stejné emoji.", - "Verify this user by confirming the following number appears on their screen.": "Ověřte uživatele zkontrolováním, že se na obrazovce objevila stejná čísla.", - "Unable to find a supported verification method.": "Nepovedlo se nám najít podporovanou metodu ověření.", "Dog": "Pes", "Cat": "Kočka", "Lion": "Lev", @@ -441,8 +404,6 @@ "You've previously used %(brand)s on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, %(brand)s needs to resync your account.": "Na adrese %(host)s už jste použili %(brand)s se zapnutou volbou načítání členů místností až při prvním zobrazení. V této verzi je načítání členů až při prvním zobrazení vypnuté. Protože je s tímto nastavením lokální vyrovnávací paměť nekompatibilní, %(brand)s potřebuje znovu synchronizovat údaje z vašeho účtu.", "%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s teď používá 3-5× méně paměti, protože si informace o ostatních uživatelích načítá až když je potřebuje. Prosím počkejte na dokončení synchronizace se serverem!", "This homeserver would like to make sure you are not a robot.": "Domovský server se potřebuje přesvědčit, že nejste robot.", - "Please review and accept all of the homeserver's policies": "Pročtěte si a odsouhlaste prosím všechna pravidla domovského serveru", - "Please review and accept the policies of this homeserver:": "Pročtěte si a odsouhlaste prosím pravidla domovského serveru:", "Invalid homeserver discovery response": "Neplatná odpověd při hledání domovského serveru", "Invalid identity server discovery response": "Neplatná odpověď při hledání serveru identity", "Email (optional)": "E-mail (nepovinné)", @@ -464,8 +425,6 @@ "No homeserver URL provided": "Nebyla zadána URL adresa domovského server", "Unexpected error resolving homeserver configuration": "Chyba při zjišťování konfigurace domovského serveru", "The user's homeserver does not support the version of the room.": "Uživatelův domovský server nepodporuje verzi této místnosti.", - "Upgrade this room to the recommended room version": "Aktualizovat místnost na doporučenou verzi", - "View older messages in %(roomName)s.": "Zobrazit starší zprávy v %(roomName)s.", "Join the conversation with an account": "Připojte se ke konverzaci s účtem", "Sign Up": "Zaregistrovat se", "Reason: %(reason)s": "Důvod: %(reason)s", @@ -510,22 +469,8 @@ "Cancel All": "Zrušit vše", "Upload Error": "Chyba při nahrávání", "Remember my selection for this widget": "Zapamatovat si volbu pro tento widget", - "Use an email address to recover your account": "Použít e-mailovou adresu k obnovení přístupu k účtu", - "Enter email address (required on this homeserver)": "Zadejte e-mailovou adresu (tento domovský server ji vyžaduje)", - "Doesn't look like a valid email address": "To nevypadá jako e-mailová adresa", - "Enter password": "Zadejte heslo", - "Password is allowed, but unsafe": "Heslo můžete použít, ale není bezpečné", - "Nice, strong password!": "Super, to vypadá jako rozumné heslo!", - "Passwords don't match": "Hesla nejsou stejná", - "Other users can invite you to rooms using your contact details": "Ostatní uživatelé vás můžou pozvat do místností podle kontaktních údajů", - "Enter phone number (required on this homeserver)": "Zadejte telefonní číslo (domovský server ho vyžaduje)", - "Enter username": "Zadejte uživatelské jméno", "Some characters not allowed": "Nějaké znaky jsou zakázané", "Add room": "Přidat místnost", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "Máte %(count)s nepřečtených oznámení v předchozí verzi této místnosti.", - "one": "Máte %(count)s nepřečtených oznámení v předchozí verzi této místnosti." - }, "Failed to get autodiscovery configuration from server": "Nepovedlo se načíst nastavení automatického objevování ze serveru", "Invalid base_url for m.homeserver": "Neplatná base_url pro m.homeserver", "Homeserver URL does not appear to be a valid Matrix homeserver": "Na URL domovského serveru asi není funkční Matrix server", @@ -651,7 +596,6 @@ "e.g. my-room": "např. moje-mistnost", "Upload all": "Nahrát vše", "Resend %(unsentCount)s reaction(s)": "Poslat %(unsentCount)s reakcí znovu", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Na domovském serveru chybí veřejný klíč pro captcha. Nahlaste to prosím správci serveru.", "Explore rooms": "Procházet místnosti", "Jump to first unread room.": "Přejít na první nepřečtenou místnost.", "Jump to first invite.": "Přejít na první pozvánku.", @@ -662,28 +606,7 @@ "Cannot connect to integration manager": "Nepovedlo se připojení ke správci integrací", "The integration manager is offline or it cannot reach your homeserver.": "Správce integrací neběží nebo se nemůže připojit k vašemu domovskému serveru.", "Manage integrations": "Správa integrací", - "Ignored/Blocked": "Ignorováno/Blokováno", - "Error adding ignored user/server": "Chyba při přidávání ignorovaného uživatele/serveru", - "Something went wrong. Please try again or view your console for hints.": "Něco se nepovedlo. Zkuste pro prosím znovu nebo se podívejte na detaily do konzole.", - "Error subscribing to list": "Nepovedlo se přihlásit odběr", - "Error removing ignored user/server": "Ignorovaný uživatel/server nejde odebrat", - "Error unsubscribing from list": "Nepovedlo se zrušit odběr", - "Please try again or view your console for hints.": "Zkuste to prosím znovu a nebo se podívejte na detailní chybu do konzole.", "None": "Žádné", - "Ban list rules - %(roomName)s": "Pravidla blokování - %(roomName)s", - "Server rules": "Pravidla serveru", - "User rules": "Pravidla uživatele", - "You have not ignored anyone.": "Nikoho neignorujete.", - "You are currently ignoring:": "Ignorujete:", - "You are not subscribed to any lists": "Neodebíráte žádné seznamy", - "View rules": "Zobrazit pravidla", - "You are currently subscribed to:": "Odebíráte:", - "⚠ These settings are meant for advanced users.": "⚠ Tato nastavení jsou pro pokročilé uživatele.", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Lidé a servery jsou blokováni pomocí seznamů obsahující pravidla koho blokovat. Odebírání blokovacího seznamu znamená, že neuvidíte uživatele a servery na něm uvedené.", - "Personal ban list": "Osobní seznam blokací", - "Server or user ID to ignore": "Server nebo ID uživatele", - "eg: @bot:* or example.org": "např.: @bot:* nebo example.org", - "Subscribed lists": "Odebírané seznamy", "Unencrypted": "Nezašifrované", " wants to chat": " si chce psát", "Start chatting": "Zahájit konverzaci", @@ -712,7 +635,6 @@ "Remove for everyone": "Odstranit pro všechny", "Verification Request": "Požadavek na ověření", "Unable to set up secret storage": "Nepovedlo se nastavit bezpečné úložiště", - "not found": "nenalezeno", "Close preview": "Zavřít náhled", "Hide verified sessions": "Skrýt ověřené relace", "%(count)s verified sessions": { @@ -727,18 +649,11 @@ "Session already verified!": "Relace je už ověřená!", "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "VAROVÁNÍ: OVĚŘENÍ KLÍČE SE NEZDAŘILO! Podpisový klíč pro uživatele %(userId)s a relaci %(deviceId)s je „%(fprint)s“, což neodpovídá klíči „%(fingerprint)s“. To by mohlo znamenat, že vaše komunikace je zachycována!", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Zadaný podpisový klíč odpovídá klíči relace %(deviceId)s od uživatele %(userId)s. Relace byla označena jako ověřená.", - "Waiting for %(displayName)s to verify…": "Čekám až nás %(displayName)s ověří…", "Lock": "Zámek", "Other users may not trust it": "Ostatní uživatelé této relaci nemusí věřit", "Later": "Později", - "This bridge was provisioned by .": "Toto propojení poskytuje .", - "This bridge is managed by .": "Toto propojení spravuje .", "Show more": "Více", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Váš účet má v bezpečném úložišti identitu pro křížový podpis, ale v této relaci jí zatím nevěříte.", - "Cross-signing public keys:": "Veřejné klíče pro křížový podpis:", - "in memory": "v paměti", - "Cross-signing private keys:": "Soukromé klíče pro křížový podpis:", - "in secret storage": "v bezpečném úložišti", "Secret storage public key:": "Veřejný klíč bezpečného úložiště:", "in account data": "v datech účtu", "Securely cache encrypted messages locally for them to appear in search results.": "Bezpečně uchovávat zprávy na tomto zařízení aby se v nich dalo vyhledávat.", @@ -748,8 +663,6 @@ "not stored": "není uložen", "This backup is trusted because it has been restored on this session": "Záloze věříme, protože už byla v této relaci načtena", "Your keys are not being backed up from this session.": "Vaše klíče nejsou z této relace zálohovány.", - "Session ID:": "ID relace:", - "Session key:": "Klíč relace:", "Message search": "Vyhledávání ve zprávách", "This room is bridging messages to the following platforms. Learn more.": "Tato místnost je propojena s následujícími platformami. Více informací", "Bridges": "Propojení", @@ -796,12 +709,9 @@ "The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Následující uživatelé asi neexistují nebo jsou neplatní a nelze je pozvat: %(csvNames)s", "Recent Conversations": "Nedávné konverzace", "Recently Direct Messaged": "Nedávno kontaktovaní", - "Confirm your identity by entering your account password below.": "Potvrďte svou identitu zadáním hesla ke svému účtu.", "Cancel entering passphrase?": "Zrušit zadávání přístupové fráze?", "Setting up keys": "Příprava klíčů", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)su chybí nějaké komponenty, které jsou potřeba pro vyhledávání v zabezpečených místnostech. Pokud chcete s touto funkcí experimentovat, tak si pořiďte vlastní %(brand)s Desktop s přidanými komponentami.", - "Subscribing to a ban list will cause you to join it!": "Odebíráním seznamu zablokovaných uživatelů se přidáte do jeho místnosti!", - "If this isn't what you want, please use a different tool to ignore users.": "Pokud to nechcete, tak prosím použijte jiný nástroj na blokování uživatelů.", "Restore your key backup to upgrade your encryption": "Pro aktualizaci šifrování obnovte klíče ze zálohy", "Enter your account password to confirm the upgrade:": "Potvrďte, že chcete aktualizaci provést zadáním svého uživatelského hesla:", "You'll need to authenticate with the server to confirm the upgrade.": "Server si vás potřebuje ověřit, abychom mohli provést aktualizaci.", @@ -819,14 +729,9 @@ "Create key backup": "Vytvořit zálohu klíčů", "This session is encrypting history using the new recovery method.": "Tato relace šifruje historii zpráv s podporou nového způsobu obnovení.", "If you did this accidentally, you can setup Secure Messages on this session which will re-encrypt this session's message history with a new recovery method.": "Pokud se vám to stalo neúmyslně, můžete znovu nastavit zálohu zpráv pro tuto relaci. To znovu zašifruje historii zpráv novým způsobem.", - "Cancelling…": "Rušení…", "Your homeserver does not support cross-signing.": "Váš domovský server nepodporuje křížové podepisování.", - "Homeserver feature support:": "Funkce podporovaná domovským serverem:", "Accepting…": "Přijímání…", - "exists": "existuje", "Mark all as read": "Označit vše jako přečtené", - "cached locally": "uložen lokálně", - "not found locally": "nenalezen lolálně", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Individuálně ověřit každou uživatelovu relaci a označit jí za důvěryhodnou, bez důvěry v křížový podpis.", "Scroll to most recent messages": "Přejít na poslední zprávy", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Nepovedlo se změnit alternativní adresy místnosti. Možná to server neumožňuje a nebo je to dočasná chyba.", @@ -876,8 +781,6 @@ "There was a problem communicating with the server. Please try again.": "Došlo k potížím při komunikaci se serverem. Zkuste to prosím znovu.", "IRC display name width": "šířka zobrazovného IRC jména", "unexpected type": "neočekávaný typ", - "Please verify the room ID or address and try again.": "Ověřte prosím, že ID místnosti je správné a zkuste to znovu.", - "Room ID or address of ban list": "ID nebo adresa seznamu zablokovaných", "Your homeserver has exceeded its user limit.": "Na vašem domovském serveru byl překročen limit počtu uživatelů.", "Your homeserver has exceeded one of its resource limits.": "Na vašem domovském serveru byl překročen limit systémových požadavků.", "Contact your server admin.": "Kontaktujte administrátora serveru.", @@ -902,15 +805,12 @@ "Confirm to continue": "Pro pokračování potvrďte", "Click the button below to confirm your identity.": "Klikněte na tlačítko níže pro potvrzení vaší identity.", "a new master key signature": "nový podpis hlavního klíče", - "New version available. Update now.": "Je dostupná nová verze. Aktualizovat nyní.", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Sem přídejte servery a uživatele, které chcete ignorovat. Hvězdička pro %(brand)s zastupuje libovolný počet kterýchkoliv znaků. Např. @bot:* bude ignorovat všechny uživatele se jménem „bot“ na kterémkoliv serveru.", "Signature upload success": "Podpis úspěšně nahrán", "Signature upload failed": "Podpis se nepodařilo nahrát", "If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Je-li jiná verze programu %(brand)s stále otevřená na jiné kartě, tak ji prosím zavřete, neboť užívání programu %(brand)s stejným hostitelem se zpožděným nahráváním současně povoleným i zakázaným bude působit problémy.", "Unexpected server error trying to leave the room": "Neočekávaná chyba serveru při odcházení z místnosti", "Change notification settings": "Upravit nastavení oznámení", "Your server isn't responding to some requests.": "Váš server neodpovídá na některé požadavky.", - "Master private key:": "Hlavní soukromý klíč:", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s nemůže bezpečně ukládat šifrované zprávy lokálně v prohlížeči. Pro zobrazení šifrovaných zpráv ve výsledcích vyhledávání použijte %(brand)s Desktop.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Správce vašeho serveru vypnul ve výchozím nastavení koncové šifrování v soukromých místnostech a přímých zprávách.", "The authenticity of this encrypted message can't be guaranteed on this device.": "Pravost této šifrované zprávy nelze na tomto zařízení ověřit.", @@ -971,9 +871,6 @@ "Invite by email": "Pozvat emailem", "Reason (optional)": "Důvod (volitelné)", "Sign in with SSO": "Přihlásit pomocí SSO", - "That phone number doesn't look quite right, please check and try again": "Toto telefonní číslo nevypadá úplně správně, zkontrolujte ho a zkuste to znovu", - "Enter phone number": "Zadejte telefonní číslo", - "Enter email address": "Zadejte emailovou adresu", "Take a picture": "Vyfotit", "Hold": "Podržet", "Resume": "Pokračovat", @@ -1142,7 +1039,6 @@ "Confirm encryption setup": "Potvrďte nastavení šifrování", "Unable to set up keys": "Nepovedlo se nastavit klíče", "Save your Security Key": "Uložte svůj bezpečnostní klíč", - "not found in storage": "nebylo nalezeno v úložišti", "ready": "připraveno", "Don't miss a reply": "Nezmeškejte odpovědět", "Unknown App": "Neznámá aplikace", @@ -1261,7 +1157,6 @@ "Recent changes that have not yet been received": "Nedávné změny, které dosud nebyly přijaty", "Restoring keys from backup": "Obnovení klíčů ze zálohy", "%(completed)s of %(total)s keys restored": "Obnoveno %(completed)s z %(total)s klíčů", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Byla zjištěna data ze starší verze %(brand)s. To bude mít za následek nefunkčnost koncové kryptografie ve starší verzi. Koncově šifrované zprávy vyměněné nedávno při používání starší verze nemusí být v této verzi dešifrovatelné. To může také způsobit selhání zpráv vyměňovaných s touto verzí. Pokud narazíte na problémy, odhlaste se a znovu se přihlaste. Chcete-li zachovat historii zpráv, exportujte a znovu importujte klíče.", "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Pokud nyní nebudete pokračovat, můžete ztratit šifrované zprávy a data, pokud ztratíte přístup ke svým přihlašovacím údajům.", "Revoke permissions": "Odvolat oprávnění", "Continuing without email": "Pokračuje se bez e-mailu", @@ -1289,8 +1184,6 @@ "other": "Bezpečně uloží zašifrované zprávy v místním úložišti, aby se mohly objevit ve výsledcích vyhledávání, využívá se %(size)s k ukládání zpráv z %(rooms)s místností." }, "well formed": "ve správném tvaru", - "User signing private key:": "Podpisový klíč uživatele:", - "Self signing private key:": "Vlastní podpisový klíč:", "Transfer": "Přepojit", "Failed to transfer call": "Hovor se nepodařilo přepojit", "A call can only be transferred to a single user.": "Hovor lze přepojit pouze jednomu uživateli.", @@ -1298,8 +1191,6 @@ "Dial pad": "Číselník", "There was an error looking up the phone number": "Při vyhledávání telefonního čísla došlo k chybě", "Unable to look up phone number": "Nelze nalézt telefonní číslo", - "Channel: ": "Kanál: ", - "Workspace: ": "Pracovní oblast: ", "If you've forgotten your Security Key you can ": "Pokud jste zapomněli bezpečnostní klíč, můžete ", "If you've forgotten your Security Phrase you can use your Security Key or set up new recovery options": "Pokud jste zapomněli bezpečnostní frázi, můžete použít bezpečnostní klíč nebo nastavit nové možnosti obnovení", "Backup could not be decrypted with this Security Phrase: please verify that you entered the correct Security Phrase.": "Zálohu nebylo možné dešifrovat pomocí této bezpečnostní fráze: ověřte, zda jste zadali správnou bezpečnostní frázi.", @@ -1326,7 +1217,6 @@ "Allow this widget to verify your identity": "Povolte tomuto widgetu ověřit vaši identitu", "Use app for a better experience": "Pro lepší zážitek použijte aplikaci", "Use app": "Použijte aplikaci", - "Something went wrong in confirming your identity. Cancel and try again.": "Při ověřování vaší identity se něco pokazilo. Zrušte to a zkuste to znovu.", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Požádali jsme prohlížeč, aby si zapamatoval, který domovský server používáte k přihlášení, ale váš prohlížeč to bohužel zapomněl. Přejděte na přihlašovací stránku a zkuste to znovu.", "We couldn't log you in": "Nemohli jsme vás přihlásit", "Recently visited rooms": "Nedávno navštívené místnosti", @@ -1362,7 +1252,6 @@ "Click to copy": "Kliknutím zkopírujte", "Create a space": "Vytvořit prostor", "This homeserver has been blocked by its administrator.": "Tento domovský server byl zablokován jeho správcem.", - "Original event source": "Původní zdroj události", "Save Changes": "Uložit změny", "This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please report a bug.": "Toto obvykle ovlivňuje pouze to, jak je místnost zpracována na serveru. Pokud máte problémy s %(brand)s, nahlaste prosím chybu.", "Private space": "Soukromý prostor", @@ -1395,7 +1284,6 @@ "Reset event store": "Resetovat úložiště událostí", "Reset event store?": "Resetovat úložiště událostí?", "Avatar": "Avatar", - "Verification requested": "Žádost ověření", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Jste zde jediná osoba. Pokud odejdete, nikdo se v budoucnu nebude moci připojit, včetně vás.", "If you reset everything, you will restart with no trusted sessions, no trusted users, and might not be able to see past messages.": "Pokud vše resetujete, začnete bez důvěryhodných relací, bez důvěryhodných uživatelů a možná nebudete moci zobrazit minulé zprávy.", "Only do this if you have no other device to complete verification with.": "Udělejte to, pouze pokud nemáte žádné jiné zařízení, se kterým byste mohli dokončit ověření.", @@ -1603,7 +1491,6 @@ "Unban from %(roomName)s": "Zrušit vykázání z %(roomName)s", "They'll still be able to access whatever you're not an admin of.": "Stále budou mít přístup ke všemu, čeho nejste správcem.", "Disinvite from %(roomName)s": "Zrušit pozvánku do %(roomName)s", - "Create poll": "Vytvořit hlasování", "Updating spaces... (%(progress)s out of %(count)s)": { "one": "Aktualizace prostoru...", "other": "Aktualizace prostorů... (%(progress)s z %(count)s)" @@ -1635,13 +1522,6 @@ "The homeserver the user you're verifying is connected to": "Domovský server, ke kterému je ověřovaný uživatel připojen", "This room isn't bridging messages to any platforms. Learn more.": "Tato místnost nepropojuje zprávy s žádnou platformou. Zjistit více.", "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Tato místnost se nachází v některých prostorech, jejichž nejste správcem. V těchto prostorech bude stará místnost stále zobrazena, ale lidé budou vyzváni, aby se připojili k nové místnosti.", - "Add option": "Přidat volbu", - "Write an option": "Napište volbu", - "Create options": "Vytvořit volby", - "Option %(number)s": "Volba %(number)s", - "Question or topic": "Otázka nebo téma", - "What is your poll question or topic?": "Jaká je vaše otázka nebo téma hlasování?", - "Create Poll": "Vytvořit hlasování", "You do not have permission to start polls in this room.": "Nemáte oprávnění zahajovat hlasování v této místnosti.", "Copy link to thread": "Kopírovat odkaz na vlákno", "Thread options": "Možnosti vláken", @@ -1673,8 +1553,6 @@ "one": "%(spaceName)s a %(count)s další", "other": "%(spaceName)s and %(count)s dalších" }, - "Sorry, the poll you tried to create was not posted.": "Omlouváme se, ale hlasování, které jste se pokusili vytvořit, nebylo zveřejněno.", - "Failed to post poll": "Nepodařilo se zveřejnit hlasování", "Sorry, your vote was not registered. Please try again.": "Je nám líto, váš hlas nebyl zaregistrován. Zkuste to prosím znovu.", "Vote not registered": "Hlasování není registrováno", "Developer": "Pro vývojáře", @@ -1743,10 +1621,6 @@ "You cancelled verification on your other device.": "Ověřování na jiném zařízení jste zrušili.", "Almost there! Is your other device showing the same shield?": "Už to skoro je! Zobrazuje vaše druhé zařízení stejný štít?", "To proceed, please accept the verification request on your other device.": "Pro pokračování, přijměte žádost o ověření na svém dalším zařízení.", - "Waiting for you to verify on your other device…": "Čekáme na ověření na jiném zařízení…", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Čekáme na ověření na vašem dalším zařízení, %(deviceName)s (%(deviceId)s)…", - "Verify this device by confirming the following number appears on its screen.": "Ověřte toto zařízení tak, že potvrdíte, že se na jeho obrazovce zobrazí následující číslo.", - "Confirm the emoji below are displayed on both devices, in the same order:": "Potvrďte, že se následující emotikony zobrazují na obou zařízeních ve stejném pořadí:", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Neznámý pár (uživatel, relace): (%(userId)s, %(deviceId)s)", "Unrecognised room address: %(roomAlias)s": "Nerozpoznaná adresa místnosti: %(roomAlias)s", "From a thread": "Z vlákna", @@ -1759,7 +1633,6 @@ "You were removed from %(roomName)s by %(memberName)s": "Byl(a) jsi odebrán(a) z %(roomName)s uživatelem %(memberName)s", "Message pending moderation": "Zpráva čeká na moderaci", "Message pending moderation: %(reason)s": "Zpráva čeká na moderaci: %(reason)s", - "Internal room ID": "Interní ID místnosti", "Group all your rooms that aren't part of a space in one place.": "Seskupte všechny místnosti, které nejsou součástí prostoru, na jednom místě.", "Group all your people in one place.": "Seskupte všechny své kontakty na jednom místě.", "Group all your favourite rooms and people in one place.": "Seskupte všechny své oblíbené místnosti a osoby na jednom místě.", @@ -1777,14 +1650,8 @@ "Feedback sent! Thanks, we appreciate it!": "Zpětná vazba odeslána! Děkujeme, vážíme si toho!", "%(space1Name)s and %(space2Name)s": "%(space1Name)s a %(space2Name)s", "Join %(roomAddress)s": "Vstoupit do %(roomAddress)s", - "Edit poll": "Upravit hlasování", "Sorry, you can't edit a poll after votes have been cast.": "Je nám líto, ale po odevzdání hlasů nelze hlasování upravovat.", "Can't edit poll": "Nelze upravit hlasování", - "Results are only revealed when you end the poll": "Výsledky se zobrazí až po ukončení hlasování", - "Voters see results as soon as they have voted": "Hlasující uvidí výsledky ihned po hlasování", - "Closed poll": "Uzavřené hlasování", - "Open poll": "Otevřené hlasování", - "Poll type": "Typ hlasování", "Results will be visible when the poll is ended": "Výsledky se zobrazí po ukončení hlasování", "Search Dialog": "Dialogové okno hledání", "Pinned": "Připnuto", @@ -1833,8 +1700,6 @@ "Forget this space": "Zapomenout tento prostor", "You were removed by %(memberName)s": "%(memberName)s vás odebral(a)", "Loading preview": "Načítání náhledu", - "View older version of %(spaceName)s.": "Zobrazit starší verzi %(spaceName)s.", - "Upgrade this space to the recommended room version": "Aktualizovat tento prostor na doporučenou verzi místnosti", "Failed to join": "Nepodařilo se připojit", "The person who invited you has already left, or their server is offline.": "Osoba, která vás pozvala, již odešla nebo je její server offline.", "The person who invited you has already left.": "Osoba, která vás pozvala, již odešla.", @@ -1910,18 +1775,12 @@ "Your message wasn't sent because this homeserver has been blocked by its administrator. Please contact your service administrator to continue using the service.": "Vaše zpráva nebyla odeslána, protože tento domovský server byl zablokován jeho správcem. Pokud chcete pokračovat v používání služby, kontaktujte správce služby.", "An error occurred whilst sharing your live location, please try again": "Při sdílení vaší polohy živě došlo k chybě, zkuste to prosím znovu", "An error occurred whilst sharing your live location": "Při sdílení vaší polohy živě došlo k chybě", - "Click to read topic": "Klikněte pro přečtení tématu", - "Edit topic": "Upravit téma", "Joining…": "Připojování…", "%(count)s people joined": { "one": "%(count)s osoba se připojila", "other": "%(count)s osob se připojilo" }, - "Resent!": "Přeposláno!", - "Did not receive it? Resend it": "Nedostali jste ho? Poslat znovu", - "To create your account, open the link in the email we just sent to %(emailAddress)s.": "Pro vytvoření účtu, otevřete odkaz v e-mailu, který jsme právě zaslali na adresu %(emailAddress)s.", "Unread email icon": "Ikona nepřečteného e-mailu", - "Check your email to continue": "Zkontrolujte svůj e-mail a pokračujte", "View related event": "Zobrazit související událost", "Read receipts": "Potvrzení o přečtení", "You were disconnected from the call. (Error: %(message)s)": "Hovor byl přerušen. (Chyba: %(message)s)", @@ -1969,7 +1828,6 @@ "Messages in this chat will be end-to-end encrypted.": "Zprávy v této místnosti budou koncově šifrovány.", "Saved Items": "Uložené položky", "Choose a locale": "Zvolte jazyk", - "Spell check": "Kontrola pravopisu", "We're creating a room with %(names)s": "Vytváříme místnost s %(names)s", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "V zájmu co nejlepšího zabezpečení ověřujte své relace a odhlašujte se ze všech relací, které již nepoznáváte nebo nepoužíváte.", "Sessions": "Relace", @@ -2051,10 +1909,6 @@ "We were unable to start a chat with the other user.": "Nepodařilo se zahájit chat s druhým uživatelem.", "Error starting verification": "Chyba při zahájení ověření", "WARNING: ": "UPOZORNĚNÍ: ", - "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.": "Rádi experimentujete? Vyzkoušejte naše nejnovější nápady ve vývoji. Tyto funkce nejsou dokončeny; mohou být nestabilní, mohou se změnit nebo mohou být zcela vypuštěny. Zjistěte více.", - "Early previews": "Předběžné ukázky", - "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "Co se chystá pro %(brand)s? Experimentální funkce jsou nejlepším způsobem, jak se dostat k novým věcem v raném stádiu, vyzkoušet nové funkce a pomoci je formovat ještě před jejich spuštěním.", - "Upcoming features": "Připravované funkce", "You have unverified sessions": "Máte neověřené relace", "Change layout": "Změnit rozvržení", "Search users in this room…": "Hledání uživatelů v této místnosti…", @@ -2075,9 +1929,6 @@ "Edit link": "Upravit odkaz", "%(senderName)s started a voice broadcast": "%(senderName)s zahájil(a) hlasové vysílání", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", - "Registration token": "Registrační token", - "Enter a registration token provided by the homeserver administrator.": "Zadejte registrační token poskytnutý správcem domovského serveru.", - "Manage account": "Spravovat účet", "Your account details are managed separately at %(hostname)s.": "Údaje o vašem účtu jsou spravovány samostatně na adrese %(hostname)s.", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Všechny zprávy a pozvánky od tohoto uživatele budou skryty. Opravdu je chcete ignorovat?", "Ignore %(user)s": "Ignorovat %(user)s", @@ -2091,13 +1942,10 @@ "There are no active polls in this room": "V této místnosti nejsou žádná aktivní hlasování", "WARNING: session already verified, but keys do NOT MATCH!": "VAROVÁNÍ: relace již byla ověřena, ale klíče se NESHODUJÍ!", "Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Upozornění: vaše osobní údaje (včetně šifrovacích klíčů) jsou v této relaci stále uloženy. Pokud jste s touto relací skončili nebo se chcete přihlásit k jinému účtu, vymažte ji.", - "Warning: upgrading a room will not automatically migrate room members to the new version of the room. We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.": "Upozornění: aktualizace místnosti neprovádí automatickou migraci členů místnosti do nové verze místnosti. Odkaz na novou místnost zveřejníme ve staré verzi místnosti - členové místnosti budou muset na tento odkaz kliknout, aby mohli vstoupit do nové místnosti.", "Scan QR code": "Skenovat QR kód", "Select '%(scanQRCode)s'": "Vybrat '%(scanQRCode)s'", "Enable '%(manageIntegrations)s' in Settings to do this.": "Pro provedení povolte v Nastavení položku '%(manageIntegrations)s'.", - "Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named '%(myBanList)s' - stay in this room to keep the ban list in effect.": "Váš osobní seznam vykázaných obsahuje všechny uživatele/servery, od kterých osobně nechcete vidět zprávy. Po ignorování prvního uživatele/serveru se ve vašem seznamu místností objeví nová místnost s názvem \"%(myBanList)s\" - v této místnosti zůstaňte, aby seznam zákazů zůstal v platnosti.", "Starting backup…": "Zahájení zálohování…", - "Keep going…": "Pokračujte…", "Connecting…": "Připojování…", "Loading live location…": "Načítání polohy živě…", "Fetching keys from server…": "Načítání klíčů ze serveru…", @@ -2106,13 +1954,10 @@ "Joining room…": "Vstupování do místnosti…", "Joining space…": "Připojování k prostoru…", "Adding…": "Přidání…", - "Write something…": "Napište něco…", "Rejecting invite…": "Odmítání pozvánky…", "Encrypting your message…": "Šifrování zprávy…", "Sending your message…": "Odeslání zprávy…", "Set a new account password…": "Nastavení nového hesla k účtu…", - "Downloading update…": "Stahování aktualizace…", - "Checking for an update…": "Kontrola aktualizace…", "Backing up %(sessionsRemaining)s keys…": "Zálohování %(sessionsRemaining)s klíčů…", "Connecting to integration manager…": "Připojování ke správci integrací…", "Saving…": "Ukládání…", @@ -2179,7 +2024,6 @@ "Error changing password": "Chyba při změně hesla", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (HTTP stav %(httpStatus)s)", "Unknown password change error (%(stringifiedError)s)": "Neznámá chyba při změně hesla (%(stringifiedError)s)", - "Error while changing password: %(error)s": "Chyba při změně hesla: %(error)s", "Image view": "Zobrazení obrázku", "Search all rooms": "Vyhledávat ve všech místnostech", "Search this room": "Vyhledávat v této místnosti", @@ -2540,7 +2384,15 @@ "sliding_sync_disable_warning": "Pro deaktivaci se musíte odhlásit a znovu přihlásit, používejte s opatrností!", "sliding_sync_proxy_url_optional_label": "URL proxy serveru (volitelné)", "sliding_sync_proxy_url_label": "URL proxy serveru", - "video_rooms_beta": "Video místnosti jsou beta funkce" + "video_rooms_beta": "Video místnosti jsou beta funkce", + "bridge_state_creator": "Toto propojení poskytuje .", + "bridge_state_manager": "Toto propojení spravuje .", + "bridge_state_workspace": "Pracovní oblast: ", + "bridge_state_channel": "Kanál: ", + "beta_section": "Připravované funkce", + "beta_description": "Co se chystá pro %(brand)s? Experimentální funkce jsou nejlepším způsobem, jak se dostat k novým věcem v raném stádiu, vyzkoušet nové funkce a pomoci je formovat ještě před jejich spuštěním.", + "experimental_section": "Předběžné ukázky", + "experimental_description": "Rádi experimentujete? Vyzkoušejte naše nejnovější nápady ve vývoji. Tyto funkce nejsou dokončeny; mohou být nestabilní, mohou se změnit nebo mohou být zcela vypuštěny. Zjistěte více." }, "keyboard": { "home": "Domov", @@ -2876,7 +2728,26 @@ "record_session_details": "Zaznamenat název, verzi a url pro snadnější rozpoznání relací ve správci relací", "strict_encryption": "Nikdy neposílat šifrované zprávy do neověřených relací z této relace", "enable_message_search": "Povolit vyhledávání v šifrovaných místnostech", - "manually_verify_all_sessions": "Ručně ověřit všechny relace" + "manually_verify_all_sessions": "Ručně ověřit všechny relace", + "cross_signing_public_keys": "Veřejné klíče pro křížový podpis:", + "cross_signing_in_memory": "v paměti", + "cross_signing_not_found": "nenalezeno", + "cross_signing_private_keys": "Soukromé klíče pro křížový podpis:", + "cross_signing_in_4s": "v bezpečném úložišti", + "cross_signing_not_in_4s": "nebylo nalezeno v úložišti", + "cross_signing_master_private_Key": "Hlavní soukromý klíč:", + "cross_signing_cached": "uložen lokálně", + "cross_signing_not_cached": "nenalezen lolálně", + "cross_signing_self_signing_private_key": "Vlastní podpisový klíč:", + "cross_signing_user_signing_private_key": "Podpisový klíč uživatele:", + "cross_signing_homeserver_support": "Funkce podporovaná domovským serverem:", + "cross_signing_homeserver_support_exists": "existuje", + "export_megolm_keys": "Exportovat šifrovací klíče místností", + "import_megolm_keys": "Importovat šifrovací klíče místností", + "cryptography_section": "Šifrování", + "session_id": "ID relace:", + "session_key": "Klíč relace:", + "encryption_section": "Šifrování" }, "preferences": { "room_list_heading": "Seznam místností", @@ -2991,6 +2862,12 @@ }, "security_recommendations": "Bezpečnostní doporučení", "security_recommendations_description": "Zlepšete zabezpečení svého účtu dodržováním těchto doporučení." + }, + "general": { + "oidc_manage_button": "Spravovat účet", + "account_section": "Účet", + "language_section": "Jazyk a region", + "spell_check_section": "Kontrola pravopisu" } }, "devtools": { @@ -3092,7 +2969,8 @@ "low_bandwidth_mode": "Režim malé šířky pásma", "developer_mode": "Vývojářský režim", "view_source_decrypted_event_source": "Dešifrovaný zdroj události", - "view_source_decrypted_event_source_unavailable": "Dešifrovaný zdroj není dostupný" + "view_source_decrypted_event_source_unavailable": "Dešifrovaný zdroj není dostupný", + "original_event_source": "Původní zdroj události" }, "export_chat": { "html": "HTML", @@ -3732,6 +3610,17 @@ "url_preview_encryption_warning": "V šifrovaných místnostech, jako je tato, jsou URL náhledy ve výchozím nastavení vypnuté, aby bylo možné zajistit, že váš domovský server neshromažďuje informace o odkazech, které v této místnosti vidíte.", "url_preview_explainer": "Když někdo ve zprávě pošle URL adresu, může být zobrazen její náhled obsahující informace jako titulek, popis a obrázek z cílové stránky.", "url_previews_section": "Náhledy webových adres" + }, + "advanced": { + "unfederated": "Tato místnost není přístupná vzdáleným Matrix serverům", + "room_upgrade_warning": "Upozornění: aktualizace místnosti neprovádí automatickou migraci členů místnosti do nové verze místnosti. Odkaz na novou místnost zveřejníme ve staré verzi místnosti - členové místnosti budou muset na tento odkaz kliknout, aby mohli vstoupit do nové místnosti.", + "space_upgrade_button": "Aktualizovat tento prostor na doporučenou verzi místnosti", + "room_upgrade_button": "Aktualizovat místnost na doporučenou verzi", + "space_predecessor": "Zobrazit starší verzi %(spaceName)s.", + "room_predecessor": "Zobrazit starší zprávy v %(roomName)s.", + "room_id": "Interní ID místnosti", + "room_version_section": "Verze místnosti", + "room_version": "Verze místnosti:" } }, "encryption": { @@ -3747,8 +3636,22 @@ "sas_prompt": "Porovnejte jedinečnou kombinaci emoji", "sas_description": "Pokud na žádném zařízení nemáte kameru, porovnejte jedinečnou kombinaci emoji", "qr_or_sas": "%(qrCode)s nebo %(emojiCompare)s", - "qr_or_sas_header": "Ověřte toto zařízení dokončením jedné z následujících položek:" - } + "qr_or_sas_header": "Ověřte toto zařízení dokončením jedné z následujících položek:", + "explainer": "Bezpečné zprávy s tímto uživatelem jsou koncově šifrované a nikdo další je nemůže číst.", + "complete_action": "OK", + "sas_emoji_caption_self": "Potvrďte, že se následující emotikony zobrazují na obou zařízeních ve stejném pořadí:", + "sas_emoji_caption_user": "Ověřte uživatele zkontrolováním, že se mu na obrazovce objevily stejné emoji.", + "sas_caption_self": "Ověřte toto zařízení tak, že potvrdíte, že se na jeho obrazovce zobrazí následující číslo.", + "sas_caption_user": "Ověřte uživatele zkontrolováním, že se na obrazovce objevila stejná čísla.", + "unsupported_method": "Nepovedlo se nám najít podporovanou metodu ověření.", + "waiting_other_device_details": "Čekáme na ověření na vašem dalším zařízení, %(deviceName)s (%(deviceId)s)…", + "waiting_other_device": "Čekáme na ověření na jiném zařízení…", + "waiting_other_user": "Čekám až nás %(displayName)s ověří…", + "cancelling": "Rušení…" + }, + "old_version_detected_title": "Nalezeny starší šifrované datové zprávy", + "old_version_detected_description": "Byla zjištěna data ze starší verze %(brand)s. To bude mít za následek nefunkčnost koncové kryptografie ve starší verzi. Koncově šifrované zprávy vyměněné nedávno při používání starší verze nemusí být v této verzi dešifrovatelné. To může také způsobit selhání zpráv vyměňovaných s touto verzí. Pokud narazíte na problémy, odhlaste se a znovu se přihlaste. Chcete-li zachovat historii zpráv, exportujte a znovu importujte klíče.", + "verification_requested_toast_title": "Žádost ověření" }, "emoji": { "category_frequently_used": "Často používané", @@ -3863,7 +3766,51 @@ "phone_optional_label": "Telefonní číslo (nepovinné)", "email_help_text": "Přidejte email, abyste mohli obnovit své heslo.", "email_phone_discovery_text": "Použijte e-mail nebo telefon, abyste byli volitelně viditelní pro stávající kontakty.", - "email_discovery_text": "Pomocí e-mailu můžete být volitelně viditelní pro existující kontakty." + "email_discovery_text": "Pomocí e-mailu můžete být volitelně viditelní pro existující kontakty.", + "session_logged_out_title": "Jste odhlášeni", + "session_logged_out_description": "Z bezpečnostních důvodů bylo toto přihlášení ukončeno. Přihlašte se prosím znovu.", + "change_password_error": "Chyba při změně hesla: %(error)s", + "change_password_mismatch": "Nová hesla se neshodují", + "change_password_empty": "Hesla nemohou být prázdná", + "set_email_prompt": "Chcete nastavit e-mailovou adresu?", + "change_password_confirm_label": "Potvrďte heslo", + "change_password_confirm_invalid": "Hesla nejsou stejná", + "change_password_current_label": "Současné heslo", + "change_password_new_label": "Nové heslo", + "change_password_action": "Změnit heslo", + "email_field_label": "E-mail", + "email_field_label_required": "Zadejte emailovou adresu", + "email_field_label_invalid": "To nevypadá jako e-mailová adresa", + "uia": { + "password_prompt": "Potvrďte svou identitu zadáním hesla ke svému účtu.", + "recaptcha_missing_params": "Na domovském serveru chybí veřejný klíč pro captcha. Nahlaste to prosím správci serveru.", + "terms_invalid": "Pročtěte si a odsouhlaste prosím všechna pravidla domovského serveru", + "terms": "Pročtěte si a odsouhlaste prosím pravidla domovského serveru:", + "email_auth_header": "Zkontrolujte svůj e-mail a pokračujte", + "email": "Pro vytvoření účtu, otevřete odkaz v e-mailu, který jsme právě zaslali na adresu %(emailAddress)s.", + "email_resend_prompt": "Nedostali jste ho? Poslat znovu", + "email_resent": "Přeposláno!", + "msisdn_token_incorrect": "Neplatný token", + "msisdn": "Na číslo %(msisdn)s byla odeslána textová zpráva", + "msisdn_token_prompt": "Prosím zadejte kód z této zprávy:", + "registration_token_prompt": "Zadejte registrační token poskytnutý správcem domovského serveru.", + "registration_token_label": "Registrační token", + "sso_failed": "Při ověřování vaší identity se něco pokazilo. Zrušte to a zkuste to znovu.", + "fallback_button": "Zahájit autentizaci" + }, + "password_field_label": "Zadejte heslo", + "password_field_strong_label": "Super, to vypadá jako rozumné heslo!", + "password_field_weak_label": "Heslo můžete použít, ale není bezpečné", + "password_field_keep_going_prompt": "Pokračujte…", + "username_field_required_invalid": "Zadejte uživatelské jméno", + "msisdn_field_required_invalid": "Zadejte telefonní číslo", + "msisdn_field_number_invalid": "Toto telefonní číslo nevypadá úplně správně, zkontrolujte ho a zkuste to znovu", + "msisdn_field_label": "Telefon", + "identifier_label": "Přihlásit se pomocí", + "reset_password_email_field_description": "Použít e-mailovou adresu k obnovení přístupu k účtu", + "reset_password_email_field_required_invalid": "Zadejte e-mailovou adresu (tento domovský server ji vyžaduje)", + "msisdn_field_description": "Ostatní uživatelé vás můžou pozvat do místností podle kontaktních údajů", + "registration_msisdn_field_required_invalid": "Zadejte telefonní číslo (domovský server ho vyžaduje)" }, "room_list": { "sort_unread_first": "Zobrazovat místnosti s nepřečtenými zprávami jako první", @@ -4057,7 +4004,13 @@ "see_changes_button": "Co je nového?", "release_notes_toast_title": "Co je nového", "toast_title": "Aktualizovat %(brand)s", - "toast_description": "K dispozici je nová verze %(brand)s" + "toast_description": "K dispozici je nová verze %(brand)s", + "error_encountered": "Nastala chyba (%(errorDetail)s).", + "checking": "Kontrola aktualizace…", + "no_update": "Není dostupná žádná aktualizace.", + "downloading": "Stahování aktualizace…", + "new_version_available": "Je dostupná nová verze. Aktualizovat nyní.", + "check_action": "Zkontrolovat aktualizace" }, "threads": { "all_threads": "Všechna vlákna", @@ -4110,7 +4063,35 @@ }, "labs_mjolnir": { "room_name": "Můj seznam zablokovaných", - "room_topic": "Toto je váš seznam blokovaných uživatelů/serverů - neopouštějte tuto místnost!" + "room_topic": "Toto je váš seznam blokovaných uživatelů/serverů - neopouštějte tuto místnost!", + "ban_reason": "Ignorováno/Blokováno", + "error_adding_ignore": "Chyba při přidávání ignorovaného uživatele/serveru", + "something_went_wrong": "Něco se nepovedlo. Zkuste pro prosím znovu nebo se podívejte na detaily do konzole.", + "error_adding_list_title": "Nepovedlo se přihlásit odběr", + "error_adding_list_description": "Ověřte prosím, že ID místnosti je správné a zkuste to znovu.", + "error_removing_ignore": "Ignorovaný uživatel/server nejde odebrat", + "error_removing_list_title": "Nepovedlo se zrušit odběr", + "error_removing_list_description": "Zkuste to prosím znovu a nebo se podívejte na detailní chybu do konzole.", + "rules_title": "Pravidla blokování - %(roomName)s", + "rules_server": "Pravidla serveru", + "rules_user": "Pravidla uživatele", + "personal_empty": "Nikoho neignorujete.", + "personal_section": "Ignorujete:", + "no_lists": "Neodebíráte žádné seznamy", + "view_rules": "Zobrazit pravidla", + "lists": "Odebíráte:", + "title": "Ignorovaní uživatelé", + "advanced_warning": "⚠ Tato nastavení jsou pro pokročilé uživatele.", + "explainer_1": "Sem přídejte servery a uživatele, které chcete ignorovat. Hvězdička pro %(brand)s zastupuje libovolný počet kterýchkoliv znaků. Např. @bot:* bude ignorovat všechny uživatele se jménem „bot“ na kterémkoliv serveru.", + "explainer_2": "Lidé a servery jsou blokováni pomocí seznamů obsahující pravidla koho blokovat. Odebírání blokovacího seznamu znamená, že neuvidíte uživatele a servery na něm uvedené.", + "personal_heading": "Osobní seznam blokací", + "personal_description": "Váš osobní seznam vykázaných obsahuje všechny uživatele/servery, od kterých osobně nechcete vidět zprávy. Po ignorování prvního uživatele/serveru se ve vašem seznamu místností objeví nová místnost s názvem \"%(myBanList)s\" - v této místnosti zůstaňte, aby seznam zákazů zůstal v platnosti.", + "personal_new_label": "Server nebo ID uživatele", + "personal_new_placeholder": "např.: @bot:* nebo example.org", + "lists_heading": "Odebírané seznamy", + "lists_description_1": "Odebíráním seznamu zablokovaných uživatelů se přidáte do jeho místnosti!", + "lists_description_2": "Pokud to nechcete, tak prosím použijte jiný nástroj na blokování uživatelů.", + "lists_new_label": "ID nebo adresa seznamu zablokovaných" }, "create_space": { "name_required": "Zadejte prosím název prostoru", @@ -4175,6 +4156,12 @@ "private_unencrypted_warning": "Vaše soukromé zprávy jsou obvykle šifrované, ale tato místnost není. To je zpravidla způsobeno nepodporovaným zařízením nebo použitou metodou, například e-mailovými pozvánkami.", "enable_encryption_prompt": "Povolte šifrování v nastavení.", "unencrypted_warning": "Koncové šifrování není povoleno" + }, + "edit_topic": "Upravit téma", + "read_topic": "Klikněte pro přečtení tématu", + "unread_notifications_predecessor": { + "other": "Máte %(count)s nepřečtených oznámení v předchozí verzi této místnosti.", + "one": "Máte %(count)s nepřečtených oznámení v předchozí verzi této místnosti." } }, "file_panel": { @@ -4189,9 +4176,31 @@ "intro": "Musíte souhlasit s podmínkami použití, abychom mohli pokračovat.", "column_service": "Služba", "column_summary": "Shrnutí", - "column_document": "Dokument" + "column_document": "Dokument", + "tac_title": "Smluvní podmínky", + "tac_description": "Chcete-li nadále používat domovský server %(homeserverDomain)s, měli byste si přečíst a odsouhlasit naše smluvní podmínky.", + "tac_button": "Přečíst smluvní podmínky" }, "space_settings": { "title": "Nastavení - %(spaceName)s" + }, + "poll": { + "create_poll_title": "Vytvořit hlasování", + "create_poll_action": "Vytvořit hlasování", + "edit_poll_title": "Upravit hlasování", + "failed_send_poll_title": "Nepodařilo se zveřejnit hlasování", + "failed_send_poll_description": "Omlouváme se, ale hlasování, které jste se pokusili vytvořit, nebylo zveřejněno.", + "type_heading": "Typ hlasování", + "type_open": "Otevřené hlasování", + "type_closed": "Uzavřené hlasování", + "topic_heading": "Jaká je vaše otázka nebo téma hlasování?", + "topic_label": "Otázka nebo téma", + "topic_placeholder": "Napište něco…", + "options_heading": "Vytvořit volby", + "options_label": "Volba %(number)s", + "options_placeholder": "Napište volbu", + "options_add_button": "Přidat volbu", + "disclosed_notes": "Hlasující uvidí výsledky ihned po hlasování", + "notes": "Výsledky se zobrazí až po ukončení hlasování" } } diff --git a/src/i18n/strings/da.json b/src/i18n/strings/da.json index be09cf9873..ce4b622124 100644 --- a/src/i18n/strings/da.json +++ b/src/i18n/strings/da.json @@ -7,12 +7,9 @@ "A new password must be entered.": "Der skal indtastes en ny adgangskode.", "Session ID": "Sessions ID", "Warning!": "Advarsel!", - "Account": "Konto", "Are you sure you want to reject the invitation?": "Er du sikker på du vil afvise invitationen?", - "Cryptography": "Kryptografi", "Deactivate Account": "Deaktiver brugerkonto", "Default": "Standard", - "Export E2E room keys": "Eksporter E2E rum nøgler", "Failed to change password. Is your password correct?": "Kunne ikke ændre adgangskoden. Er din adgangskode rigtig?", "Failed to reject invitation": "Kunne ikke afvise invitationen", "Failed to unban": "Var ikke i stand til at ophæve forbuddet", @@ -84,7 +81,6 @@ "Unavailable": "Utilgængelig", "Source URL": "Kilde URL", "Filter results": "Filtrér resultater", - "No update available.": "Ingen opdatering tilgængelig.", "Search…": "Søg…", "Tuesday": "Tirsdag", "Saturday": "Lørdag", @@ -96,7 +92,6 @@ "You cannot delete this message. (%(code)s)": "Du kan ikke slette denne besked. (%(code)s)", "Thursday": "Torsdag", "Yesterday": "I går", - "Error encountered (%(errorDetail)s).": "En fejl er opstået (%(errorDetail)s).", "Low Priority": "Lav prioritet", "Wednesday": "Onsdag", "Thank you!": "Tak!", @@ -173,15 +168,10 @@ "Verification code": "Verifikationskode", "Headphones": "Hovedtelefoner", "Show more": "Vis mere", - "Passwords don't match": "Adgangskoderne matcher ikke", - "Confirm password": "Bekræft adgangskode", - "Enter password": "Indtast adgangskode", "Add a new server": "Tilføj en ny server", "Change notification settings": "Skift notifikations indstillinger", "Profile picture": "Profil billede", "Checking server": "Tjekker server", - "Change Password": "Skift adgangskode", - "Current password": "Nuværende adgangskode", "Profile": "Profil", "Local address": "Lokal adresse", "This room has no local addresses": "Dette rum har ingen lokal adresse", @@ -461,7 +451,6 @@ "Unable to look up phone number": "Kan ikke slå telefonnummer op", "Your password has been reset.": "Din adgangskode er blevet nulstillet.", "Your password was successfully changed.": "Din adgangskode blev ændret.", - "New Password": "Ny adgangskode", "Set a new custom sound": "Sæt en ny brugerdefineret lyd", "Empty room": "Tomt rum", "common": { @@ -561,6 +550,13 @@ }, "sessions": { "session_id": "Sessions ID" + }, + "security": { + "export_megolm_keys": "Eksporter E2E rum nøgler", + "cryptography_section": "Kryptografi" + }, + "general": { + "account_section": "Konto" } }, "devtools": { @@ -756,7 +752,13 @@ "sign_in_or_register": "Log ind eller Opret bruger", "sign_in_or_register_description": "Brug din konto eller opret en ny for at fortsætte.", "register_action": "Opret brugerkonto", - "incorrect_credentials": "Forkert brugernavn og/eller adgangskode." + "incorrect_credentials": "Forkert brugernavn og/eller adgangskode.", + "change_password_confirm_label": "Bekræft adgangskode", + "change_password_confirm_invalid": "Adgangskoderne matcher ikke", + "change_password_current_label": "Nuværende adgangskode", + "change_password_new_label": "Ny adgangskode", + "change_password_action": "Skift adgangskode", + "password_field_label": "Indtast adgangskode" }, "export_chat": { "messages": "Beskeder" @@ -812,7 +814,9 @@ }, "update": { "see_changes_button": "Hvad er nyt?", - "release_notes_toast_title": "Hvad er nyt" + "release_notes_toast_title": "Hvad er nyt", + "error_encountered": "En fejl er opstået (%(errorDetail)s).", + "no_update": "Ingen opdatering tilgængelig." }, "space": { "context_menu": { diff --git a/src/i18n/strings/de_DE.json b/src/i18n/strings/de_DE.json index b42f93ec03..4673315ed7 100644 --- a/src/i18n/strings/de_DE.json +++ b/src/i18n/strings/de_DE.json @@ -6,34 +6,24 @@ "New passwords must match each other.": "Die neuen Passwörter müssen identisch sein.", "A new password must be entered.": "Es muss ein neues Passwort eingegeben werden.", "Session ID": "Sitzungs-ID", - "Change Password": "Passwort ändern", "Warning!": "Warnung!", "Are you sure you want to reject the invitation?": "Bist du sicher, dass du die Einladung ablehnen willst?", - "Cryptography": "Verschlüsselung", "Deactivate Account": "Benutzerkonto deaktivieren", - "Account": "Benutzerkonto", "Default": "Standard", - "Export E2E room keys": "E2E-Raumschlüssel exportieren", "Failed to change password. Is your password correct?": "Passwortänderung fehlgeschlagen. Ist dein Passwort richtig?", "Failed to reject invitation": "Einladung konnte nicht abgelehnt werden", "Failed to unban": "Aufheben der Verbannung fehlgeschlagen", "Favourite": "Favorit", "Forget room": "Raum entfernen", - "For security, this session has been signed out. Please sign in again.": "Aus Sicherheitsgründen wurde diese Sitzung beendet. Bitte melde dich erneut an.", - "Import E2E room keys": "E2E-Raumschlüssel importieren", "Invalid Email Address": "Ungültige E-Mail-Adresse", - "Sign in with": "Anmelden mit", "Moderator": "Moderator", "Notifications": "Benachrichtigungen", "": "", - "Phone": "Telefon", "Please check your email and click on the link it contains. Once this is done, click continue.": "Bitte prüfe deinen E-Mail-Posteingang und klicke auf den in der E-Mail enthaltenen Link. Anschließend auf \"Fortsetzen\" klicken.", "Profile": "Profil", "Reject invitation": "Einladung ablehnen", "Return to login screen": "Zur Anmeldemaske zurückkehren", - "Signed Out": "Abgemeldet", "This doesn't appear to be a valid email address": "Dies scheint keine gültige E-Mail-Adresse zu sein", - "This room is not accessible by remote Matrix servers": "Dieser Raum ist von Personen auf anderen Matrix-Servern nicht betretbar", "Server may be unavailable, overloaded, or you hit a bug.": "Server ist nicht verfügbar, überlastet oder du bist auf einen Programmfehler gestoßen.", "Unable to add email address": "E-Mail-Adresse konnte nicht hinzugefügt werden", "Unable to remove contact information": "Die Kontaktinformationen können nicht gelöscht werden", @@ -116,11 +106,6 @@ "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(day)s. %(monthName)s %(fullYear)s %(time)s", "Authentication": "Authentifizierung", "An error has occurred.": "Ein Fehler ist aufgetreten.", - "Confirm password": "Passwort bestätigen", - "Current password": "Aktuelles Passwort", - "Email": "E-Mail-Adresse", - "New passwords don't match": "Die neuen Passwörter stimmen nicht überein", - "Passwords can't be empty": "Passwortfelder dürfen nicht leer sein", "Email address": "E-Mail-Adresse", "Error decrypting attachment": "Fehler beim Entschlüsseln des Anhangs", "Operation failed": "Aktion fehlgeschlagen", @@ -136,8 +121,6 @@ "Confirm Removal": "Entfernen bestätigen", "Unknown error": "Unbekannter Fehler", "Unable to restore session": "Sitzungswiederherstellung fehlgeschlagen", - "Token incorrect": "Token fehlerhaft", - "Please enter the code it contains:": "Bitte gib den darin enthaltenen Code ein:", "Error decrypting image": "Entschlüsselung des Bilds fehlgeschlagen", "Error decrypting video": "Videoentschlüsselung fehlgeschlagen", "Import room keys": "Raum-Schlüssel importieren", @@ -163,7 +146,6 @@ "other": "%(filename)s und %(count)s weitere Dateien werden hochgeladen" }, "Create new room": "Neuer Raum", - "New Password": "Neues Passwort", "Something went wrong!": "Etwas ist schiefgelaufen!", "Home": "Startseite", "Admin Tools": "Administrationswerkzeuge", @@ -171,7 +153,6 @@ "No display name": "Kein Anzeigename", "%(roomName)s does not exist.": "%(roomName)s existiert nicht.", "%(roomName)s is not accessible at this time.": "Auf %(roomName)s kann momentan nicht zugegriffen werden.", - "Start authentication": "Authentifizierung beginnen", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (Berechtigungslevel %(powerLevelNumber)s)", "(~%(count)s results)": { "one": "(~%(count)s Ergebnis)", @@ -180,9 +161,7 @@ "Your browser does not support the required cryptography extensions": "Dein Browser unterstützt die benötigten Verschlüsselungserweiterungen nicht", "Not a valid %(brand)s keyfile": "Keine gültige %(brand)s-Schlüsseldatei", "Authentication check failed: incorrect password?": "Authentifizierung fehlgeschlagen: Falsches Passwort?", - "Do you want to set an email address?": "Möchtest du eine E-Mail-Adresse setzen?", "This will allow you to reset your password and receive notifications.": "Dies ermöglicht es dir, dein Passwort zurückzusetzen und Benachrichtigungen zu empfangen.", - "Check for update": "Nach Aktualisierung suchen", "Delete widget": "Widget entfernen", "Unable to create widget.": "Widget kann nicht erstellt werden.", "You are not in this room.": "Du bist nicht in diesem Raum.", @@ -204,7 +183,6 @@ }, "Delete Widget": "Widget löschen", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Das Löschen des Widgets entfernt es für alle in diesem Raum. Wirklich löschen?", - "A text message has been sent to %(msisdn)s": "Eine Textnachricht wurde an %(msisdn)s gesendet", "%(items)s and %(count)s others": { "other": "%(items)s und %(count)s andere", "one": "%(items)s und ein weiteres Raummitglied" @@ -218,8 +196,6 @@ "Send": "Senden", "collapse": "Verbergen", "expand": "Erweitern", - "Old cryptography data detected": "Alte Kryptografiedaten erkannt", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Es wurden Daten von einer älteren Version von %(brand)s entdeckt. Dies wird zu Fehlern in der Ende-zu-Ende-Verschlüsselung der älteren Version geführt haben. Ende-zu-Ende verschlüsselte Nachrichten, die ausgetauscht wruden, während die ältere Version genutzt wurde, werden in dieser Version nicht entschlüsselbar sein. Es kann auch zu Fehlern mit Nachrichten führen, die mit dieser Version versendet werden. Wenn du Probleme feststellst, melde dich ab und wieder an. Um die Historie zu behalten, ex- und reimportiere deine Schlüssel.", "Replying": "Antwortet", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s. %(monthName)s %(fullYear)s", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Du wirst nicht in der Lage sein, die Änderung zurückzusetzen, da du dich degradierst. Wenn du der letze Nutzer mit Berechtigungen bist, wird es unmöglich sein die Privilegien zurückzubekommen.", @@ -236,7 +212,6 @@ "Unavailable": "Nicht verfügbar", "Source URL": "Quell-URL", "Filter results": "Ergebnisse filtern", - "No update available.": "Keine Aktualisierung verfügbar.", "Tuesday": "Dienstag", "Preparing to send logs": "Senden von Protokolldateien wird vorbereitet", "Saturday": "Samstag", @@ -250,7 +225,6 @@ "Search…": "Suchen…", "Logs sent": "Protokolldateien gesendet", "Yesterday": "Gestern", - "Error encountered (%(errorDetail)s).": "Es ist ein Fehler aufgetreten (%(errorDetail)s).", "Low Priority": "Niedrige Priorität", "Thank you!": "Danke!", "Missing roomId.": "Fehlende Raum-ID.", @@ -262,9 +236,6 @@ "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Den Browser-Speicher zu löschen kann das Problem lösen, wird dich aber abmelden und verschlüsselte Nachrichten unlesbar machen.", "Can't leave Server Notices room": "Der Raum für Server-Mitteilungen kann nicht verlassen werden", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Du kannst diesen Raum nicht verlassen, da dieser Raum für wichtige Mitteilungen vom Heim-Server verwendet wird.", - "Terms and Conditions": "Geschäftsbedingungen", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Um den %(homeserverDomain)s-Heim-Server weiterzuverwenden, musst du die Nutzungsbedingungen sichten und akzeptieren.", - "Review terms and conditions": "Geschäftsbedingungen anzeigen", "Share Link to User": "Link zu Benutzer teilen", "Share room": "Raum teilen", "Share Room": "Raum teilen", @@ -304,7 +275,6 @@ "If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Wenn %(brand)s mit der alten Version in einem anderen Tab geöffnet ist, schließe dies bitte, da das parallele Nutzen von %(brand)s auf demselben Host mit aktivierten und deaktivierten verzögertem Laden, Probleme verursachen wird.", "Incompatible local cache": "Inkompatibler lokaler Zwischenspeicher", "Clear cache and resync": "Zwischenspeicher löschen und erneut synchronisieren", - "Please review and accept the policies of this homeserver:": "Bitte sieh dir alle Bedingungen dieses Heim-Servers an und akzeptiere sie:", "Add some now": "Jetzt hinzufügen", "Unable to load! Check your network connectivity and try again.": "Konnte nicht geladen werden! Überprüfe die Netzwerkverbindung und versuche es erneut.", "Delete Backup": "Lösche Sicherung", @@ -321,7 +291,6 @@ "Unknown server error": "Unbekannter Server-Fehler", "Unable to load key backup status": "Konnte Status der Schlüsselsicherung nicht laden", "Set up": "Einrichten", - "Please review and accept all of the homeserver's policies": "Bitte prüfe und akzeptiere alle Richtlinien des Heim-Servers", "Unable to load commit detail: %(msg)s": "Konnte Übermittlungsdetails nicht laden: %(msg)s", "Unable to load backup status": "Konnte Sicherungsstatus nicht laden", "Failed to decrypt %(failedCount)s sessions!": "Konnte %(failedCount)s Sitzungen nicht entschlüsseln!", @@ -337,9 +306,6 @@ "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Profile für die nachfolgenden Matrix-IDs wurden nicht gefunden – willst du sie dennoch einladen?", "Invite anyway and never warn me again": "Trotzdem einladen und mich nicht mehr warnen", "Invite anyway": "Dennoch einladen", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Sichere Nachrichten mit diesem Benutzer sind Ende-zu-Ende-verschlüsselt und können nicht von Dritten gelesen werden.", - "Got It": "Verstanden", - "Verify this user by confirming the following number appears on their screen.": "Verifiziere diesen Nutzer, indem du bestätigst, dass die folgende Nummer auf dessen Bildschirm erscheint.", "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Wir haben dir eine E-Mail geschickt, um deine Adresse zu überprüfen. Bitte folge den Anweisungen dort und klicke dann auf die Schaltfläche unten.", "Email Address": "E-Mail-Adresse", "All keys backed up": "Alle Schlüssel gesichert", @@ -349,16 +315,12 @@ "Profile picture": "Profilbild", "Display Name": "Anzeigename", "Room information": "Rauminformationen", - "Room version": "Raumversion", - "Room version:": "Raumversion:", "General": "Allgemein", "Email addresses": "E-Mail-Adressen", "Phone numbers": "Telefonnummern", - "Language and region": "Sprache und Region", "Account management": "Benutzerkontenverwaltung", "Room Addresses": "Raumadressen", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "Die Datei „%(fileName)s“ überschreitet das Hochladelimit deines Heim-Servers", - "Unable to find a supported verification method.": "Konnte keine unterstützte Verifikationsmethode finden.", "Dog": "Hund", "Cat": "Katze", "Lion": "Löwe", @@ -420,9 +382,7 @@ "Anchor": "Anker", "Headphones": "Kopfhörer", "Folder": "Ordner", - "Encryption": "Verschlüsselung", "Ignored users": "Blockierte Benutzer", - "Verify this user by confirming the following emoji appear on their screen.": "Verifiziere diesen Nutzer, indem du bestätigst, dass folgende Emojis auf dessen Bildschirm erscheinen.", "Missing media permissions, click the button below to request.": "Fehlende Medienberechtigungen. Verwende die nachfolgende Schaltfläche, um sie anzufordern.", "Request media permissions": "Medienberechtigungen anfordern", "Main address": "Primäre Adresse", @@ -486,10 +446,6 @@ "Upload all": "Alle hochladen", "Cancel All": "Alle abbrechen", "Upload Error": "Fehler beim Hochladen", - "Enter password": "Passwort eingeben", - "Password is allowed, but unsafe": "Passwort ist erlaubt, aber unsicher", - "Passwords don't match": "Passwörter stimmen nicht überein", - "Enter username": "Benutzername eingeben", "Add room": "Raum hinzufügen", "Failed to revoke invite": "Einladung konnte nicht zurückgezogen werden", "Revoke invite": "Einladung zurückziehen", @@ -524,7 +480,6 @@ "Verify this session": "Sitzung verifizieren", "Lock": "Schloss", "Later": "Später", - "not found": "nicht gefunden", "Securely cache encrypted messages locally for them to appear in search results.": "Speichere verschlüsselte Nachrichten lokal, sodass sie deinen Suchergebnissen erscheinen können.", "Cannot connect to integration manager": "Verbindung zum Integrationsassistenten fehlgeschlagen", "The integration manager is offline or it cannot reach your homeserver.": "Der Integrationsassistent ist außer Betrieb oder kann deinen Heim-Server nicht erreichen.", @@ -540,19 +495,6 @@ "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Zurzeit benutzt du keinen Identitäts-Server. Trage unten einen Server ein, um Kontakte zu finden und von anderen gefunden zu werden.", "Manage integrations": "Integrationen verwalten", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Stimme den Nutzungsbedingungen des Identitäts-Servers %(serverName)s zu, um per E-Mail-Adresse oder Telefonnummer auffindbar zu werden.", - "Ignored/Blocked": "Ignoriert/Blockiert", - "Something went wrong. Please try again or view your console for hints.": "Etwas ist schief gelaufen. Bitte versuche es erneut oder sieh für weitere Hinweise in deiner Konsole nach.", - "Error subscribing to list": "Fehler beim Abonnieren der Liste", - "Error removing ignored user/server": "Fehler beim Entfernen eines blockierten Benutzers/Servers", - "Error unsubscribing from list": "Fehler beim Deabonnieren der Liste", - "Please try again or view your console for hints.": "Bitte versuche es erneut oder sieh für weitere Hinweise in deine Konsole.", - "Server rules": "Server-Regeln", - "User rules": "Nutzerregeln", - "You have not ignored anyone.": "Du hast niemanden blockiert.", - "You are currently ignoring:": "Du ignorierst momentan:", - "View rules": "Regeln öffnen", - "You are currently subscribed to:": "Du abonnierst momentan:", - "⚠ These settings are meant for advanced users.": "⚠ Diese Einstellungen sind für fortgeschrittene Nutzer gedacht.", "Cancel entering passphrase?": "Eingabe der Passphrase abbrechen?", "Setting up keys": "Schlüssel werden eingerichtet", "Encryption upgrade available": "Verschlüsselungsaktualisierung verfügbar", @@ -566,10 +508,6 @@ "Recently Direct Messaged": "Zuletzt kontaktiert", "Command Help": "Befehl Hilfe", "To help us prevent this in future, please send us logs.": "Um uns zu helfen, dies in Zukunft zu vermeiden, sende uns bitte die Protokolldateien.", - "You have %(count)s unread notifications in a prior version of this room.": { - "one": "Du hast %(count)s ungelesene Benachrichtigungen in einer früheren Version dieses Raumes.", - "other": "Du hast %(count)s ungelesene Benachrichtigungen in einer früheren Version dieses Raums." - }, "This user has not verified all of their sessions.": "Dieser Benutzer hat nicht alle seine Sitzungen verifiziert.", "You have verified this user. This user has verified all of their sessions.": "Du hast diesen Nutzer verifiziert. Der Nutzer hat alle seine Sitzungen verifiziert.", "Room %(name)s": "Raum %(name)s", @@ -632,7 +570,6 @@ "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Diese Sitzung sichert deine Schlüssel nicht, aber du hast eine vorhandene Sicherung, die du wiederherstellen und in Zukunft hinzufügen kannst.", "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Verbinde diese Sitzung mit deiner Schlüsselsicherung bevor du dich abmeldest, um den Verlust von Schlüsseln zu vermeiden.", "This backup is trusted because it has been restored on this session": "Dieser Sicherung wird vertraut, da sie während dieser Sitzung wiederhergestellt wurde", - "Session key:": "Sitzungsschlüssel:", "Sounds": "Töne", "Encrypted by an unverified session": "Von einer nicht verifizierten Sitzung verschlüsselt", "Unencrypted": "Unverschlüsselt", @@ -654,58 +591,29 @@ "Confirm adding phone number": "Hinzugefügte Telefonnummer bestätigen", "Not Trusted": "Nicht vertraut", "Ask this user to verify their session, or manually verify it below.": "Bitte diesen Nutzer, seine Sitzung zu verifizieren, oder verifiziere diese unten manuell.", - "Waiting for %(displayName)s to verify…": "Warte darauf, dass %(displayName)s bestätigt…", - "Cancelling…": "Abbrechen…", - "This bridge was provisioned by .": "Diese Brücke wurde von bereitgestellt.", - "This bridge is managed by .": "Diese Brücke wird von verwaltet.", "Clear all data in this session?": "Alle Daten dieser Sitzung löschen?", "Clear all data": "Alle Daten löschen", "Confirm your account deactivation by using Single Sign On to prove your identity.": "Bestätige die Deaktivierung deines Kontos, indem du deine Identität mithilfe deines Single-Sign-On-Anbieters nachweist.", "Confirm account deactivation": "Deaktivierung des Kontos bestätigen", - "Confirm your identity by entering your account password below.": "Bestätige deine Identität, indem du unten dein Kontopasswort eingibst.", "Enter your account password to confirm the upgrade:": "Gib dein Kontopasswort ein, um die Aktualisierung zu bestätigen:", "You'll need to authenticate with the server to confirm the upgrade.": "Du musst dich authentifizieren, um die Aktualisierung zu bestätigen.", "New login. Was this you?": "Neue Anmeldung. Warst du das?", "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Gib den per SMS an +%(msisdn)s gesendeten Bestätigungscode ein.", "Someone is using an unknown session": "Jemand verwendet eine unbekannte Sitzung", "This room is end-to-end encrypted": "Dieser Raum ist Ende-zu-Ende verschlüsselt", - "You are not subscribed to any lists": "Du hast keine Listen abonniert", - "Error adding ignored user/server": "Fehler beim Blockieren eines Nutzers/Servers", "None": "Nichts", - "Ban list rules - %(roomName)s": "Verbotslistenregeln - %(roomName)s", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Füge hier die Benutzer und Server hinzu, die du blockieren willst. Verwende Sternchen, um %(brand)s alle Zeichen abgleichen zu lassen. So würde @bot:* alle Benutzer mit dem Namen „bot“, auf jedem beliebigen Server, blockieren.", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Das Ignorieren von Personen erfolgt über Sperrlisten. Wenn eine Sperrliste abonniert wird, werden die von dieser Liste blockierten Benutzer und Server ausgeblendet.", - "Personal ban list": "Persönliche Sperrliste", - "Server or user ID to ignore": "Zu blockierende Server- oder Benutzer-ID", - "eg: @bot:* or example.org": "z. B. @bot:* oder example.org", - "Subscribed lists": "Abonnierte Listen", - "Subscribing to a ban list will cause you to join it!": "Eine Verbotsliste abonnieren bedeutet ihr beizutreten!", - "If this isn't what you want, please use a different tool to ignore users.": "Wenn dies nicht das ist, was du willst, verwende ein anderes Werkzeug, um Benutzer zu blockieren.", - "Session ID:": "Sitzungs-ID:", "Message search": "Nachrichtensuche", "This room is bridging messages to the following platforms. Learn more.": "Dieser Raum leitet Nachrichten von/an folgende(n) Plattformen weiter. Mehr erfahren.", "Bridges": "Brücken", "Uploaded sound": "Hochgeladener Ton", - "Upgrade this room to the recommended room version": "Raum auf die empfohlene Raumversion aktualisieren", - "View older messages in %(roomName)s.": "Alte Nachrichten in %(roomName)s anzeigen.", "Verify your other session using one of the options below.": "Verifiziere deine andere Sitzung mit einer der folgenden Optionen.", "You signed in to a new session without verifying it:": "Du hast dich in einer neuen Sitzung angemeldet ohne sie zu verifizieren:", "Other users may not trust it": "Andere Benutzer vertrauen ihr vielleicht nicht", "Your homeserver does not support cross-signing.": "Dein Heim-Server unterstützt keine Quersignierung.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Dein Konto hat eine Quersignaturidentität im sicheren Speicher, der von dieser Sitzung jedoch noch nicht vertraut wird.", "unexpected type": "unbekannter Typ", - "Cross-signing public keys:": "Öffentlicher Quersignaturschlüssel:", - "in memory": "im Speicher", - "Cross-signing private keys:": "Private Quersignaturschlüssel:", - "in secret storage": "im Schlüsselspeicher", - "Self signing private key:": "Selbst signierter privater Schlüssel:", - "cached locally": "lokal zwischengespeichert", - "not found locally": "lokal nicht gefunden", - "User signing private key:": "Privater Benutzerschlüssel:", "Secret storage public key:": "Öffentlicher Schlüssel des sicheren Speichers:", "in account data": "in den Kontodaten", - "Homeserver feature support:": "Unterstützung des Heim-Servers:", - "exists": "existiert", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Alle Sitzungen einzeln verifizieren, anstatt auch Sitzungen zu vertrauen, die durch Quersignierungen verifiziert sind.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "Um verschlüsselte Nachrichten lokal zu durchsuchen, benötigt %(brand)s weitere Komponenten. Wenn du diese Funktion testen möchtest, kannst du dir deine eigene Version von %(brand)s Desktop mit der integrierten Suchfunktion kompilieren.", "Your keys are not being backed up from this session.": "Deine Schlüssel werden von dieser Sitzung nicht gesichert.", @@ -844,11 +752,6 @@ "Successfully restored %(sessionCount)s keys": "%(sessionCount)s Schlüssel erfolgreich wiederhergestellt", "Country Dropdown": "Landauswahl", "Resend %(unsentCount)s reaction(s)": "%(unsentCount)s Reaktion(en) erneut senden", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Fehlender öffentlicher Captcha-Schlüssel in der Heim-Server-Konfiguration. Bitte melde dies deiner Heimserver-Administration.", - "Use an email address to recover your account": "Verwende eine E-Mail-Adresse, um dein Konto wiederherzustellen", - "Enter email address (required on this homeserver)": "E-Mail-Adresse eingeben (auf diesem Heim-Server erforderlich)", - "Doesn't look like a valid email address": "Das sieht nicht nach einer gültigen E-Mail-Adresse aus", - "Enter phone number (required on this homeserver)": "Telefonnummer eingeben (auf diesem Heim-Server erforderlich)", "Sign in with SSO": "Einmalanmeldung verwenden", "Jump to first unread room.": "Zum ersten ungelesenen Raum springen.", "Jump to first invite.": "Zur ersten Einladung springen.", @@ -887,8 +790,6 @@ "Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "Um diesen Raum zu aktualisieren, muss die aktuelle Instanz des Raums geschlossen und an ihrer Stelle ein neuer Raum erstellt werden. Um den Raummitgliedern die bestmögliche Erfahrung zu bieten, werden wir:", "Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Eine Raumaktualisierung ist ein komplexer Vorgang, der üblicherweise empfohlen wird, wenn ein Raum aufgrund von Fehlern, fehlenden Funktionen oder Sicherheitslücken instabil ist.", "Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "Einige Sitzungsdaten, einschließlich der Verschlüsselungsschlüssel, fehlen. Melde dich ab, wieder an und stelle die Schlüssel aus der Sicherung wieder her um dies zu beheben.", - "Nice, strong password!": "Super, ein starkes Passwort!", - "Other users can invite you to rooms using your contact details": "Andere Personen können dich mit deinen Kontaktdaten in Räume einladen", "Failed to re-authenticate due to a homeserver problem": "Erneute Authentifizierung aufgrund eines Problems des Heim-Servers fehlgeschlagen", "Restore your key backup to upgrade your encryption": "Schlüsselsicherung wiederherstellen, um deine Verschlüsselung zu aktualisieren", "Upgrade your encryption": "Aktualisiere deine Verschlüsselung", @@ -910,8 +811,6 @@ "Your homeserver has exceeded one of its resource limits.": "Dein Heim-Server hat einen seiner Ressourcengrenzwerte erreicht.", "Contact your server admin.": "Kontaktiere deine Heim-Server-Administration.", "Ok": "Ok", - "New version available. Update now.": "Neue Version verfügbar. Jetzt aktualisieren.", - "Please verify the room ID or address and try again.": "Bitte überprüfe die Raum-ID oder -adresse und versuche es erneut.", "Error creating address": "Fehler beim Anlegen der Adresse", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Es gab einen Fehler beim Anlegen der Adresse. Entweder erlaubt es der Server nicht oder es gab ein temporäres Problem.", "You don't have permission to delete the address.": "Du hast nicht die Berechtigung, die Adresse zu löschen.", @@ -925,7 +824,6 @@ "You've previously used a newer version of %(brand)s with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "Du hast für diese Sitzung zuvor eine neuere Version von %(brand)s verwendet. Um diese Version mit Ende-zu-Ende-Verschlüsselung wieder zu benutzen, musst du dich erst ab- und dann wieder anmelden.", "Switch theme": "Design wechseln", "All settings": "Alle Einstellungen", - "Room ID or address of ban list": "Raum-ID oder Adresse der Verbotsliste", "No recently visited rooms": "Keine kürzlich besuchten Räume", "Message preview": "Nachrichtenvorschau", "Room options": "Raumoptionen", @@ -951,7 +849,6 @@ "The server has denied your request.": "Der Server hat deine Anfrage abgewiesen.", "Your area is experiencing difficulties connecting to the internet.": "Deine Region hat Schwierigkeiten, eine Verbindung zum Internet herzustellen.", "A connection error occurred while trying to contact the server.": "Beim Versuch, den Server zu kontaktieren, ist ein Verbindungsfehler aufgetreten.", - "Master private key:": "Privater Hauptschlüssel:", "You're all caught up.": "Du bist auf dem neuesten Stand.", "The server is not configured to indicate what the problem is (CORS).": "Der Server ist nicht dafür konfiguriert, das Problem anzuzeigen (CORS).", "Recent changes that have not yet been received": "Letzte Änderungen, die noch nicht eingegangen sind", @@ -987,7 +884,6 @@ "ready": "bereit", "not ready": "nicht bereit", "Safeguard against losing access to encrypted messages & data": "Schütze dich vor dem Verlust verschlüsselter Nachrichten und Daten", - "not found in storage": "nicht im Speicher gefunden", "Widgets": "Widgets", "Edit widgets, bridges & bots": "Widgets, Brücken und Bots bearbeiten", "Add widgets, bridges & bots": "Widgets, Brücken und Bots hinzufügen", @@ -1032,8 +928,6 @@ "Approve widget permissions": "Rechte für das Widget genehmigen", "This widget would like to:": "Dieses Widget würde gerne:", "Decline All": "Alles ablehnen", - "Enter phone number": "Telefonnummer eingeben", - "Enter email address": "E-Mail-Adresse eingeben", "Zimbabwe": "Simbabwe", "Zambia": "Sambia", "Yemen": "Jemen", @@ -1283,7 +1177,6 @@ "United States": "Vereinigte Staaten", "United Kingdom": "Großbritannien", "There was a problem communicating with the homeserver, please try again later.": "Es gab ein Problem bei der Kommunikation mit dem Heim-Server. Bitte versuche es später erneut.", - "That phone number doesn't look quite right, please check and try again": "Diese Telefonummer sieht nicht ganz richtig aus. Bitte überprüfe deine Eingabe und versuche es erneut", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Aufgepasst: Wenn du keine E-Mail-Adresse angibst und dein Passwort vergisst, kannst du den Zugriff auf deinen Konto dauerhaft verlieren.", "Continuing without email": "Ohne E-Mail fortfahren", "Reason (optional)": "Grund (optional)", @@ -1307,8 +1200,6 @@ "Wrong Security Key": "Falscher Sicherheitsschlüssel", "Open dial pad": "Wähltastatur öffnen", "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Sichere deine Schlüssel mit deinen Kontodaten, für den Fall, dass du den Zugriff auf deine Sitzungen verlierst. Deine Schlüssel werden mit einem eindeutigen Sicherheitsschlüssel geschützt.", - "Channel: ": "Kanal: ", - "Workspace: ": "Arbeitsraum: ", "Dial pad": "Wähltastatur", "There was an error looking up the phone number": "Beim Suchen der Telefonnummer ist ein Fehler aufgetreten", "Unable to look up phone number": "Telefonnummer konnte nicht gefunden werden", @@ -1325,7 +1216,6 @@ "Remember this": "Dies merken", "The widget will verify your user ID, but won't be able to perform actions for you:": "Das Widget überprüft deine Nutzer-ID, kann jedoch keine Aktionen für dich ausführen:", "Allow this widget to verify your identity": "Erlaube diesem Widget deine Identität zu überprüfen", - "Something went wrong in confirming your identity. Cancel and try again.": "Bei der Bestätigung deiner Identität ist ein Fehler aufgetreten. Abbrechen und erneut versuchen.", "Use app": "App verwenden", "Use app for a better experience": "Nutze die App für eine bessere Erfahrung", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Wir haben deinen Browser gebeten, sich zu merken, bei welchem Heim-Server du dich anmeldest, aber dein Browser hat dies leider vergessen. Gehe zur Anmeldeseite und versuche es erneut.", @@ -1387,7 +1277,6 @@ "unknown person": "unbekannte Person", "%(deviceId)s from %(ip)s": "%(deviceId)s von %(ip)s", "Review to ensure your account is safe": "Überprüfe sie, um ein sicheres Konto gewährleisten zu können", - "Verification requested": "Verifizierung angefragt", "Avatar": "Avatar", "Invited people will be able to read old messages.": "Eingeladene Leute werden ältere Nachrichten lesen können.", "Consult first": "Zuerst Anfragen", @@ -1407,7 +1296,6 @@ "one": "Mitglied anzeigen" }, "Some of your messages have not been sent": "Einige Nachrichten konnten nicht gesendet werden", - "Original event source": "Ursprüngliche Rohdaten", "Sending": "Senden", "You can select all or individual messages to retry or delete": "Du kannst einzelne oder alle Nachrichten erneut senden oder löschen", "Delete all": "Alle löschen", @@ -1597,7 +1485,6 @@ "Disinvite from %(roomName)s": "Einladung für %(roomName)s zurückziehen", "Export chat": "Unterhaltung exportieren", "Insert link": "Link einfügen", - "Create poll": "Umfrage erstellen", "Updating spaces... (%(progress)s out of %(count)s)": { "one": "Space aktualisieren …", "other": "Spaces aktualisieren … (%(progress)s von %(count)s)" @@ -1623,13 +1510,6 @@ "These are likely ones other room admins are a part of.": "Das sind vermutliche solche, in denen andere Raumadministratoren Mitglieder sind.", "If you can't see who you're looking for, send them your invite link below.": "Wenn du die gesuchte Person nicht findest, sende ihr den Einladungslink zu.", "Add a space to a space you manage.": "Einen Space zu einem Space den du verwaltest hinzufügen.", - "Add option": "Antwortmöglichkeit hinzufügen", - "Write an option": "Antwortmöglichkeit verfassen", - "Option %(number)s": "Antwortmöglichkeit %(number)s", - "Create options": "Antwortmöglichkeiten erstellen", - "Question or topic": "Frage oder Thema", - "What is your poll question or topic?": "Was ist die Frage oder das Thema deiner Umfrage?", - "Create Poll": "Umfrage erstellen", "Ban from %(roomName)s": "Aus %(roomName)s verbannen", "Yours, or the other users' session": "Die Sitzung von dir oder dem anderen Nutzer", "Yours, or the other users' internet connection": "Die Internetverbindung von dir oder dem anderen Nutzer", @@ -1695,8 +1575,6 @@ "Failed to end poll": "Beenden der Umfrage fehlgeschlagen", "The poll has ended. Top answer: %(topAnswer)s": "Umfrage beendet. Beliebteste Antwort: %(topAnswer)s", "The poll has ended. No votes were cast.": "Umfrage beendet. Es wurden keine Stimmen abgegeben.", - "Sorry, the poll you tried to create was not posted.": "Leider wurde die Umfrage nicht gesendet.", - "Failed to post poll": "Absenden der Umfrage fehlgeschlagen", "Share location": "Standort teilen", "Based on %(count)s votes": { "one": "%(count)s Stimme abgegeben", @@ -1727,10 +1605,6 @@ "Including you, %(commaSeparatedMembers)s": "Mit dir, %(commaSeparatedMembers)s", "Device verified": "Gerät verifiziert", "Room members": "Raummitglieder", - "Waiting for you to verify on your other device…": "Warten darauf, dass du das auf deinem anderen Gerät bestätigst…", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Warten, dass du auf deinem anderen Gerät %(deviceName)s (%(deviceId)s) verifizierst…", - "Verify this device by confirming the following number appears on its screen.": "Verifiziere dieses Gerät, indem du überprüfst, dass die folgende Zahl auf dem Bildschirm erscheint.", - "Confirm the emoji below are displayed on both devices, in the same order:": "Bestätige, dass die folgenden Emoji auf beiden Geräten in der gleichen Reihenfolge angezeigt werden:", "Back to thread": "Zurück zum Thread", "Back to chat": "Zurück zur Unterhaltung", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Unbekanntes Paar (Nutzer, Sitzung): (%(userId)s, %(deviceId)s)", @@ -1758,7 +1632,6 @@ "Message pending moderation": "Nachricht erwartet Moderation", "toggle event": "Event umschalten", "This address had invalid server or is already in use": "Diese Adresse hat einen ungültigen Server oder wird bereits verwendet", - "Internal room ID": "Interne Raum-ID", "Group all your rooms that aren't part of a space in one place.": "Gruppiere all deine Räume, die nicht Teil eines Spaces sind, an einem Ort.", "Group all your people in one place.": "Gruppiere all deine Direktnachrichten an einem Ort.", "Group all your favourite rooms and people in one place.": "Gruppiere all deine favorisierten Unterhaltungen an einem Ort.", @@ -1779,12 +1652,6 @@ "Open thread": "Thread anzeigen", "Search Dialog": "Suchdialog", "Join %(roomAddress)s": "%(roomAddress)s betreten", - "Results are only revealed when you end the poll": "Die Ergebnisse werden erst sichtbar, sobald du die Umfrage beendest", - "Voters see results as soon as they have voted": "Abstimmende können die Ergebnisse nach Stimmabgabe sehen", - "Open poll": "Offene Umfrage", - "Closed poll": "Versteckte Umfrage", - "Poll type": "Abstimmungsart", - "Edit poll": "Umfrage bearbeiten", "Results will be visible when the poll is ended": "Ergebnisse werden nach Abschluss der Umfrage sichtbar", "Sorry, you can't edit a poll after votes have been cast.": "Du kannst Umfragen nicht bearbeiten, sobald Stimmen abgegeben wurden.", "Can't edit poll": "Umfrage kann nicht bearbeitet werden", @@ -1865,8 +1732,6 @@ }, "%(members)s and %(last)s": "%(members)s und %(last)s", "%(members)s and more": "%(members)s und weitere", - "View older version of %(spaceName)s.": "Alte Version von %(spaceName)s anzeigen.", - "Upgrade this space to the recommended room version": "Space auf die empfohlene Version aktualisieren", "Your password was successfully changed.": "Dein Passwort wurde erfolgreich geändert.", "View List": "Liste Anzeigen", "View list": "Liste anzeigen", @@ -1900,9 +1765,7 @@ }, "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Bitte beachte: Dies ist eine experimentelle Funktion, die eine temporäre Implementierung nutzt. Das bedeutet, dass du deinen Standortverlauf nicht löschen kannst und erfahrene Nutzer ihn sehen können, selbst wenn du deinen Echtzeit-Standort nicht mehr mit diesem Raum teilst.", "Video room": "Videoraum", - "Edit topic": "Thema bearbeiten", "Remove server “%(roomServer)s”": "Server „%(roomServer)s“ entfernen", - "Click to read topic": "Klicke, um das Thema zu lesen", "Add new server…": "Neuen Server hinzufügen …", "Show: %(instance)s rooms (%(server)s)": "%(instance)s Räume zeigen (%(server)s)", "Show: Matrix rooms": "Zeige: Matrix-Räume", @@ -1932,9 +1795,6 @@ "An error occurred whilst sharing your live location": "Ein Fehler ist während des Teilens deines Echtzeit-Standorts aufgetreten", "An error occurred while stopping your live location": "Ein Fehler ist während des Beendens deines Echtzeit-Standorts aufgetreten", "An error occurred while stopping your live location, please try again": "Ein Fehler ist während des Beendens deines Echtzeit-Standorts aufgetreten, bitte versuche es erneut", - "Check your email to continue": "Zum Fortfahren prüfe deine E-Mails", - "Resent!": "Verschickt!", - "Did not receive it? Resend it": "Nicht angekommen? Erneut senden", "Unread email icon": "Ungelesene E-Mail Symbol", "Coworkers and teams": "Kollegen und Gruppen", "Friends and family": "Freunde und Familie", @@ -1949,7 +1809,6 @@ "To view, please enable video rooms in Labs first": "Zum Anzeigen, aktiviere bitte Videoräume in den Laboreinstellungen", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Für bestmögliche Sicherheit verifiziere deine Sitzungen und melde dich von allen ab, die du nicht erkennst oder nutzt.", "Sessions": "Sitzungen", - "Spell check": "Rechtschreibprüfung", "In %(spaceName)s and %(count)s other spaces.": { "one": "Im Space %(spaceName)s und %(count)s weiteren Spaces.", "other": "In %(spaceName)s und %(count)s weiteren Spaces." @@ -1962,7 +1821,6 @@ "If you can't see who you're looking for, send them your invite link.": "Falls du nicht findest wen du suchst, send ihnen deinen Einladungslink.", "Interactively verify by emoji": "Interaktiv per Emoji verifizieren", "Manually verify by text": "Manuell per Text verifizieren", - "To create your account, open the link in the email we just sent to %(emailAddress)s.": "Um dein Konto zu erstellen, öffne den Link in der E-Mail, die wir gerade an %(emailAddress)s geschickt haben.", "Remove search filter for %(filter)s": "Entferne Suchfilter für %(filter)s", "If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "Falls du den Zugriff auf deinen Nachrichtenverlauf behalten willst, richte die Schlüsselsicherung ein oder exportiere deine Verschlüsselungsschlüssel von einem deiner Geräte bevor du weiter machst.", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Das Abmelden deines Geräts wird die Verschlüsselungsschlüssel löschen, woraufhin verschlüsselte Nachrichtenverläufe nicht mehr lesbar sein werden.", @@ -2050,11 +1908,7 @@ "Thread root ID: %(threadRootId)s": "Thread-Ursprungs-ID: %(threadRootId)s", "Error starting verification": "Verifizierungbeginn fehlgeschlagen", "We were unable to start a chat with the other user.": "Der Unterhaltungsbeginn mit dem anderen Benutzer war uns nicht möglich.", - "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.": "Experimentierfreudig? Probiere unsere neuesten, sich in Entwicklung befindlichen Ideen aus. Diese Funktionen sind nicht final; Sie könnten instabil sein, sich verändern oder sogar ganz entfernt werden. Erfahre mehr.", - "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "Was passiert als nächstes in %(brand)s? Das Labor ist deine erste Anlaufstelle, um Funktionen früh zu erhalten, zu testen und mitzugestalten, bevor sie tatsächlich veröffentlicht werden.", - "Upcoming features": "Zukünftige Funktionen", "WARNING: ": "WARNUNG: ", - "Early previews": "Frühe Vorschauen", "You have unverified sessions": "Du hast nicht verifizierte Sitzungen", "Change layout": "Anordnung ändern", "Add privileged users": "Berechtigten Benutzer hinzufügen", @@ -2075,9 +1929,6 @@ "Edit link": "Link bearbeiten", "%(senderName)s started a voice broadcast": "%(senderName)s begann eine Sprachübertragung", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", - "Registration token": "Registrierungstoken", - "Enter a registration token provided by the homeserver administrator.": "Gib einen von deiner Home-Server-Administration zur Verfügung gestellten Registrierungstoken ein.", - "Manage account": "Konto verwalten", "Your account details are managed separately at %(hostname)s.": "Deine Kontodaten werden separat auf %(hostname)s verwaltet.", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Alle Nachrichten und Einladungen der Person werden verborgen. Bist du sicher, dass du sie ignorieren möchtest?", "Ignore %(user)s": "%(user)s ignorieren", @@ -2090,10 +1941,8 @@ "There are no past polls in this room": "In diesem Raum gibt es keine abgeschlossenen Umfragen", "There are no active polls in this room": "In diesem Raum gibt es keine aktiven Umfragen", "Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Achtung: Deine persönlichen Daten (einschließlich Verschlüsselungs-Schlüssel) sind noch in dieser Sitzung gespeichert. Lösche diese Daten, wenn du diese Sitzung nicht mehr benötigst, oder dich mit einem anderen Konto anmelden möchtest.", - "Warning: upgrading a room will not automatically migrate room members to the new version of the room. We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.": "Achtung: Eine Raumaktualisierung wird Raummitglieder nicht automatisch in die neue Raumversion umziehen. In der alten Raumversion wird ein Link zum neuen Raum veröffentlicht ­− Raummitglieder müssen auf diesen klicken, um den neuen Raum zu betreten.", "WARNING: session already verified, but keys do NOT MATCH!": "ACHTUNG: Sitzung bereits verifiziert, aber die Schlüssel PASSEN NICHT!", "Starting backup…": "Beginne Sicherung …", - "Keep going…": "Fortfahren …", "Connecting…": "Verbinde …", "Scan QR code": "QR-Code einlesen", "Select '%(scanQRCode)s'": "Wähle „%(scanQRCode)s“", @@ -2103,16 +1952,12 @@ "Enable '%(manageIntegrations)s' in Settings to do this.": "Aktiviere „%(manageIntegrations)s“ in den Einstellungen, um dies zu tun.", "Waiting for partner to confirm…": "Warte auf Bestätigung des Gesprächspartners …", "Adding…": "Füge hinzu …", - "Write something…": "Schreibe etwas …", "Rejecting invite…": "Lehne Einladung ab …", "Joining room…": "Betrete Raum …", "Joining space…": "Betrete Space …", "Encrypting your message…": "Verschlüssele deine Nachricht …", "Sending your message…": "Sende deine Nachricht …", - "Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named '%(myBanList)s' - stay in this room to keep the ban list in effect.": "Deine persönliche Sperrliste enthält alle Benutzer/Server, von denen du keine Nachrichten erhalten möchtest. Nachdem du den ersten Benutzer/Server ignoriert hast, wird ein neuer Raum namens „%(myBanList)s“ erstellt – bleibe in diesem Raum, um die Sperrliste zu erhalten.", "Set a new account password…": "Setze neues Kontopasswort …", - "Downloading update…": "Lade Aktualisierung herunter …", - "Checking for an update…": "Suche nach Aktualisierung …", "Backing up %(sessionsRemaining)s keys…": "Sichere %(sessionsRemaining)s Schlüssel …", "Connecting to integration manager…": "Verbinde mit Integrationsassistent …", "Saving…": "Speichere …", @@ -2182,7 +2027,6 @@ "Error changing password": "Fehler während der Passwortänderung", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (HTTP-Status %(httpStatus)s)", "Unknown password change error (%(stringifiedError)s)": "Unbekannter Fehler während der Passwortänderung (%(stringifiedError)s)", - "Error while changing password: %(error)s": "Fehler während der Passwortänderung: %(error)s", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Einladen per E-Mail-Adresse ist nicht ohne Identitäts-Server möglich. Du kannst einen unter „Einstellungen“ einrichten.", "Failed to download source media, no source url was found": "Herunterladen der Quellmedien fehlgeschlagen, da keine Quell-URL gefunden wurde", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "Sobald eingeladene Benutzer %(brand)s beigetreten sind, werdet ihr euch unterhalten können und der Raum wird Ende-zu-Ende-verschlüsselt sein", @@ -2540,7 +2384,15 @@ "sliding_sync_disable_warning": "Zum Deaktivieren musst du dich neu anmelden. Mit Vorsicht verwenden!", "sliding_sync_proxy_url_optional_label": "Proxy-URL (optional)", "sliding_sync_proxy_url_label": "Proxy-URL", - "video_rooms_beta": "Videoräume sind eine Betafunktion" + "video_rooms_beta": "Videoräume sind eine Betafunktion", + "bridge_state_creator": "Diese Brücke wurde von bereitgestellt.", + "bridge_state_manager": "Diese Brücke wird von verwaltet.", + "bridge_state_workspace": "Arbeitsraum: ", + "bridge_state_channel": "Kanal: ", + "beta_section": "Zukünftige Funktionen", + "beta_description": "Was passiert als nächstes in %(brand)s? Das Labor ist deine erste Anlaufstelle, um Funktionen früh zu erhalten, zu testen und mitzugestalten, bevor sie tatsächlich veröffentlicht werden.", + "experimental_section": "Frühe Vorschauen", + "experimental_description": "Experimentierfreudig? Probiere unsere neuesten, sich in Entwicklung befindlichen Ideen aus. Diese Funktionen sind nicht final; Sie könnten instabil sein, sich verändern oder sogar ganz entfernt werden. Erfahre mehr." }, "keyboard": { "home": "Startseite", @@ -2876,7 +2728,26 @@ "record_session_details": "Bezeichnung, Version und URL der Anwendung registrieren, damit diese Sitzung in der Sitzungsverwaltung besser erkennbar ist", "strict_encryption": "Niemals verschlüsselte Nachrichten von dieser Sitzung zu unverifizierten Sitzungen senden", "enable_message_search": "Nachrichtensuche in verschlüsselten Räumen aktivieren", - "manually_verify_all_sessions": "Indirekte Sitzungen manuell verifizieren" + "manually_verify_all_sessions": "Indirekte Sitzungen manuell verifizieren", + "cross_signing_public_keys": "Öffentlicher Quersignaturschlüssel:", + "cross_signing_in_memory": "im Speicher", + "cross_signing_not_found": "nicht gefunden", + "cross_signing_private_keys": "Private Quersignaturschlüssel:", + "cross_signing_in_4s": "im Schlüsselspeicher", + "cross_signing_not_in_4s": "nicht im Speicher gefunden", + "cross_signing_master_private_Key": "Privater Hauptschlüssel:", + "cross_signing_cached": "lokal zwischengespeichert", + "cross_signing_not_cached": "lokal nicht gefunden", + "cross_signing_self_signing_private_key": "Selbst signierter privater Schlüssel:", + "cross_signing_user_signing_private_key": "Privater Benutzerschlüssel:", + "cross_signing_homeserver_support": "Unterstützung des Heim-Servers:", + "cross_signing_homeserver_support_exists": "existiert", + "export_megolm_keys": "E2E-Raumschlüssel exportieren", + "import_megolm_keys": "E2E-Raumschlüssel importieren", + "cryptography_section": "Verschlüsselung", + "session_id": "Sitzungs-ID:", + "session_key": "Sitzungsschlüssel:", + "encryption_section": "Verschlüsselung" }, "preferences": { "room_list_heading": "Raumliste", @@ -2991,6 +2862,12 @@ }, "security_recommendations": "Sicherheitsempfehlungen", "security_recommendations_description": "Verbessere deine Kontosicherheit, indem du diese Empfehlungen beherzigst." + }, + "general": { + "oidc_manage_button": "Konto verwalten", + "account_section": "Benutzerkonto", + "language_section": "Sprache und Region", + "spell_check_section": "Rechtschreibprüfung" } }, "devtools": { @@ -3092,7 +2969,8 @@ "low_bandwidth_mode": "Modus für geringe Bandbreite", "developer_mode": "Entwicklungsmodus", "view_source_decrypted_event_source": "Entschlüsselte Rohdaten", - "view_source_decrypted_event_source_unavailable": "Entschlüsselte Quelle nicht verfügbar" + "view_source_decrypted_event_source_unavailable": "Entschlüsselte Quelle nicht verfügbar", + "original_event_source": "Ursprüngliche Rohdaten" }, "export_chat": { "html": "HTML", @@ -3732,6 +3610,17 @@ "url_preview_encryption_warning": "In verschlüsselten Räumen wie diesem ist die Linkvorschau standardmäßig deaktiviert, damit dein Heim-Server (der die Vorschau erzeugt) keine Informationen über Links in diesem Raum erhält.", "url_preview_explainer": "Die URL-Vorschau kann Informationen wie den Titel, die Beschreibung sowie ein Vorschaubild der Website enthalten.", "url_previews_section": "URL-Vorschau" + }, + "advanced": { + "unfederated": "Dieser Raum ist von Personen auf anderen Matrix-Servern nicht betretbar", + "room_upgrade_warning": "Achtung: Eine Raumaktualisierung wird Raummitglieder nicht automatisch in die neue Raumversion umziehen. In der alten Raumversion wird ein Link zum neuen Raum veröffentlicht ­− Raummitglieder müssen auf diesen klicken, um den neuen Raum zu betreten.", + "space_upgrade_button": "Space auf die empfohlene Version aktualisieren", + "room_upgrade_button": "Raum auf die empfohlene Raumversion aktualisieren", + "space_predecessor": "Alte Version von %(spaceName)s anzeigen.", + "room_predecessor": "Alte Nachrichten in %(roomName)s anzeigen.", + "room_id": "Interne Raum-ID", + "room_version_section": "Raumversion", + "room_version": "Raumversion:" } }, "encryption": { @@ -3747,8 +3636,22 @@ "sas_prompt": "Vergleiche einzigartige Emojis", "sas_description": "Vergleiche eine einmalige Reihe von Emojis, sofern du an keinem Gerät eine Kamera hast", "qr_or_sas": "%(qrCode)s oder %(emojiCompare)s", - "qr_or_sas_header": "Verifiziere dieses Gerät mit einer der folgenden Möglichkeiten:" - } + "qr_or_sas_header": "Verifiziere dieses Gerät mit einer der folgenden Möglichkeiten:", + "explainer": "Sichere Nachrichten mit diesem Benutzer sind Ende-zu-Ende-verschlüsselt und können nicht von Dritten gelesen werden.", + "complete_action": "Verstanden", + "sas_emoji_caption_self": "Bestätige, dass die folgenden Emoji auf beiden Geräten in der gleichen Reihenfolge angezeigt werden:", + "sas_emoji_caption_user": "Verifiziere diesen Nutzer, indem du bestätigst, dass folgende Emojis auf dessen Bildschirm erscheinen.", + "sas_caption_self": "Verifiziere dieses Gerät, indem du überprüfst, dass die folgende Zahl auf dem Bildschirm erscheint.", + "sas_caption_user": "Verifiziere diesen Nutzer, indem du bestätigst, dass die folgende Nummer auf dessen Bildschirm erscheint.", + "unsupported_method": "Konnte keine unterstützte Verifikationsmethode finden.", + "waiting_other_device_details": "Warten, dass du auf deinem anderen Gerät %(deviceName)s (%(deviceId)s) verifizierst…", + "waiting_other_device": "Warten darauf, dass du das auf deinem anderen Gerät bestätigst…", + "waiting_other_user": "Warte darauf, dass %(displayName)s bestätigt…", + "cancelling": "Abbrechen…" + }, + "old_version_detected_title": "Alte Kryptografiedaten erkannt", + "old_version_detected_description": "Es wurden Daten von einer älteren Version von %(brand)s entdeckt. Dies wird zu Fehlern in der Ende-zu-Ende-Verschlüsselung der älteren Version geführt haben. Ende-zu-Ende verschlüsselte Nachrichten, die ausgetauscht wruden, während die ältere Version genutzt wurde, werden in dieser Version nicht entschlüsselbar sein. Es kann auch zu Fehlern mit Nachrichten führen, die mit dieser Version versendet werden. Wenn du Probleme feststellst, melde dich ab und wieder an. Um die Historie zu behalten, ex- und reimportiere deine Schlüssel.", + "verification_requested_toast_title": "Verifizierung angefragt" }, "emoji": { "category_frequently_used": "Oft verwendet", @@ -3863,7 +3766,51 @@ "phone_optional_label": "Telefon (optional)", "email_help_text": "Füge eine E-Mail-Adresse hinzu, um dein Passwort zurücksetzen zu können.", "email_phone_discovery_text": "Nutze optional eine E-Mail-Adresse oder Telefonnummer, um von Nutzern gefunden werden zu können.", - "email_discovery_text": "Nutze optional eine E-Mail-Adresse, um von Nutzern gefunden werden zu können." + "email_discovery_text": "Nutze optional eine E-Mail-Adresse, um von Nutzern gefunden werden zu können.", + "session_logged_out_title": "Abgemeldet", + "session_logged_out_description": "Aus Sicherheitsgründen wurde diese Sitzung beendet. Bitte melde dich erneut an.", + "change_password_error": "Fehler während der Passwortänderung: %(error)s", + "change_password_mismatch": "Die neuen Passwörter stimmen nicht überein", + "change_password_empty": "Passwortfelder dürfen nicht leer sein", + "set_email_prompt": "Möchtest du eine E-Mail-Adresse setzen?", + "change_password_confirm_label": "Passwort bestätigen", + "change_password_confirm_invalid": "Passwörter stimmen nicht überein", + "change_password_current_label": "Aktuelles Passwort", + "change_password_new_label": "Neues Passwort", + "change_password_action": "Passwort ändern", + "email_field_label": "E-Mail-Adresse", + "email_field_label_required": "E-Mail-Adresse eingeben", + "email_field_label_invalid": "Das sieht nicht nach einer gültigen E-Mail-Adresse aus", + "uia": { + "password_prompt": "Bestätige deine Identität, indem du unten dein Kontopasswort eingibst.", + "recaptcha_missing_params": "Fehlender öffentlicher Captcha-Schlüssel in der Heim-Server-Konfiguration. Bitte melde dies deiner Heimserver-Administration.", + "terms_invalid": "Bitte prüfe und akzeptiere alle Richtlinien des Heim-Servers", + "terms": "Bitte sieh dir alle Bedingungen dieses Heim-Servers an und akzeptiere sie:", + "email_auth_header": "Zum Fortfahren prüfe deine E-Mails", + "email": "Um dein Konto zu erstellen, öffne den Link in der E-Mail, die wir gerade an %(emailAddress)s geschickt haben.", + "email_resend_prompt": "Nicht angekommen? Erneut senden", + "email_resent": "Verschickt!", + "msisdn_token_incorrect": "Token fehlerhaft", + "msisdn": "Eine Textnachricht wurde an %(msisdn)s gesendet", + "msisdn_token_prompt": "Bitte gib den darin enthaltenen Code ein:", + "registration_token_prompt": "Gib einen von deiner Home-Server-Administration zur Verfügung gestellten Registrierungstoken ein.", + "registration_token_label": "Registrierungstoken", + "sso_failed": "Bei der Bestätigung deiner Identität ist ein Fehler aufgetreten. Abbrechen und erneut versuchen.", + "fallback_button": "Authentifizierung beginnen" + }, + "password_field_label": "Passwort eingeben", + "password_field_strong_label": "Super, ein starkes Passwort!", + "password_field_weak_label": "Passwort ist erlaubt, aber unsicher", + "password_field_keep_going_prompt": "Fortfahren …", + "username_field_required_invalid": "Benutzername eingeben", + "msisdn_field_required_invalid": "Telefonnummer eingeben", + "msisdn_field_number_invalid": "Diese Telefonummer sieht nicht ganz richtig aus. Bitte überprüfe deine Eingabe und versuche es erneut", + "msisdn_field_label": "Telefon", + "identifier_label": "Anmelden mit", + "reset_password_email_field_description": "Verwende eine E-Mail-Adresse, um dein Konto wiederherzustellen", + "reset_password_email_field_required_invalid": "E-Mail-Adresse eingeben (auf diesem Heim-Server erforderlich)", + "msisdn_field_description": "Andere Personen können dich mit deinen Kontaktdaten in Räume einladen", + "registration_msisdn_field_required_invalid": "Telefonnummer eingeben (auf diesem Heim-Server erforderlich)" }, "room_list": { "sort_unread_first": "Räume mit ungelesenen Nachrichten zuerst zeigen", @@ -4057,7 +4004,13 @@ "see_changes_button": "Was ist neu?", "release_notes_toast_title": "Was ist neu", "toast_title": "Aktualisiere %(brand)s", - "toast_description": "Neue Version von %(brand)s verfügbar" + "toast_description": "Neue Version von %(brand)s verfügbar", + "error_encountered": "Es ist ein Fehler aufgetreten (%(errorDetail)s).", + "checking": "Suche nach Aktualisierung …", + "no_update": "Keine Aktualisierung verfügbar.", + "downloading": "Lade Aktualisierung herunter …", + "new_version_available": "Neue Version verfügbar. Jetzt aktualisieren.", + "check_action": "Nach Aktualisierung suchen" }, "threads": { "all_threads": "Alle Threads", @@ -4110,7 +4063,35 @@ }, "labs_mjolnir": { "room_name": "Meine Bannliste", - "room_topic": "Dies ist die Liste von Benutzer und Servern, die du blockiert hast – verlasse diesen Raum nicht!" + "room_topic": "Dies ist die Liste von Benutzer und Servern, die du blockiert hast – verlasse diesen Raum nicht!", + "ban_reason": "Ignoriert/Blockiert", + "error_adding_ignore": "Fehler beim Blockieren eines Nutzers/Servers", + "something_went_wrong": "Etwas ist schief gelaufen. Bitte versuche es erneut oder sieh für weitere Hinweise in deiner Konsole nach.", + "error_adding_list_title": "Fehler beim Abonnieren der Liste", + "error_adding_list_description": "Bitte überprüfe die Raum-ID oder -adresse und versuche es erneut.", + "error_removing_ignore": "Fehler beim Entfernen eines blockierten Benutzers/Servers", + "error_removing_list_title": "Fehler beim Deabonnieren der Liste", + "error_removing_list_description": "Bitte versuche es erneut oder sieh für weitere Hinweise in deine Konsole.", + "rules_title": "Verbotslistenregeln - %(roomName)s", + "rules_server": "Server-Regeln", + "rules_user": "Nutzerregeln", + "personal_empty": "Du hast niemanden blockiert.", + "personal_section": "Du ignorierst momentan:", + "no_lists": "Du hast keine Listen abonniert", + "view_rules": "Regeln öffnen", + "lists": "Du abonnierst momentan:", + "title": "Blockierte Benutzer", + "advanced_warning": "⚠ Diese Einstellungen sind für fortgeschrittene Nutzer gedacht.", + "explainer_1": "Füge hier die Benutzer und Server hinzu, die du blockieren willst. Verwende Sternchen, um %(brand)s alle Zeichen abgleichen zu lassen. So würde @bot:* alle Benutzer mit dem Namen „bot“, auf jedem beliebigen Server, blockieren.", + "explainer_2": "Das Ignorieren von Personen erfolgt über Sperrlisten. Wenn eine Sperrliste abonniert wird, werden die von dieser Liste blockierten Benutzer und Server ausgeblendet.", + "personal_heading": "Persönliche Sperrliste", + "personal_description": "Deine persönliche Sperrliste enthält alle Benutzer/Server, von denen du keine Nachrichten erhalten möchtest. Nachdem du den ersten Benutzer/Server ignoriert hast, wird ein neuer Raum namens „%(myBanList)s“ erstellt – bleibe in diesem Raum, um die Sperrliste zu erhalten.", + "personal_new_label": "Zu blockierende Server- oder Benutzer-ID", + "personal_new_placeholder": "z. B. @bot:* oder example.org", + "lists_heading": "Abonnierte Listen", + "lists_description_1": "Eine Verbotsliste abonnieren bedeutet ihr beizutreten!", + "lists_description_2": "Wenn dies nicht das ist, was du willst, verwende ein anderes Werkzeug, um Benutzer zu blockieren.", + "lists_new_label": "Raum-ID oder Adresse der Verbotsliste" }, "create_space": { "name_required": "Gib den Namen des Spaces ein", @@ -4175,6 +4156,12 @@ "private_unencrypted_warning": "Dieser Raum ist nicht verschlüsselt. Oft ist dies aufgrund eines nicht unterstützten Geräts oder Methode wie E-Mail-Einladungen der Fall.", "enable_encryption_prompt": "Aktiviere Verschlüsselung in den Einstellungen.", "unencrypted_warning": "Ende-zu-Ende-Verschlüsselung ist deaktiviert" + }, + "edit_topic": "Thema bearbeiten", + "read_topic": "Klicke, um das Thema zu lesen", + "unread_notifications_predecessor": { + "one": "Du hast %(count)s ungelesene Benachrichtigungen in einer früheren Version dieses Raumes.", + "other": "Du hast %(count)s ungelesene Benachrichtigungen in einer früheren Version dieses Raums." } }, "file_panel": { @@ -4189,9 +4176,31 @@ "intro": "Um fortzufahren, musst du die Bedingungen dieses Dienstes akzeptieren.", "column_service": "Dienst", "column_summary": "Zusammenfassung", - "column_document": "Dokument" + "column_document": "Dokument", + "tac_title": "Geschäftsbedingungen", + "tac_description": "Um den %(homeserverDomain)s-Heim-Server weiterzuverwenden, musst du die Nutzungsbedingungen sichten und akzeptieren.", + "tac_button": "Geschäftsbedingungen anzeigen" }, "space_settings": { "title": "Einstellungen - %(spaceName)s" + }, + "poll": { + "create_poll_title": "Umfrage erstellen", + "create_poll_action": "Umfrage erstellen", + "edit_poll_title": "Umfrage bearbeiten", + "failed_send_poll_title": "Absenden der Umfrage fehlgeschlagen", + "failed_send_poll_description": "Leider wurde die Umfrage nicht gesendet.", + "type_heading": "Abstimmungsart", + "type_open": "Offene Umfrage", + "type_closed": "Versteckte Umfrage", + "topic_heading": "Was ist die Frage oder das Thema deiner Umfrage?", + "topic_label": "Frage oder Thema", + "topic_placeholder": "Schreibe etwas …", + "options_heading": "Antwortmöglichkeiten erstellen", + "options_label": "Antwortmöglichkeit %(number)s", + "options_placeholder": "Antwortmöglichkeit verfassen", + "options_add_button": "Antwortmöglichkeit hinzufügen", + "disclosed_notes": "Abstimmende können die Ergebnisse nach Stimmabgabe sehen", + "notes": "Die Ergebnisse werden erst sichtbar, sobald du die Umfrage beendest" } } diff --git a/src/i18n/strings/el.json b/src/i18n/strings/el.json index 1348d201a2..74fc63a4f9 100644 --- a/src/i18n/strings/el.json +++ b/src/i18n/strings/el.json @@ -3,7 +3,6 @@ "Notifications": "Ειδοποιήσεις", "Operation failed": "Η λειτουργία απέτυχε", "unknown error code": "άγνωστος κωδικός σφάλματος", - "Account": "Λογαριασμός", "No Microphones detected": "Δεν εντοπίστηκε μικρόφωνο", "No Webcams detected": "Δεν εντοπίστηκε κάμερα", "Default Device": "Προεπιλεγμένη συσκευή", @@ -18,19 +17,13 @@ "one": "και ένας ακόμα...", "other": "και %(count)s άλλοι..." }, - "Change Password": "Αλλαγή κωδικού πρόσβασης", - "Confirm password": "Επιβεβαίωση κωδικού πρόσβασης", - "Cryptography": "Κρυπτογραφία", - "Current password": "Τωρινός κωδικός πρόσβασης", "Custom level": "Προσαρμοσμένο επίπεδο", "Deactivate Account": "Απενεργοποίηση λογαριασμού", "Decrypt %(text)s": "Αποκρυπτογράφηση %(text)s", "Default": "Προεπιλογή", "Download %(text)s": "Λήψη %(text)s", - "Email": "Ηλεκτρονική διεύθυνση", "Email address": "Ηλεκτρονική διεύθυνση", "Error decrypting attachment": "Σφάλμα κατά την αποκρυπτογράφηση της επισύναψης", - "Export E2E room keys": "Εξαγωγή κλειδιών κρυπτογράφησης για το δωμάτιο", "Failed to change password. Is your password correct?": "Δεν ήταν δυνατή η αλλαγή του κωδικού πρόσβασης. Είναι σωστός ο κωδικός πρόσβασης;", "Failed to mute user": "Δεν ήταν δυνατή η σίγαση του χρήστη", "Failed to reject invite": "Δεν ήταν δυνατή η απόρριψη της πρόσκλησης", @@ -39,28 +32,21 @@ "Favourite": "Αγαπημένο", "Filter room members": "Φιλτράρισμα μελών", "Forget room": "Αγνόηση δωματίου", - "For security, this session has been signed out. Please sign in again.": "Για λόγους ασφαλείας, αυτή η συνεδρία έχει τερματιστεί. Παρακαλούμε συνδεθείτε ξανά.", "Historical": "Ιστορικό", - "Import E2E room keys": "Εισαγωγή κλειδιών E2E", "Incorrect verification code": "Λανθασμένος κωδικός επαλήθευσης", "Invalid Email Address": "Μη έγκυρη διεύθυνση ηλεκτρονικής αλληλογραφίας", "Invited": "Προσκλήθηκε", - "Sign in with": "Συνδεθείτε με", "Jump to first unread message.": "Πηγαίνετε στο πρώτο μη αναγνωσμένο μήνυμα.", "Low priority": "Χαμηλής προτεραιότητας", "Failed to send request.": "Δεν ήταν δυνατή η αποστολή αιτήματος.", "Failure to create room": "Δεν ήταν δυνατή η δημιουργία δωματίου", "Join Room": "Είσοδος σε δωμάτιο", "Moderator": "Συντονιστής", - "New passwords don't match": "Οι νέοι κωδικοί πρόσβασης είναι διαφορετικοί", "New passwords must match each other.": "Οι νέοι κωδικοί πρόσβασης πρέπει να ταιριάζουν.", "": "<δεν υποστηρίζεται>", "No more results": "Δεν υπάρχουν άλλα αποτελέσματα", - "Passwords can't be empty": "Οι κωδικοί πρόσβασης δεν γίνετε να είναι κενοί", - "Phone": "Τηλέφωνο", "Rooms": "Δωμάτια", "Search failed": "Η αναζήτηση απέτυχε", - "Signed Out": "Αποσυνδέθηκε", "This email address is already in use": "Η διεύθυνση ηλ. αλληλογραφίας χρησιμοποιείται ήδη", "This email address was not found": "Δεν βρέθηκε η διεύθυνση ηλ. αλληλογραφίας", "Create new room": "Δημιουργία νέου δωματίου", @@ -78,7 +64,6 @@ "Room %(roomId)s not visible": "Το δωμάτιο %(roomId)s δεν είναι ορατό", "%(roomName)s does not exist.": "Το %(roomName)s δεν υπάρχει.", "Session ID": "Αναγνωριστικό συνεδρίας", - "Start authentication": "Έναρξη πιστοποίησης", "This room has no local addresses": "Αυτό το δωμάτιο δεν έχει τοπικές διευθύνσεις", "This doesn't appear to be a valid email address": "Δεν μοιάζει με μια έγκυρη διεύθυνση ηλεκτρονικής αλληλογραφίας", "This phone number is already in use": "Αυτός ο αριθμός τηλεφώνου είναι ήδη σε χρήση", @@ -116,7 +101,6 @@ "one": "(~%(count)s αποτέλεσμα)", "other": "(~%(count)s αποτελέσματα)" }, - "New Password": "Νέος κωδικός πρόσβασης", "Passphrases must match": "Δεν ταιριάζουν τα συνθηματικά", "Passphrase must not be empty": "Το συνθηματικό δεν πρέπει να είναι κενό", "Export room keys": "Εξαγωγή κλειδιών δωματίου", @@ -126,8 +110,6 @@ "Confirm Removal": "Επιβεβαίωση αφαίρεσης", "Unknown error": "Άγνωστο σφάλμα", "Unable to restore session": "Αδυναμία επαναφοράς συνεδρίας", - "Token incorrect": "Εσφαλμένο διακριτικό", - "Please enter the code it contains:": "Παρακαλούμε εισάγετε τον κωδικό που περιέχει:", "Error decrypting image": "Σφάλμα κατά την αποκρυπτογράφηση της εικόνας", "Error decrypting video": "Σφάλμα κατά την αποκρυπτογράφηση του βίντεο", "Add an Integration": "Προσθήκη ενσωμάτωσης", @@ -163,7 +145,6 @@ "You may need to manually permit %(brand)s to access your microphone/webcam": "Μπορεί να χρειαστεί να ορίσετε χειροκίνητα την πρόσβαση του %(brand)s στο μικρόφωνο/κάμερα", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Δεν είναι δυνατή η σύνδεση στον κεντρικό διακομιστή - παρακαλούμε ελέγξτε τη συνδεσιμότητα, βεβαιωθείτε ότι το πιστοποιητικό SSL του διακομιστή είναι έμπιστο και ότι κάποιο πρόσθετο περιηγητή δεν αποτρέπει τα αιτήματα.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Δεν είναι δυνατή η σύνδεση στον κεντρικό διακομιστή μέσω HTTP όταν μια διεύθυνση HTTPS βρίσκεται στην μπάρα του περιηγητή. Είτε χρησιμοποιήστε HTTPS ή ενεργοποιήστε τα μη ασφαλή σενάρια εντολών.", - "This room is not accessible by remote Matrix servers": "Αυτό το δωμάτιο δεν είναι προσβάσιμο από απομακρυσμένους διακομιστές Matrix", "You need to be able to invite users to do that.": "Για να το κάνετε αυτό πρέπει να έχετε τη δυνατότητα να προσκαλέσετε χρήστες.", "You seem to be uploading files, are you sure you want to quit?": "Φαίνεται ότι αποστέλετε αρχεία, είστε βέβαιοι ότι θέλετε να αποχωρήσετε;", "Reject all %(invitedRooms)s invites": "Απόρριψη όλων των προσκλήσεων %(invitedRooms)s", @@ -180,9 +161,7 @@ "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Το αρχείο εξαγωγής θα είναι προστατευμένο με συνθηματικό. Θα χρειαστεί να πληκτρολογήσετε το συνθηματικό εδώ για να αποκρυπτογραφήσετε το αρχείο.", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Αν χρησιμοποιούσατε προηγουμένως μια πιο πρόσφατη έκδοση του %(brand)s, η συνεδρία σας ίσως είναι μη συμβατή με αυτήν την έκδοση. Κλείστε αυτό το παράθυρο και επιστρέψτε στην πιο πρόσφατη έκδοση.", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Θα μεταφερθείτε σε έναν ιστότοπου τρίτου για να πραγματοποιηθεί η πιστοποίηση του λογαριασμού σας με το %(integrationsUrl)s. Θα θέλατε να συνεχίσετε;", - "Do you want to set an email address?": "Θέλετε να ορίσετε μια διεύθυνση ηλεκτρονικής αλληλογραφίας;", "This will allow you to reset your password and receive notifications.": "Αυτό θα σας επιτρέψει να επαναφέρετε τον κωδικό πρόσβαση σας και θα μπορείτε να λαμβάνετε ειδοποιήσεις.", - "Check for update": "Έλεγχος για ενημέρωση", "Sunday": "Κυριακή", "Notification targets": "Στόχοι ειδοποιήσεων", "Today": "Σήμερα", @@ -192,7 +171,6 @@ "Unavailable": "Μη διαθέσιμο", "Send": "Αποστολή", "Source URL": "Πηγαίο URL", - "No update available.": "Δεν υπάρχει διαθέσιμη ενημέρωση.", "Tuesday": "Τρίτη", "Unnamed room": "Ανώνυμο δωμάτιο", "Saturday": "Σάββατο", @@ -205,7 +183,6 @@ "Thursday": "Πέμπτη", "Search…": "Αναζήτηση…", "Yesterday": "Χθές", - "Error encountered (%(errorDetail)s).": "Παρουσιάστηκε σφάλμα (%(errorDetail)s).", "Low Priority": "Χαμηλή προτεραιότητα", "AM": "ΠΜ", "PM": "ΜΜ", @@ -595,8 +572,6 @@ "Loading new room": "Φόρτωση νέου δωματίου", "Upgrading room": "Αναβάθμιση δωματίου", "Space members": "Μέλη χώρου", - "not found": "δε βρέθηκε", - "Passwords don't match": "Οι κωδικοί πρόσβασης δεν ταιριάζουν", "Space options": "Επιλογές χώρου", "Recommended for public spaces.": "Προτείνεται για δημόσιους χώρους.", "Preview Space": "Προεπισκόπηση Χώρου", @@ -655,7 +630,6 @@ "Cannot reach homeserver": "Δεν είναι δυνατή η πρόσβαση στον κεντρικό διακομιστή", "Developer": "Προγραμματιστής", "Experimental": "Πειραματικό", - "Encryption": "Κρυπτογράφηση", "Themes": "Θέματα", "Widgets": "Μικροεφαρμογές", "Spaces": "Χώροι", @@ -709,16 +683,6 @@ "Lion": "Λιοντάρι", "Cat": "Γάτα", "Dog": "Σκύλος", - "Cancelling…": "Ακύρωση…", - "Waiting for %(displayName)s to verify…": "Αναμονή για επαλήθευση του %(displayName)s…", - "Waiting for you to verify on your other device…": "Αναμονή για επαλήθευση στην άλλη συσκευή σας…", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Αναμονή για επαλήθευση στην άλλη συσκευή σας, %(deviceName)s (%(deviceId)s)…", - "Unable to find a supported verification method.": "Δεν είναι δυνατή η εύρεση μιας υποστηριζόμενης μεθόδου επαλήθευσης.", - "Verify this user by confirming the following number appears on their screen.": "Επαληθεύστε αυτόν τον χρήστη επιβεβαιώνοντας ότι ο ακόλουθος αριθμός εμφανίζεται στην οθόνη του.", - "Verify this device by confirming the following number appears on its screen.": "Επαληθεύστε αυτήν τη συσκευή επιβεβαιώνοντας ότι ο ακόλουθος αριθμός εμφανίζεται στην οθόνη της.", - "Verify this user by confirming the following emoji appear on their screen.": "Επαληθεύστε αυτόν τον χρήστη επιβεβαιώνοντας ότι τα ακόλουθα emoji εμφανίζονται στην οθόνη του.", - "Confirm the emoji below are displayed on both devices, in the same order:": "Επιβεβαιώστε ότι τα παρακάτω emoji εμφανίζονται και στις δύο συσκευές, με την ίδια σειρά:", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Τα ασφαλή μηνύματα με αυτόν τον χρήστη είναι κρυπτογραφημένα από άκρο σε άκρο και δεν μπορούν να διαβαστούν από τρίτους.", "More": "Περισσότερα", "Hide sidebar": "Απόκρυψη πλαϊνής μπάρας", "Show sidebar": "Εμφάνιση πλαϊνής μπάρας", @@ -758,24 +722,11 @@ "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Είσαι σίγουρος? Θα χάσετε τα κρυπτογραφημένα μηνύματά σας εάν δε δημιουργηθούν σωστά αντίγραφα ασφαλείας των κλειδιών σας.", "Global": "Γενικές ρυθμίσεις", "Keyword": "Λέξη-κλειδί", - "Self signing private key:": "Αυτόματη υπογραφή ιδιωτικού κλειδιού:", - "not found locally": "δεν βρέθηκε τοπικά", - "cached locally": "αποθηκευμένο τοπικά", - "Master private key:": "Κύριο ιδιωτικό κλειδί:", - "not found in storage": "δεν βρέθηκε στην αποθήκευση", - "in secret storage": "σε μυστική αποθήκευση", - "Cross-signing private keys:": "Διασταυρούμενη υπογραφή ιδιωτικών κλειδιών:", - "in memory": "στη μνήμη", - "Cross-signing public keys:": "Διασταυρούμενη υπογραφή δημόσιων κλειδιών:", "Cross-signing is not set up.": "Η διασταυρούμενη υπογραφή δεν έχει ρυθμιστεί.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Ο λογαριασμός σας έχει ταυτότητα διασταυρούμενης υπογραφής σε μυστικό χώρο αποθήκευσης, αλλά δεν είναι ακόμη αξιόπιστος από αυτήν την συνεδρία.", "Cross-signing is ready but keys are not backed up.": "Η διασταυρούμενη υπογραφή είναι έτοιμη, αλλά δεν δημιουργούνται αντίγραφα ασφαλείας κλειδιών.", "Cross-signing is ready for use.": "Η διασταυρούμενη υπογραφή είναι έτοιμη για χρήση.", "Your homeserver does not support cross-signing.": "Ο κεντρικός σας διακομιστής δεν υποστηρίζει διασταυρούμενη σύνδεση.", - "Channel: ": "Κανάλι: ", - "Workspace: ": "Χώρος εργασίας: ", - "This bridge is managed by .": "Αυτή τη γέφυρα τη διαχειρίζεται ο .", - "This bridge was provisioned by .": "Αυτή η γέφυρα παρέχεται από τον .", "Jump to first invite.": "Μετάβαση στην πρώτη πρόσκληση.", "Jump to first unread room.": "Μετάβαση στο πρώτο μη αναγνωσμένο δωμάτιο.", "You can change these anytime.": "Μπορείτε να τα αλλάξετε ανά πάσα στιγμή.", @@ -808,10 +759,6 @@ "Back up your keys before signing out to avoid losing them.": "Δημιουργήστε αντίγραφα ασφαλείας των κλειδιών σας πριν αποσυνδεθείτε για να μην τα χάσετε.", "Your keys are not being backed up from this session.": "Δεν δημιουργούνται αντίγραφα ασφαλείας των κλειδιών σας από αυτήν την συνεδρία.", "This backup is trusted because it has been restored on this session": "Αυτό το αντίγραφο ασφαλείας είναι αξιόπιστο επειδή έχει αποκατασταθεί σε αυτήν τη συνεδρία", - "Session key:": "Κλειδί συνεδρίας:", - "Session ID:": "Αναγνωριστικό συνεδρίας:", - "exists": "υπάρχει", - "Homeserver feature support:": "Υποστήριξη λειτουργιών κεντρικού διακομιστή:", "Message search initialisation failed": "Η αρχικοποίηση αναζήτησης μηνυμάτων απέτυχε", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "Το %(brand)s δεν μπορεί να αποθηκεύσει με ασφάλεια κρυπτογραφημένα μηνύματα τοπικά ενώ εκτελείται σε πρόγραμμα περιήγησης ιστού. Χρησιμοποιήστε την %(brand)s Επιφάνεια εργασίας για να εμφανίζονται κρυπτογραφημένα μηνύματα στα αποτελέσματα αναζήτησης.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "Λείπουν ορισμένα στοιχεία από το %(brand)s που απαιτούνται για την ασφαλή αποθήκευση κρυπτογραφημένων μηνυμάτων τοπικά. Εάν θέλετε να πειραματιστείτε με αυτό το χαρακτηριστικό, δημιουργήστε μια προσαρμοσμένη %(brand)s επιφάνεια εργασίαςμε προσθήκη στοιχείων αναζήτησης.", @@ -824,10 +771,8 @@ "Display Name": "Εμφανιζόμενο όνομα", "Account management": "Διαχείριση λογαριασμών", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Αποδεχτείτε τους Όρους χρήσης του διακομιστή ταυτότητας (%(serverName)s), ώστε να μπορείτε να είστε ανιχνεύσιμοι μέσω της διεύθυνσης ηλεκτρονικού ταχυδρομείου ή του αριθμού τηλεφώνου.", - "Language and region": "Γλώσσα και περιοχή", "Phone numbers": "Τηλεφωνικοί αριθμοί", "Email addresses": "Διευθύνσεις ηλεκτρονικού ταχυδρομείου", - "New version available. Update now.": "Νέα έκδοση διαθέσιμη. Ενημέρωση τώρα.", "Enter a new identity server": "Εισαγάγετε έναν νέο διακομιστή ταυτότητας", "Do not use an identity server": "Μην χρησιμοποιείτε διακομιστή ταυτότητας", "Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Η χρήση διακομιστή ταυτότητας είναι προαιρετική. Εάν επιλέξετε να μην χρησιμοποιήσετε διακομιστή ταυτότητας, δεν θα μπορείτε να εντοπίσετε άλλους χρήστες και δεν θα μπορείτε να προσκαλέσετε άλλους μέσω email ή τηλεφώνου.", @@ -872,34 +817,8 @@ "other": "& %(count)s περισσότερα" }, "Upgrade required": "Απαιτείται αναβάθμιση", - "Room ID or address of ban list": "Ταυτότητα δωματίου ή διεύθυνση της λίστας απαγορευσων", - "If this isn't what you want, please use a different tool to ignore users.": "Εάν αυτό δεν είναι αυτό που θέλετε, χρησιμοποιήστε ένα διαφορετικό εργαλείο για να αγνοήσετε τους χρήστες.", - "Subscribing to a ban list will cause you to join it!": "Η εγγραφή σε μια λίστα απαγορεύσων θα σας κάνει να εγγραφείτε σε αυτήν!", - "Subscribed lists": "Εγγεγραμμένες λίστες", - "eg: @bot:* or example.org": "π.χ.: @bot:* ή example.org", - "Server or user ID to ignore": "Αναγνωριστικό διακομιστή ή χρήστη για παράβλεψη", - "Personal ban list": "Προσωπική λίστα απαγορεύσεων", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Η αγνόηση των ατόμων γίνεται μέσω λιστών απαγορεύσεων που περιέχουν κανόνες για το ποιος να απαγορεύσει. Η εγγραφή σε μια λίστα απαγορεύσεων σημαίνει ότι οι χρήστες/διακομιστές που έχουν αποκλειστεί από αυτήν τη λίστα θα είναι κρυμμένοι από εσάς.", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Προσθέστε χρήστες και διακομιστές που θέλετε να αγνοήσετε εδώ. Χρησιμοποιήστε αστερίσκους για να ταιριάζουν %(brand)s με οποιονδήποτε χαρακτήρα. Για παράδειγμα, το @bot:* θα αγνοούσε όλους τους χρήστες που έχουν το όνομα 'bot' σε οποιονδήποτε διακομιστή.", - "⚠ These settings are meant for advanced users.": "⚠ Αυτές οι ρυθμίσεις προορίζονται για προχωρημένους χρήστες.", "Ignored users": "Χρήστες που αγνοήθηκαν", - "You are currently subscribed to:": "Αυτήν τη στιγμή είστε εγγεγραμμένοι σε:", - "View rules": "Προβολή κανόνων", - "You are not subscribed to any lists": "Δεν είστε εγγεγραμμένοι σε καμία λίστα", - "You are currently ignoring:": "Αυτήν τη στιγμή αγνοείτε:", - "You have not ignored anyone.": "Δεν έχετε αγνοήσει κανέναν.", - "User rules": "Κανόνες χρήστη", - "Server rules": "Κανόνες διακομιστή", - "Ban list rules - %(roomName)s": "Κανόνες απαγόρευσης λίστας - %(roomName)s", "None": "Κανένα", - "Please try again or view your console for hints.": "Δοκιμάστε ξανά ή δείτε την κονσόλα σας για συμβουλές.", - "Error unsubscribing from list": "Σφάλμα κατά την απεγγραφή από τη λίστα", - "Error removing ignored user/server": "Σφάλμα κατά την αφαίρεση του χρήστη/διακομιστή που αγνοήθηκε", - "Please verify the room ID or address and try again.": "Επαληθεύστε την ταυτότητα ή τη διεύθυνση δωματίου και δοκιμάστε ξανά.", - "Error subscribing to list": "Σφάλμα εγγραφής στη λίστα", - "Something went wrong. Please try again or view your console for hints.": "Κάτι πήγε στραβά. Δοκιμάστε ξανά ή δείτε την κονσόλα σας για συμβουλές.", - "Error adding ignored user/server": "Σφάλμα κατά την προσθήκη χρήστη/διακομιστή που αγνοήθηκε", - "Ignored/Blocked": "Αγνοήθηκε/Αποκλείστηκε", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Για να αναφέρετε ένα ζήτημα ασφάλειας που σχετίζεται με το Matrix, διαβάστε την Πολιτική Γνωστοποίησης Ασφαλείας του Matrix.org.", "Deactivate account": "Απενεργοποίηση λογαριασμού", "Signature upload failed": "Αποτυχία μεταφόρτωσης υπογραφής", @@ -967,12 +886,7 @@ "Bridges": "Γέφυρες", "This room isn't bridging messages to any platforms. Learn more.": "Αυτό το δωμάτιο δε γεφυρώνει μηνύματα σε καμία πλατφόρμα. Μάθετε περισσότερα.", "This room is bridging messages to the following platforms. Learn more.": "Αυτό το δωμάτιο γεφυρώνει μηνύματα στις ακόλουθες πλατφόρμες. Μάθετε περισσότερα.", - "Room version:": "Έκδοση δωματίου:", - "Room version": "Έκδοση δωματίου", - "Internal room ID": "Εσωτερικό ID δωματίου", "Space information": "Πληροφορίες Χώρου", - "View older messages in %(roomName)s.": "Προβολή παλαιότερων μηνυμάτων στο %(roomName)s.", - "Upgrade this room to the recommended room version": "Αναβαθμίστε αυτό το δωμάτιο στην προτεινόμενη έκδοση δωματίου", "Voice & Video": "Φωνή & Βίντεο", "No Audio Outputs detected": "Δεν εντοπίστηκαν Έξοδοι Ήχου", "Audio Output": "Έξοδος ήχου", @@ -995,7 +909,6 @@ "Sidebar": "Πλαϊνή μπάρα", "Accept all %(invitedRooms)s invites": "Αποδεχτείτε όλες τις %(invitedRooms)sπροσκλήσεις", "You have no ignored users.": "Δεν έχετε χρήστες που έχετε αγνοήσει.", - "User signing private key:": "Ιδιωτικό κλειδί για υπογραφή χρήστη:", "Your homeserver doesn't seem to support this feature.": "Ο διακομιστής σας δε φαίνεται να υποστηρίζει αυτήν τη δυνατότητα.", "If they don't match, the security of your communication may be compromised.": "Εάν δεν ταιριάζουν, η ασφάλεια της επικοινωνίας σας μπορεί να τεθεί σε κίνδυνο.", "Session key": "Κλειδί συνεδρίας", @@ -1079,7 +992,6 @@ "Update any local room aliases to point to the new room": "Ενημερώστε τυχόν τοπικά ψευδώνυμα δωματίου για να οδηγούν στο νέο δωμάτιο", "Create a new room with the same name, description and avatar": "Δημιουργήστε ένα νέο δωμάτιο με το ίδιο όνομα, περιγραφή και avatar", "Please note you are logging into the %(hs)s server, not matrix.org.": "Σημειώστε ότι συνδέεστε στον διακομιστή %(hs)s, όχι στο matrix.org.", - "A text message has been sent to %(msisdn)s": "Ένα μήνυμα κειμένου έχει σταλεί στη διεύθυνση %(msisdn)s", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Η διαγραφή μιας μικροεφαρμογής την καταργεί για όλους τους χρήστες σε αυτό το δωμάτιο. Είστε βέβαιοι ότι θέλετε να τη διαγράψετε;", "Delete Widget": "Διαγραφή Μικροεφαρμογής", "Delete widget": "Διαγραφή μικροεφαρμογής", @@ -1093,17 +1005,6 @@ "Couldn't load page": "Δεν ήταν δυνατή η φόρτωση της σελίδας", "Error downloading audio": "Σφάλμα λήψης ήχου", "Sign in with SSO": "Συνδεθείτε με SSO", - "Use an email address to recover your account": "Χρησιμοποιήστε μια διεύθυνση email για να ανακτήσετε τον λογαριασμό σας", - "That phone number doesn't look quite right, please check and try again": "Αυτός ο αριθμός τηλεφώνου δε φαίνεται σωστός, ελέγξτε και δοκιμάστε ξανά", - "Enter phone number": "Εισάγετε αριθμό τηλεφώνου", - "Enter username": "Εισάγετε όνομα χρήστη", - "Password is allowed, but unsafe": "Έγκυρος κωδικός πρόσβασης, αλλά δεν είναι ασφαλής", - "Nice, strong password!": "Πολύ καλά, ισχυρός κωδικός πρόσβασης!", - "Enter password": "Εισάγετε τον κωδικό πρόσβασης", - "Something went wrong in confirming your identity. Cancel and try again.": "Κάτι πήγε στραβά στην επιβεβαίωση της ταυτότητάς σας. Ακυρώστε και δοκιμάστε ξανά.", - "Confirm your identity by entering your account password below.": "Ταυτοποιηθείτε εισάγοντας παρακάτω τον κωδικό πρόσβασης του λογαριασμού σας.", - "Doesn't look like a valid email address": "Δε μοιάζει με έγκυρη διεύθυνση email", - "Enter email address": "Εισάγετε διεύθυνση email", "This room is public": "Αυτό το δωμάτιο είναι δημόσιο", "Move right": "Μετακίνηση δεξιά", "Move left": "Μετακίνηση αριστερά", @@ -1211,7 +1112,6 @@ "Failed to send logs: ": "Αποτυχία αποστολής αρχείων καταγραφής: ", "Thank you!": "Ευχαριστώ!", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Δε θα μπορείτε να αναιρέσετε αυτήν την ενέργεια καθώς υποβιβάζετε τον εαυτό σας, εάν είστε ο τελευταίος προνομιούχος χρήστης στο δωμάτιο, θα είναι αδύνατο να ανακτήσετε τα προνόμια.", - "Old cryptography data detected": "Εντοπίστηκαν παλιά δεδομένα κρυπτογράφησης", "expand": "επέκταση", "collapse": "σύμπτηξη", "%(name)s wants to verify": "%(name)s θέλει να επαληθεύσει", @@ -1426,7 +1326,6 @@ "This room is running room version , which this homeserver has marked as unstable.": "Αυτό το δωμάτιο τρέχει την έκδοση , την οποία ο κεντρικός διακομιστής έχει επισημάνει ως ασταθής.", "This room has already been upgraded.": "Αυτό το δωμάτιο έχει ήδη αναβαθμιστεί.", "Discovery": "Ανακάλυψη", - "Got It": "Κατανοώ", "Sending": "Αποστολή", "You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "Μπορείτε να χρησιμοποιήσετε τις προσαρμοσμένες επιλογές διακομιστή για να συνδεθείτε σε άλλους διακομιστές Matrix, καθορίζοντας μια διαφορετική διεύθυνση URL του κεντρικού διακομιστή. Αυτό σας επιτρέπει να χρησιμοποιείτε το %(brand)s με έναν υπάρχοντα λογαριασμό Matrix σε διαφορετικό τοπικό διακομιστή.", "Message preview": "Προεπισκόπηση μηνύματος", @@ -1487,22 +1386,6 @@ "e.g. my-room": "π.χ. my-room", "Room address": "Διεύθυνση δωματίου", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Αδυναμία φόρτωσης του συμβάντος στο οποίο δόθηκε απάντηση, είτε δεν υπάρχει είτε δεν έχετε άδεια να το προβάλετε.", - "Results are only revealed when you end the poll": "Τα αποτελέσματα αποκαλύπτονται μόνο όταν τελειώσετε τη δημοσκόπηση", - "Voters see results as soon as they have voted": "Οι ψηφοφόροι βλέπουν τα αποτελέσματα μόλις ψηφίσουν", - "Add option": "Προσθήκη επιλογής", - "Write an option": "Γράψτε μια επιλογή", - "Option %(number)s": "Επιλογή %(number)s", - "Create options": "Δημιουργία επιλογών", - "Question or topic": "Ερώτηση ή θέμα", - "What is your poll question or topic?": "Ποια είναι η ερώτηση ή το θέμα της δημοσκόπησης;", - "Closed poll": "Κλειστή δημοσκόπηση", - "Open poll": "Ανοιχτή δημοσκόπηση", - "Poll type": "Τύπος δημοσκόπησης", - "Sorry, the poll you tried to create was not posted.": "Λυπούμαστε, η δημοσκόπηση που προσπαθήσατε να δημιουργήσετε δε δημοσιεύτηκε.", - "Failed to post poll": "Αποτυχία δημοσίευσης δημοσκόπησης", - "Edit poll": "Επεξεργασία δημοσκόπησης", - "Create Poll": "Δημιουργία δημοσκόπησης", - "Create poll": "Δημιουργία δημοσκόπησης", "Language Dropdown": "Επιλογή Γλώσσας", "Information": "Πληροφορίες", "Rotate Right": "Περιστροφή δεξιά", @@ -1595,7 +1478,6 @@ "Device verified": "Η συσκευή επαληθεύτηκε", "Verify this device": "Επαληθεύστε αυτήν τη συσκευή", "Unable to verify this device": "Αδυναμία επαλήθευσης αυτής της συσκευής", - "Original event source": "Αρχική πηγή συμβάντος", "Could not load user profile": "Αδυναμία φόρτωσης του προφίλ χρήστη", "Switch theme": "Αλλαγή θέματος", " invites you": " σας προσκαλεί", @@ -1604,29 +1486,16 @@ "Rooms and spaces": "Δωμάτια και Χώροι", "Results": "Αποτελέσματα", "You may want to try a different search or check for typos.": "Μπορεί να θέλετε να δοκιμάσετε μια διαφορετική αναζήτηση ή να ελέγξετε για ορθογραφικά λάθη.", - "Review terms and conditions": "Ελέγξτε τους όρους και τις προϋποθέσεις", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Για να συνεχίσετε να χρησιμοποιείτε τον κεντρικό διακομιστή %(homeserverDomain)s πρέπει να διαβάσετε και να συμφωνήσετε με τους όρους και τις προϋποθέσεις μας.", - "Terms and Conditions": "Οροι και Προϋποθέσεις", "Open dial pad": "Άνοιγμα πληκτρολογίου κλήσης", "Unnamed audio": "Ήχος χωρίς όνομα", - "Enter phone number (required on this homeserver)": "Εισαγάγετε τον αριθμό τηλεφώνου (απαιτείται σε αυτόν τον κεντρικό διακομιστή)", - "Other users can invite you to rooms using your contact details": "Άλλοι χρήστες μπορούν να σας προσκαλέσουν σε δωμάτια χρησιμοποιώντας τα στοιχεία επικοινωνίας σας", - "Enter email address (required on this homeserver)": "Εισαγάγετε τη διεύθυνση email (απαιτείται σε αυτόν τον κεντρικό διακομιστή)", - "Please review and accept the policies of this homeserver:": "Παρακαλώ διαβάστε και αποδεχτείτε όλες τις πολιτικές αυτού του κεντρικού διακομιστή:", - "Please review and accept all of the homeserver's policies": "Παρακαλώ διαβάστε και αποδεχτείτε όλες τις πολιτικές του κεντρικού διακομιστή", "Country Dropdown": "Αναπτυσσόμενο μενού Χώρας", "This homeserver would like to make sure you are not a robot.": "Αυτός ο κεντρικός διακομιστής θα ήθελε να βεβαιωθεί ότι δεν είστε ρομπότ.", "You are sharing your live location": "Μοιράζεστε την τρέχουσα τοποθεσία σας", "You don't have permission": "Δεν έχετε άδεια", - "You have %(count)s unread notifications in a prior version of this room.": { - "one": "Έχετε %(count)s μη αναγνωσμένη ειδοποιήση σε προηγούμενη έκδοση αυτού του δωματίου.", - "other": "Έχετε %(count)s μη αναγνωσμένες ειδοποιήσεις σε προηγούμενη έκδοση αυτού του δωματίου." - }, "You can select all or individual messages to retry or delete": "Μπορείτε να επιλέξετε όλα ή μεμονωμένα μηνύματα για επανάληψη ή διαγραφή", "Retry all": "Επανάληψη όλων", "Delete all": "Διαγραφή όλων", "Some of your messages have not been sent": "Μερικά από τα μηνύματα σας δεν έχουν αποσταλεί", - "Verification requested": "Ζητήθηκε επαλήθευση", "Search spaces": "Αναζήτηση χώρων", "Updating %(brand)s": "Ενημέρωση %(brand)s", "Unable to upload": "Αδυναμία μεταφόρτωσης", @@ -1745,7 +1614,6 @@ "Homeserver URL does not appear to be a valid Matrix homeserver": "Η διεύθυνση URL του κεντρικού διακομιστή δε φαίνεται να αντιστοιχεί σε έγκυρο διακομιστή Matrix", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Το μήνυμά σας δεν στάλθηκε επειδή αυτός ο κεντρικός διακομιστής έχει υπερβεί ένα όριο πόρων. Παρακαλώ επικοινωνήστε με τον διαχειριστή για να συνεχίσετε να χρησιμοποιείτε την υπηρεσία.", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Το μήνυμά σας δε στάλθηκε επειδή αυτός ο κεντρικός διακομιστής έχει φτάσει το μηνιαίο όριο ενεργού χρήστη. Παρακαλώ επικοινωνήστε με τον διαχειριστή για να συνεχίσετε να χρησιμοποιείτε την υπηρεσία.", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Λείπει το δημόσιο κλειδί captcha από τη διαμόρφωση του κεντρικού διακομιστή. Αναφέρετε αυτό στον διαχειριστή του.", "The integration manager is offline or it cannot reach your homeserver.": "Ο διαχειριστής πρόσθετων είναι εκτός σύνδεσης ή δεν μπορεί να επικοινωνήσει με κεντρικό διακομιστή σας.", "The widget will verify your user ID, but won't be able to perform actions for you:": "Η μικροεφαρμογή θα επαληθεύσει το αναγνωριστικό χρήστη σας, αλλά δε θα μπορεί να εκτελέσει ενέργειες για εσάς:", "Allow this widget to verify your identity": "Επιτρέψτε σε αυτήν τη μικροεφαρμογή να επαληθεύσει την ταυτότητά σας", @@ -1777,8 +1645,6 @@ "Forget this space": "Ξεχάστε αυτόν τον χώρο", "You were removed by %(memberName)s": "Αφαιρεθήκατε από %(memberName)s", "Loading preview": "Φόρτωση προεπισκόπησης", - "View older version of %(spaceName)s.": "Προβολή παλαιότερης έκδοσης του %(spaceName)s.", - "Upgrade this space to the recommended room version": "Αναβαθμίστε αυτόν τον χώρο στην προτεινόμενη έκδοση δωματίου", "Set up": "Εγκατάσταση", "Failed to join": "Αποτυχία συμμετοχής", "The person who invited you has already left, or their server is offline.": "Το άτομο που σας προσκάλεσε έχει ήδη αποχωρήσει ή ο διακομιστής του είναι εκτός σύνδεσης.", @@ -1796,7 +1662,6 @@ "Failed to invite users to %(roomName)s": "Αποτυχία πρόσκλησης χρηστών στο %(roomName)s", "Joined": "Συνδέθηκε", "Joining": "Συνδέετε", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Έχουν εντοπιστεί δεδομένα από μια παλαιότερη έκδοση του %(brand)s. Αυτό θα έχει προκαλέσει δυσλειτουργία της κρυπτογράφησης από άκρο σε άκρο στην παλαιότερη έκδοση. Τα κρυπτογραφημένα μηνύματα από άκρο σε άκρο που ανταλλάχθηκαν πρόσφατα κατά τη χρήση της παλαιότερης έκδοσης ενδέχεται να μην μπορούν να αποκρυπτογραφηθούν σε αυτήν την έκδοση. Αυτό μπορεί επίσης να προκαλέσει την αποτυχία των μηνυμάτων που ανταλλάσσονται με αυτήν την έκδοση. Εάν αντιμετωπίζετε προβλήματα, αποσυνδεθείτε και συνδεθείτε ξανά. Για να διατηρήσετε το ιστορικό μηνυμάτων, εξάγετε και εισαγάγετε ξανά τα κλειδιά σας.", "Avatar": "Avatar", "Forget": "Ξεχάστε", "Resend %(unsentCount)s reaction(s)": "Επανάληψη αποστολής %(unsentCount)s αντιδράσεων", @@ -1861,7 +1726,6 @@ "Private room": "Ιδιωτικό δωμάτιο", "Your password was successfully changed.": "Ο κωδικός πρόσβασης σας άλλαξε με επιτυχία.", "Unread email icon": "Εικονίδιο μη αναγνωσμένου μηνύματος", - "Check your email to continue": "Ελέγξτε το email σας για να συνεχίσετε", "Start a group chat": "Ξεκινήστε μια ομαδική συνομιλία", "Other options": "Αλλες επιλογές", "Some results may be hidden": "Ορισμένα αποτελέσματα ενδέχεται να είναι κρυμμένα", @@ -1879,7 +1743,6 @@ "You will no longer be able to log in": "Δεν θα μπορείτε πλέον να συνδεθείτε", "Confirm that you would like to deactivate your account. If you proceed:": "Επιβεβαιώστε ότι θέλετε να απενεργοποιήσετε τον λογαριασμό σας. Εάν προχωρήσετε:", "Add new server…": "Προσθήκη νέου διακομιστή…", - "Edit topic": "Επεξεργασία θέματος", "Ban from space": "Αποκλεισμός από τον χώρο", "Unban from space": "Αναίρεση αποκλεισμού από τον χώρο", "Disinvite from room": "Ακύρωση πρόσκλησης από το δωμάτιο", @@ -2130,7 +1993,11 @@ "automatic_debug_logs_key_backup": "Αυτόματη αποστολή αρχείων καταγραφής εντοπισμού σφαλμάτων όταν η δημιουργία αντίγραφου κλειδιού ασφαλείας δεν λειτουργεί", "automatic_debug_logs_decryption": "Αυτόματη αποστολή αρχείων καταγραφής εντοπισμού σφαλμάτων για σφάλματα αποκρυπτογράφησης", "automatic_debug_logs": "Αυτόματη αποστολή αρχείων καταγραφής εντοπισμού σφαλμάτων για οποιοδήποτε σφάλμα", - "video_rooms_beta": "Οι αίθουσες βίντεο είναι μια λειτουργία beta" + "video_rooms_beta": "Οι αίθουσες βίντεο είναι μια λειτουργία beta", + "bridge_state_creator": "Αυτή η γέφυρα παρέχεται από τον .", + "bridge_state_manager": "Αυτή τη γέφυρα τη διαχειρίζεται ο .", + "bridge_state_workspace": "Χώρος εργασίας: ", + "bridge_state_channel": "Κανάλι: " }, "keyboard": { "home": "Αρχική", @@ -2380,7 +2247,26 @@ "send_analytics": "Αποστολή δεδομένων αναλυτικών στοιχείων", "strict_encryption": "Μη στέλνετε ποτέ κρυπτογραφημένα μηνύματα σε μη επαληθευμένες συνεδρίες από αυτήν τη συνεδρία", "enable_message_search": "Ενεργοποίηση αναζήτησης μηνυμάτων σε κρυπτογραφημένα δωμάτια", - "manually_verify_all_sessions": "Επαληθεύστε χειροκίνητα όλες τις απομακρυσμένες συνεδρίες" + "manually_verify_all_sessions": "Επαληθεύστε χειροκίνητα όλες τις απομακρυσμένες συνεδρίες", + "cross_signing_public_keys": "Διασταυρούμενη υπογραφή δημόσιων κλειδιών:", + "cross_signing_in_memory": "στη μνήμη", + "cross_signing_not_found": "δε βρέθηκε", + "cross_signing_private_keys": "Διασταυρούμενη υπογραφή ιδιωτικών κλειδιών:", + "cross_signing_in_4s": "σε μυστική αποθήκευση", + "cross_signing_not_in_4s": "δεν βρέθηκε στην αποθήκευση", + "cross_signing_master_private_Key": "Κύριο ιδιωτικό κλειδί:", + "cross_signing_cached": "αποθηκευμένο τοπικά", + "cross_signing_not_cached": "δεν βρέθηκε τοπικά", + "cross_signing_self_signing_private_key": "Αυτόματη υπογραφή ιδιωτικού κλειδιού:", + "cross_signing_user_signing_private_key": "Ιδιωτικό κλειδί για υπογραφή χρήστη:", + "cross_signing_homeserver_support": "Υποστήριξη λειτουργιών κεντρικού διακομιστή:", + "cross_signing_homeserver_support_exists": "υπάρχει", + "export_megolm_keys": "Εξαγωγή κλειδιών κρυπτογράφησης για το δωμάτιο", + "import_megolm_keys": "Εισαγωγή κλειδιών E2E", + "cryptography_section": "Κρυπτογραφία", + "session_id": "Αναγνωριστικό συνεδρίας:", + "session_key": "Κλειδί συνεδρίας:", + "encryption_section": "Κρυπτογράφηση" }, "preferences": { "room_list_heading": "Λίστα δωματίων", @@ -2422,6 +2308,10 @@ "one": "Αποσύνδεση συσκευής", "other": "Αποσύνδεση συσκευών" } + }, + "general": { + "account_section": "Λογαριασμός", + "language_section": "Γλώσσα και περιοχή" } }, "devtools": { @@ -2494,7 +2384,8 @@ "title": "Εργαλεία προγραμματιστή", "show_hidden_events": "Εμφάνιση κρυφών συμβάντων στη γραμμή χρόνου", "developer_mode": "Λειτουργία για προγραμματιστές", - "view_source_decrypted_event_source": "Αποκρυπτογραφημένη πηγή συμβάντος" + "view_source_decrypted_event_source": "Αποκρυπτογραφημένη πηγή συμβάντος", + "original_event_source": "Αρχική πηγή συμβάντος" }, "export_chat": { "html": "HTML", @@ -3081,6 +2972,16 @@ "url_preview_encryption_warning": "Σε κρυπτογραφημένα δωμάτια, όπως αυτό, οι προεπισκόπηση URL είναι απενεργοποιημένη από προεπιλογή για να διασφαλιστεί ότι ο κεντρικός σας διακομιστής (όπου δημιουργείται μια προεπισκόπηση) δεν μπορεί να συγκεντρώσει πληροφορίες σχετικά με συνδέσμους που βλέπετε σε αυτό το δωμάτιο.", "url_preview_explainer": "Όταν κάποιος εισάγει μια διεύθυνση URL στο μήνυμά του, μπορεί να εμφανιστεί μια προεπισκόπηση του URL για να δώσει περισσότερες πληροφορίες σχετικά με αυτόν τον σύνδεσμο, όπως τον τίτλο, την περιγραφή και μια εικόνα από τον ιστότοπο.", "url_previews_section": "Προεπισκόπηση συνδέσμων" + }, + "advanced": { + "unfederated": "Αυτό το δωμάτιο δεν είναι προσβάσιμο από απομακρυσμένους διακομιστές Matrix", + "space_upgrade_button": "Αναβαθμίστε αυτόν τον χώρο στην προτεινόμενη έκδοση δωματίου", + "room_upgrade_button": "Αναβαθμίστε αυτό το δωμάτιο στην προτεινόμενη έκδοση δωματίου", + "space_predecessor": "Προβολή παλαιότερης έκδοσης του %(spaceName)s.", + "room_predecessor": "Προβολή παλαιότερων μηνυμάτων στο %(roomName)s.", + "room_id": "Εσωτερικό ID δωματίου", + "room_version_section": "Έκδοση δωματίου", + "room_version": "Έκδοση δωματίου:" } }, "encryption": { @@ -3095,8 +2996,22 @@ "qr_prompt": "Σαρώστε αυτόν τον μοναδικό κωδικό", "sas_prompt": "Συγκρίνετε μοναδικά emoji", "sas_description": "Συγκρίνετε ένα μοναδικό σύνολο emoji εάν δεν έχετε κάμερα σε καμία από τις δύο συσκευές", - "qr_or_sas_header": "Επαληθεύστε αυτήν τη συσκευή συμπληρώνοντας ένα από τα παρακάτω:" - } + "qr_or_sas_header": "Επαληθεύστε αυτήν τη συσκευή συμπληρώνοντας ένα από τα παρακάτω:", + "explainer": "Τα ασφαλή μηνύματα με αυτόν τον χρήστη είναι κρυπτογραφημένα από άκρο σε άκρο και δεν μπορούν να διαβαστούν από τρίτους.", + "complete_action": "Κατανοώ", + "sas_emoji_caption_self": "Επιβεβαιώστε ότι τα παρακάτω emoji εμφανίζονται και στις δύο συσκευές, με την ίδια σειρά:", + "sas_emoji_caption_user": "Επαληθεύστε αυτόν τον χρήστη επιβεβαιώνοντας ότι τα ακόλουθα emoji εμφανίζονται στην οθόνη του.", + "sas_caption_self": "Επαληθεύστε αυτήν τη συσκευή επιβεβαιώνοντας ότι ο ακόλουθος αριθμός εμφανίζεται στην οθόνη της.", + "sas_caption_user": "Επαληθεύστε αυτόν τον χρήστη επιβεβαιώνοντας ότι ο ακόλουθος αριθμός εμφανίζεται στην οθόνη του.", + "unsupported_method": "Δεν είναι δυνατή η εύρεση μιας υποστηριζόμενης μεθόδου επαλήθευσης.", + "waiting_other_device_details": "Αναμονή για επαλήθευση στην άλλη συσκευή σας, %(deviceName)s (%(deviceId)s)…", + "waiting_other_device": "Αναμονή για επαλήθευση στην άλλη συσκευή σας…", + "waiting_other_user": "Αναμονή για επαλήθευση του %(displayName)s…", + "cancelling": "Ακύρωση…" + }, + "old_version_detected_title": "Εντοπίστηκαν παλιά δεδομένα κρυπτογράφησης", + "old_version_detected_description": "Έχουν εντοπιστεί δεδομένα από μια παλαιότερη έκδοση του %(brand)s. Αυτό θα έχει προκαλέσει δυσλειτουργία της κρυπτογράφησης από άκρο σε άκρο στην παλαιότερη έκδοση. Τα κρυπτογραφημένα μηνύματα από άκρο σε άκρο που ανταλλάχθηκαν πρόσφατα κατά τη χρήση της παλαιότερης έκδοσης ενδέχεται να μην μπορούν να αποκρυπτογραφηθούν σε αυτήν την έκδοση. Αυτό μπορεί επίσης να προκαλέσει την αποτυχία των μηνυμάτων που ανταλλάσσονται με αυτήν την έκδοση. Εάν αντιμετωπίζετε προβλήματα, αποσυνδεθείτε και συνδεθείτε ξανά. Για να διατηρήσετε το ιστορικό μηνυμάτων, εξάγετε και εισαγάγετε ξανά τα κλειδιά σας.", + "verification_requested_toast_title": "Ζητήθηκε επαλήθευση" }, "emoji": { "category_frequently_used": "Συχνά χρησιμοποιούμενα", @@ -3192,7 +3107,44 @@ "phone_optional_label": "Τηλέφωνο (προαιρετικό)", "email_help_text": "Προσθέστε ένα email για να μπορείτε να κάνετε επαναφορά του κωδικού πρόσβασης σας.", "email_phone_discovery_text": "Χρησιμοποιήστε email ή τηλέφωνο για να είστε προαιρετικά ανιχνεύσιμος από υπάρχουσες επαφές.", - "email_discovery_text": "Χρησιμοποιήστε email για να είστε προαιρετικά ανιχνεύσιμος από υπάρχουσες επαφές." + "email_discovery_text": "Χρησιμοποιήστε email για να είστε προαιρετικά ανιχνεύσιμος από υπάρχουσες επαφές.", + "session_logged_out_title": "Αποσυνδέθηκε", + "session_logged_out_description": "Για λόγους ασφαλείας, αυτή η συνεδρία έχει τερματιστεί. Παρακαλούμε συνδεθείτε ξανά.", + "change_password_mismatch": "Οι νέοι κωδικοί πρόσβασης είναι διαφορετικοί", + "change_password_empty": "Οι κωδικοί πρόσβασης δεν γίνετε να είναι κενοί", + "set_email_prompt": "Θέλετε να ορίσετε μια διεύθυνση ηλεκτρονικής αλληλογραφίας;", + "change_password_confirm_label": "Επιβεβαίωση κωδικού πρόσβασης", + "change_password_confirm_invalid": "Οι κωδικοί πρόσβασης δεν ταιριάζουν", + "change_password_current_label": "Τωρινός κωδικός πρόσβασης", + "change_password_new_label": "Νέος κωδικός πρόσβασης", + "change_password_action": "Αλλαγή κωδικού πρόσβασης", + "email_field_label": "Ηλεκτρονική διεύθυνση", + "email_field_label_required": "Εισάγετε διεύθυνση email", + "email_field_label_invalid": "Δε μοιάζει με έγκυρη διεύθυνση email", + "uia": { + "password_prompt": "Ταυτοποιηθείτε εισάγοντας παρακάτω τον κωδικό πρόσβασης του λογαριασμού σας.", + "recaptcha_missing_params": "Λείπει το δημόσιο κλειδί captcha από τη διαμόρφωση του κεντρικού διακομιστή. Αναφέρετε αυτό στον διαχειριστή του.", + "terms_invalid": "Παρακαλώ διαβάστε και αποδεχτείτε όλες τις πολιτικές του κεντρικού διακομιστή", + "terms": "Παρακαλώ διαβάστε και αποδεχτείτε όλες τις πολιτικές αυτού του κεντρικού διακομιστή:", + "email_auth_header": "Ελέγξτε το email σας για να συνεχίσετε", + "msisdn_token_incorrect": "Εσφαλμένο διακριτικό", + "msisdn": "Ένα μήνυμα κειμένου έχει σταλεί στη διεύθυνση %(msisdn)s", + "msisdn_token_prompt": "Παρακαλούμε εισάγετε τον κωδικό που περιέχει:", + "sso_failed": "Κάτι πήγε στραβά στην επιβεβαίωση της ταυτότητάς σας. Ακυρώστε και δοκιμάστε ξανά.", + "fallback_button": "Έναρξη πιστοποίησης" + }, + "password_field_label": "Εισάγετε τον κωδικό πρόσβασης", + "password_field_strong_label": "Πολύ καλά, ισχυρός κωδικός πρόσβασης!", + "password_field_weak_label": "Έγκυρος κωδικός πρόσβασης, αλλά δεν είναι ασφαλής", + "username_field_required_invalid": "Εισάγετε όνομα χρήστη", + "msisdn_field_required_invalid": "Εισάγετε αριθμό τηλεφώνου", + "msisdn_field_number_invalid": "Αυτός ο αριθμός τηλεφώνου δε φαίνεται σωστός, ελέγξτε και δοκιμάστε ξανά", + "msisdn_field_label": "Τηλέφωνο", + "identifier_label": "Συνδεθείτε με", + "reset_password_email_field_description": "Χρησιμοποιήστε μια διεύθυνση email για να ανακτήσετε τον λογαριασμό σας", + "reset_password_email_field_required_invalid": "Εισαγάγετε τη διεύθυνση email (απαιτείται σε αυτόν τον κεντρικό διακομιστή)", + "msisdn_field_description": "Άλλοι χρήστες μπορούν να σας προσκαλέσουν σε δωμάτια χρησιμοποιώντας τα στοιχεία επικοινωνίας σας", + "registration_msisdn_field_required_invalid": "Εισαγάγετε τον αριθμό τηλεφώνου (απαιτείται σε αυτόν τον κεντρικό διακομιστή)" }, "room_list": { "sort_unread_first": "Εμφάνιση δωματίων με μη αναγνωσμένα μηνύματα πρώτα", @@ -3363,7 +3315,11 @@ "see_changes_button": "Τι νέο υπάρχει;", "release_notes_toast_title": "Τι νέο υπάρχει", "toast_title": "Ενημέρωση %(brand)s", - "toast_description": "Διατίθεται νέα έκδοση του %(brand)s" + "toast_description": "Διατίθεται νέα έκδοση του %(brand)s", + "error_encountered": "Παρουσιάστηκε σφάλμα (%(errorDetail)s).", + "no_update": "Δεν υπάρχει διαθέσιμη ενημέρωση.", + "new_version_available": "Νέα έκδοση διαθέσιμη. Ενημέρωση τώρα.", + "check_action": "Έλεγχος για ενημέρωση" }, "threads": { "all_threads": "Όλα τα νήματα", @@ -3408,7 +3364,34 @@ }, "labs_mjolnir": { "room_name": "Η λίστα απαγορεύσεων μου", - "room_topic": "Αυτή είναι η λίστα με τους χρήστες/διακομιστές που έχετε αποκλείσει - μην φύγετε από το δωμάτιο!" + "room_topic": "Αυτή είναι η λίστα με τους χρήστες/διακομιστές που έχετε αποκλείσει - μην φύγετε από το δωμάτιο!", + "ban_reason": "Αγνοήθηκε/Αποκλείστηκε", + "error_adding_ignore": "Σφάλμα κατά την προσθήκη χρήστη/διακομιστή που αγνοήθηκε", + "something_went_wrong": "Κάτι πήγε στραβά. Δοκιμάστε ξανά ή δείτε την κονσόλα σας για συμβουλές.", + "error_adding_list_title": "Σφάλμα εγγραφής στη λίστα", + "error_adding_list_description": "Επαληθεύστε την ταυτότητα ή τη διεύθυνση δωματίου και δοκιμάστε ξανά.", + "error_removing_ignore": "Σφάλμα κατά την αφαίρεση του χρήστη/διακομιστή που αγνοήθηκε", + "error_removing_list_title": "Σφάλμα κατά την απεγγραφή από τη λίστα", + "error_removing_list_description": "Δοκιμάστε ξανά ή δείτε την κονσόλα σας για συμβουλές.", + "rules_title": "Κανόνες απαγόρευσης λίστας - %(roomName)s", + "rules_server": "Κανόνες διακομιστή", + "rules_user": "Κανόνες χρήστη", + "personal_empty": "Δεν έχετε αγνοήσει κανέναν.", + "personal_section": "Αυτήν τη στιγμή αγνοείτε:", + "no_lists": "Δεν είστε εγγεγραμμένοι σε καμία λίστα", + "view_rules": "Προβολή κανόνων", + "lists": "Αυτήν τη στιγμή είστε εγγεγραμμένοι σε:", + "title": "Χρήστες που αγνοήθηκαν", + "advanced_warning": "⚠ Αυτές οι ρυθμίσεις προορίζονται για προχωρημένους χρήστες.", + "explainer_1": "Προσθέστε χρήστες και διακομιστές που θέλετε να αγνοήσετε εδώ. Χρησιμοποιήστε αστερίσκους για να ταιριάζουν %(brand)s με οποιονδήποτε χαρακτήρα. Για παράδειγμα, το @bot:* θα αγνοούσε όλους τους χρήστες που έχουν το όνομα 'bot' σε οποιονδήποτε διακομιστή.", + "explainer_2": "Η αγνόηση των ατόμων γίνεται μέσω λιστών απαγορεύσεων που περιέχουν κανόνες για το ποιος να απαγορεύσει. Η εγγραφή σε μια λίστα απαγορεύσεων σημαίνει ότι οι χρήστες/διακομιστές που έχουν αποκλειστεί από αυτήν τη λίστα θα είναι κρυμμένοι από εσάς.", + "personal_heading": "Προσωπική λίστα απαγορεύσεων", + "personal_new_label": "Αναγνωριστικό διακομιστή ή χρήστη για παράβλεψη", + "personal_new_placeholder": "π.χ.: @bot:* ή example.org", + "lists_heading": "Εγγεγραμμένες λίστες", + "lists_description_1": "Η εγγραφή σε μια λίστα απαγορεύσων θα σας κάνει να εγγραφείτε σε αυτήν!", + "lists_description_2": "Εάν αυτό δεν είναι αυτό που θέλετε, χρησιμοποιήστε ένα διαφορετικό εργαλείο για να αγνοήσετε τους χρήστες.", + "lists_new_label": "Ταυτότητα δωματίου ή διεύθυνση της λίστας απαγορευσων" }, "create_space": { "name_required": "Εισαγάγετε ένα όνομα για το χώρο", @@ -3469,6 +3452,11 @@ "private_unencrypted_warning": "Τα προσωπικά σας μηνύματα είναι συνήθως κρυπτογραφημένα, αλλά αυτό το δωμάτιο δεν είναι. Συνήθως αυτό οφείλεται σε μια μη υποστηριζόμενη συσκευή ή μέθοδο που χρησιμοποιείται, όπως προσκλήσεις μέσω email.", "enable_encryption_prompt": "Ενεργοποιήστε την κρυπτογράφηση στις ρυθμίσεις.", "unencrypted_warning": "Η κρυπτογράφηση από άκρο σε άκρο δεν είναι ενεργοποιημένη" + }, + "edit_topic": "Επεξεργασία θέματος", + "unread_notifications_predecessor": { + "one": "Έχετε %(count)s μη αναγνωσμένη ειδοποιήση σε προηγούμενη έκδοση αυτού του δωματίου.", + "other": "Έχετε %(count)s μη αναγνωσμένες ειδοποιήσεις σε προηγούμενη έκδοση αυτού του δωματίου." } }, "file_panel": { @@ -3483,9 +3471,30 @@ "intro": "Για να συνεχίσετε, πρέπει να αποδεχτείτε τους όρους αυτής της υπηρεσίας.", "column_service": "Υπηρεσία", "column_summary": "Περίληψη", - "column_document": "Έγγραφο" + "column_document": "Έγγραφο", + "tac_title": "Οροι και Προϋποθέσεις", + "tac_description": "Για να συνεχίσετε να χρησιμοποιείτε τον κεντρικό διακομιστή %(homeserverDomain)s πρέπει να διαβάσετε και να συμφωνήσετε με τους όρους και τις προϋποθέσεις μας.", + "tac_button": "Ελέγξτε τους όρους και τις προϋποθέσεις" }, "space_settings": { "title": "Ρυθμίσεις - %(spaceName)s" + }, + "poll": { + "create_poll_title": "Δημιουργία δημοσκόπησης", + "create_poll_action": "Δημιουργία δημοσκόπησης", + "edit_poll_title": "Επεξεργασία δημοσκόπησης", + "failed_send_poll_title": "Αποτυχία δημοσίευσης δημοσκόπησης", + "failed_send_poll_description": "Λυπούμαστε, η δημοσκόπηση που προσπαθήσατε να δημιουργήσετε δε δημοσιεύτηκε.", + "type_heading": "Τύπος δημοσκόπησης", + "type_open": "Ανοιχτή δημοσκόπηση", + "type_closed": "Κλειστή δημοσκόπηση", + "topic_heading": "Ποια είναι η ερώτηση ή το θέμα της δημοσκόπησης;", + "topic_label": "Ερώτηση ή θέμα", + "options_heading": "Δημιουργία επιλογών", + "options_label": "Επιλογή %(number)s", + "options_placeholder": "Γράψτε μια επιλογή", + "options_add_button": "Προσθήκη επιλογής", + "disclosed_notes": "Οι ψηφοφόροι βλέπουν τα αποτελέσματα μόλις ψηφίσουν", + "notes": "Τα αποτελέσματα αποκαλύπτονται μόνο όταν τελειώσετε τη δημοσκόπηση" } } diff --git a/src/i18n/strings/en_EN.json b/src/i18n/strings/en_EN.json index 5c0500f39d..92adb2fce5 100644 --- a/src/i18n/strings/en_EN.json +++ b/src/i18n/strings/en_EN.json @@ -13,6 +13,15 @@ "register_action": "Create Account", "account_deactivated": "This account has been deactivated.", "incorrect_credentials": "Incorrect username and/or password.", + "change_password_error": "Error while changing password: %(error)s", + "change_password_mismatch": "New passwords don't match", + "change_password_empty": "Passwords can't be empty", + "set_email_prompt": "Do you want to set an email address?", + "change_password_confirm_label": "Confirm password", + "change_password_confirm_invalid": "Passwords don't match", + "change_password_current_label": "Current password", + "change_password_new_label": "New Password", + "change_password_action": "Change Password", "continue_with_idp": "Continue with %(provider)s", "sign_in_with_sso": "Sign in with single sign-on", "server_picker_failed_validate_homeserver": "Unable to validate homeserver", @@ -25,6 +34,40 @@ "server_picker_explainer": "Use your preferred Matrix homeserver if you have one, or host your own.", "server_picker_learn_more": "About homeservers", "footer_powered_by_matrix": "powered by Matrix", + "email_field_label": "Email", + "email_field_label_required": "Enter email address", + "email_field_label_invalid": "Doesn't look like a valid email address", + "uia": { + "password_prompt": "Confirm your identity by entering your account password below.", + "recaptcha_missing_params": "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.", + "terms_invalid": "Please review and accept all of the homeserver's policies", + "terms": "Please review and accept the policies of this homeserver:", + "email_auth_header": "Check your email to continue", + "email": "To create your account, open the link in the email we just sent to %(emailAddress)s.", + "email_resend_prompt": "Did not receive it? Resend it", + "email_resent": "Resent!", + "msisdn_token_incorrect": "Token incorrect", + "msisdn": "A text message has been sent to %(msisdn)s", + "msisdn_token_prompt": "Please enter the code it contains:", + "registration_token_prompt": "Enter a registration token provided by the homeserver administrator.", + "registration_token_label": "Registration token", + "sso_failed": "Something went wrong in confirming your identity. Cancel and try again.", + "fallback_button": "Start authentication" + }, + "password_field_label": "Enter password", + "password_field_strong_label": "Nice, strong password!", + "password_field_weak_label": "Password is allowed, but unsafe", + "password_field_keep_going_prompt": "Keep going…", + "username_field_required_invalid": "Enter username", + "msisdn_field_required_invalid": "Enter phone number", + "msisdn_field_number_invalid": "That phone number doesn't look quite right, please check and try again", + "msisdn_field_label": "Phone", + "reset_password_button": "Forgot password?", + "identifier_label": "Sign in with", + "reset_password_email_field_description": "Use an email address to recover your account", + "reset_password_email_field_required_invalid": "Enter email address (required on this homeserver)", + "msisdn_field_description": "Other users can invite you to rooms using your contact details", + "registration_msisdn_field_required_invalid": "Enter phone number (required on this homeserver)", "registration_username_validation": "Use lowercase letters, numbers, dashes and underscores only", "registration_username_unable_check": "Unable to check if username has been taken. Try again later.", "registration_username_in_use": "Someone already has that username. Try another or if it is you, sign in below.", @@ -33,6 +76,8 @@ "email_help_text": "Add an email to be able to reset your password.", "email_phone_discovery_text": "Use email or phone to optionally be discoverable by existing contacts.", "email_discovery_text": "Use email to optionally be discoverable by existing contacts.", + "session_logged_out_title": "Signed Out", + "session_logged_out_description": "For security, this session has been signed out. Please sign in again.", "sign_in_prompt": "Got an account? Sign in", "create_account_prompt": "New here? Create an account", "reset_password_action": "Reset password", @@ -1196,7 +1241,13 @@ "see_changes_button": "What's new?", "release_notes_toast_title": "What's New", "toast_title": "Update %(brand)s", - "toast_description": "New version of %(brand)s is available" + "toast_description": "New version of %(brand)s is available", + "error_encountered": "Error encountered (%(errorDetail)s).", + "checking": "Checking for an update…", + "no_update": "No update available.", + "downloading": "Downloading update…", + "new_version_available": "New version available. Update now.", + "check_action": "Check for update" }, "There was an error joining.": "There was an error joining.", "Sorry, your homeserver is too old to participate here.": "Sorry, your homeserver is too old to participate here.", @@ -1290,6 +1341,14 @@ "automatic_debug_logs_key_backup": "Automatically send debug logs when key backup is not functioning", "rust_crypto_disabled_notice": "Can currently only be enabled via config.json", "sliding_sync_disabled_notice": "Log out and back in to disable", + "bridge_state_creator": "This bridge was provisioned by .", + "bridge_state_manager": "This bridge is managed by .", + "bridge_state_workspace": "Workspace: ", + "bridge_state_channel": "Channel: ", + "beta_section": "Upcoming features", + "beta_description": "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.", + "experimental_section": "Early previews", + "experimental_description": "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.", "video_rooms_beta": "Video rooms are a beta feature", "sliding_sync_server_support": "Your server has native support", "sliding_sync_server_no_support": "Your server lacks native support", @@ -1400,6 +1459,25 @@ "enable_message_search": "Enable message search in encrypted rooms", "message_search_sleep_time": "How fast should messages be downloaded.", "manually_verify_all_sessions": "Manually verify all remote sessions", + "cross_signing_public_keys": "Cross-signing public keys:", + "cross_signing_in_memory": "in memory", + "cross_signing_not_found": "not found", + "cross_signing_private_keys": "Cross-signing private keys:", + "cross_signing_in_4s": "in secret storage", + "cross_signing_not_in_4s": "not found in storage", + "cross_signing_master_private_Key": "Master private key:", + "cross_signing_cached": "cached locally", + "cross_signing_not_cached": "not found locally", + "cross_signing_self_signing_private_key": "Self signing private key:", + "cross_signing_user_signing_private_key": "User signing private key:", + "cross_signing_homeserver_support": "Homeserver feature support:", + "cross_signing_homeserver_support_exists": "exists", + "export_megolm_keys": "Export E2E room keys", + "import_megolm_keys": "Import E2E room keys", + "cryptography_section": "Cryptography", + "session_id": "Session ID:", + "session_key": "Session key:", + "encryption_section": "Encryption", "message_search_disable_warning": "If disabled, messages from encrypted rooms won't appear in search results.", "message_search_indexing_idle": "Not currently indexing messages for any room.", "message_search_indexing": "Currently indexing: %(currentRoom)s", @@ -1444,6 +1522,12 @@ "enable_audible_notifications_session": "Enable audible notifications for this session", "noisy": "Noisy" }, + "general": { + "oidc_manage_button": "Manage account", + "account_section": "Account", + "language_section": "Language and region", + "spell_check_section": "Spell check" + }, "keyboard": { "title": "Keyboard" }, @@ -1564,6 +1648,17 @@ "encryption_permanent": "Once enabled, encryption cannot be disabled.", "encryption_forced": "Your server requires encryption to be disabled." }, + "advanced": { + "unfederated": "This room is not accessible by remote Matrix servers", + "room_upgrade_warning": "Warning: upgrading a room will not automatically migrate room members to the new version of the room. We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.", + "space_upgrade_button": "Upgrade this space to the recommended room version", + "room_upgrade_button": "Upgrade this room to the recommended room version", + "space_predecessor": "View older version of %(spaceName)s.", + "room_predecessor": "View older messages in %(roomName)s.", + "room_id": "Internal room ID", + "room_version_section": "Room version", + "room_version": "Room version:" + }, "permissions": { "m.room.avatar_space": "Change space avatar", "m.room.avatar": "Change room avatar", @@ -1714,6 +1809,7 @@ "failed_to_find_widget": "There was an error finding this widget.", "view_source_decrypted_event_source": "Decrypted event source", "view_source_decrypted_event_source_unavailable": "Decrypted source unavailable", + "original_event_source": "Original event source", "event_id": "Event ID: %(eventId)s" }, "bug_reporting": { @@ -1736,7 +1832,35 @@ }, "labs_mjolnir": { "room_name": "My Ban List", - "room_topic": "This is your list of users/servers you have blocked - don't leave the room!" + "room_topic": "This is your list of users/servers you have blocked - don't leave the room!", + "ban_reason": "Ignored/Blocked", + "error_adding_ignore": "Error adding ignored user/server", + "something_went_wrong": "Something went wrong. Please try again or view your console for hints.", + "error_adding_list_title": "Error subscribing to list", + "error_adding_list_description": "Please verify the room ID or address and try again.", + "error_removing_ignore": "Error removing ignored user/server", + "error_removing_list_title": "Error unsubscribing from list", + "error_removing_list_description": "Please try again or view your console for hints.", + "rules_title": "Ban list rules - %(roomName)s", + "rules_server": "Server rules", + "rules_user": "User rules", + "personal_empty": "You have not ignored anyone.", + "personal_section": "You are currently ignoring:", + "no_lists": "You are not subscribed to any lists", + "view_rules": "View rules", + "lists": "You are currently subscribed to:", + "title": "Ignored users", + "advanced_warning": "⚠ These settings are meant for advanced users.", + "explainer_1": "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.", + "explainer_2": "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.", + "personal_heading": "Personal ban list", + "personal_description": "Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named '%(myBanList)s' - stay in this room to keep the ban list in effect.", + "personal_new_label": "Server or user ID to ignore", + "personal_new_placeholder": "eg: @bot:* or example.org", + "lists_heading": "Subscribed lists", + "lists_description_1": "Subscribing to a ban list will cause you to join it!", + "lists_description_2": "If this isn't what you want, please use a different tool to ignore users.", + "lists_new_label": "Room ID or address of ban list" }, "Connecting": "Connecting", "Sorry — this call is currently full": "Sorry — this call is currently full", @@ -1825,6 +1949,17 @@ "other_party_cancelled": "The other party cancelled the verification.", "complete_title": "Verified!", "complete_description": "You've successfully verified this user.", + "explainer": "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.", + "complete_action": "Got It", + "sas_emoji_caption_self": "Confirm the emoji below are displayed on both devices, in the same order:", + "sas_emoji_caption_user": "Verify this user by confirming the following emoji appear on their screen.", + "sas_caption_self": "Verify this device by confirming the following number appears on its screen.", + "sas_caption_user": "Verify this user by confirming the following number appears on their screen.", + "unsupported_method": "Unable to find a supported verification method.", + "waiting_other_device_details": "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…", + "waiting_other_device": "Waiting for you to verify on your other device…", + "waiting_other_user": "Waiting for %(displayName)s to verify…", + "cancelling": "Cancelling…", "sas_no_match": "They don't match", "sas_match": "They match", "in_person": "To be secure, do this in person or use a trusted way to communicate.", @@ -1834,19 +1969,11 @@ "sas_description": "Compare a unique set of emoji if you don't have a camera on either device", "qr_or_sas": "%(qrCode)s or %(emojiCompare)s", "qr_or_sas_header": "Verify this device by completing one of the following:" - } + }, + "old_version_detected_title": "Old cryptography data detected", + "old_version_detected_description": "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.", + "verification_requested_toast_title": "Verification requested" }, - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.", - "Got It": "Got It", - "Confirm the emoji below are displayed on both devices, in the same order:": "Confirm the emoji below are displayed on both devices, in the same order:", - "Verify this user by confirming the following emoji appear on their screen.": "Verify this user by confirming the following emoji appear on their screen.", - "Verify this device by confirming the following number appears on its screen.": "Verify this device by confirming the following number appears on its screen.", - "Verify this user by confirming the following number appears on their screen.": "Verify this user by confirming the following number appears on their screen.", - "Unable to find a supported verification method.": "Unable to find a supported verification method.", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…", - "Waiting for you to verify on your other device…": "Waiting for you to verify on your other device…", - "Waiting for %(displayName)s to verify…": "Waiting for %(displayName)s to verify…", - "Cancelling…": "Cancelling…", "Your server isn't responding to some requests.": "Your server isn't responding to some requests.", "%(deviceId)s from %(ip)s": "%(deviceId)s from %(ip)s", "Ignore (%(counter)s)": "Ignore (%(counter)s)", @@ -1936,46 +2063,14 @@ "Add privileged users": "Add privileged users", "Give one or multiple users in this room more privileges": "Give one or multiple users in this room more privileges", "Search users in this room…": "Search users in this room…", - "This bridge was provisioned by .": "This bridge was provisioned by .", - "This bridge is managed by .": "This bridge is managed by .", - "Workspace: ": "Workspace: ", - "Channel: ": "Channel: ", "No display name": "No display name", - "Error while changing password: %(error)s": "Error while changing password: %(error)s", - "New passwords don't match": "New passwords don't match", - "Passwords can't be empty": "Passwords can't be empty", - "Do you want to set an email address?": "Do you want to set an email address?", - "Confirm password": "Confirm password", - "Passwords don't match": "Passwords don't match", - "Current password": "Current password", - "New Password": "New Password", - "Change Password": "Change Password", "Your homeserver does not support cross-signing.": "Your homeserver does not support cross-signing.", "Cross-signing is ready for use.": "Cross-signing is ready for use.", "Cross-signing is ready but keys are not backed up.": "Cross-signing is ready but keys are not backed up.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.", "Cross-signing is not set up.": "Cross-signing is not set up.", "Advanced": "Advanced", - "Cross-signing public keys:": "Cross-signing public keys:", - "in memory": "in memory", - "not found": "not found", - "Cross-signing private keys:": "Cross-signing private keys:", - "in secret storage": "in secret storage", - "not found in storage": "not found in storage", - "Master private key:": "Master private key:", - "cached locally": "cached locally", - "not found locally": "not found locally", - "Self signing private key:": "Self signing private key:", - "User signing private key:": "User signing private key:", - "Homeserver feature support:": "Homeserver feature support:", - "exists": "exists", "": "", - "Export E2E room keys": "Export E2E room keys", - "Import E2E room keys": "Import E2E room keys", - "Cryptography": "Cryptography", - "Session ID:": "Session ID:", - "Session key:": "Session key:", - "Encryption": "Encryption", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.", "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.": { "other": "Securely cache encrypted messages locally for them to appear in search results, using %(size)s to store messages from %(rooms)s rooms.", @@ -2090,12 +2185,6 @@ "Use an integration manager to manage bots, widgets, and sticker packs.": "Use an integration manager to manage bots, widgets, and sticker packs.", "Manage integrations": "Manage integrations", "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.", - "Error encountered (%(errorDetail)s).": "Error encountered (%(errorDetail)s).", - "Checking for an update…": "Checking for an update…", - "No update available.": "No update available.", - "Downloading update…": "Downloading update…", - "New version available. Update now.": "New version available. Update now.", - "Check for update": "Check for update", "Unknown password change error (%(stringifiedError)s)": "Unknown password change error (%(stringifiedError)s)", "Failed to change password. Is your password correct?": "Failed to change password. Is your password correct?", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (HTTP status %(httpStatus)s)", @@ -2105,10 +2194,6 @@ "Phone numbers": "Phone numbers", "Set a new account password…": "Set a new account password…", "Your account details are managed separately at %(hostname)s.": "Your account details are managed separately at %(hostname)s.", - "Manage account": "Manage account", - "Account": "Account", - "Language and region": "Language and region", - "Spell check": "Spell check", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.", "Deactivate account": "Deactivate account", "Account management": "Account management", @@ -2135,40 +2220,9 @@ "twemoji_colr": "The twemoji-colr font is © Mozilla Foundation used under the terms of Apache 2.0.", "twemoji": "The Twemoji emoji art is © Twitter, Inc and other contributors used under the terms of CC-BY 4.0." }, - "Upcoming features": "Upcoming features", - "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.", - "Early previews": "Early previews", - "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.": "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.", - "Ignored/Blocked": "Ignored/Blocked", - "Error adding ignored user/server": "Error adding ignored user/server", - "Something went wrong. Please try again or view your console for hints.": "Something went wrong. Please try again or view your console for hints.", - "Error subscribing to list": "Error subscribing to list", - "Please verify the room ID or address and try again.": "Please verify the room ID or address and try again.", - "Error removing ignored user/server": "Error removing ignored user/server", - "Error unsubscribing from list": "Error unsubscribing from list", - "Please try again or view your console for hints.": "Please try again or view your console for hints.", - "Ban list rules - %(roomName)s": "Ban list rules - %(roomName)s", - "Server rules": "Server rules", - "User rules": "User rules", - "You have not ignored anyone.": "You have not ignored anyone.", - "You are currently ignoring:": "You are currently ignoring:", - "You are not subscribed to any lists": "You are not subscribed to any lists", - "View rules": "View rules", - "You are currently subscribed to:": "You are currently subscribed to:", - "Ignored users": "Ignored users", - "⚠ These settings are meant for advanced users.": "⚠ These settings are meant for advanced users.", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.", - "Personal ban list": "Personal ban list", - "Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named '%(myBanList)s' - stay in this room to keep the ban list in effect.": "Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named '%(myBanList)s' - stay in this room to keep the ban list in effect.", - "Server or user ID to ignore": "Server or user ID to ignore", - "eg: @bot:* or example.org": "eg: @bot:* or example.org", - "Subscribed lists": "Subscribed lists", - "Subscribing to a ban list will cause you to join it!": "Subscribing to a ban list will cause you to join it!", - "If this isn't what you want, please use a different tool to ignore users.": "If this isn't what you want, please use a different tool to ignore users.", - "Room ID or address of ban list": "Room ID or address of ban list", "Unignore": "Unignore", "You have no ignored users.": "You have no ignored users.", + "Ignored users": "Ignored users", "Bulk options": "Bulk options", "Accept all %(invitedRooms)s invites": "Accept all %(invitedRooms)s invites", "Reject all %(invitedRooms)s invites": "Reject all %(invitedRooms)s invites", @@ -2202,16 +2256,7 @@ "Video settings": "Video settings", "Voice processing": "Voice processing", "Connection": "Connection", - "This room is not accessible by remote Matrix servers": "This room is not accessible by remote Matrix servers", - "Warning: upgrading a room will not automatically migrate room members to the new version of the room. We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.": "Warning: upgrading a room will not automatically migrate room members to the new version of the room. We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.", - "Upgrade this space to the recommended room version": "Upgrade this space to the recommended room version", - "Upgrade this room to the recommended room version": "Upgrade this room to the recommended room version", - "View older version of %(spaceName)s.": "View older version of %(spaceName)s.", - "View older messages in %(roomName)s.": "View older messages in %(roomName)s.", "Space information": "Space information", - "Internal room ID": "Internal room ID", - "Room version": "Room version", - "Room version:": "Room version:", "This room is bridging messages to the following platforms. Learn more.": "This room is bridging messages to the following platforms. Learn more.", "This room isn't bridging messages to any platforms. Learn more.": "This room isn't bridging messages to any platforms. Learn more.", "Bridges": "Bridges", @@ -2418,7 +2463,13 @@ "enable_encryption_prompt": "Enable encryption in settings.", "unencrypted_warning": "End-to-end encryption isn't enabled" }, - "drop_file_prompt": "Drop file here to upload" + "edit_topic": "Edit topic", + "read_topic": "Click to read topic", + "drop_file_prompt": "Drop file here to upload", + "unread_notifications_predecessor": { + "other": "You have %(count)s unread notifications in a prior version of this room.", + "one": "You have %(count)s unread notification in a prior version of this room." + } }, "Message didn't send. Click for info.": "Message didn't send. Click for info.", "View message": "View message", @@ -3019,23 +3070,25 @@ "Language Dropdown": "Language Dropdown", "Message in %(room)s": "Message in %(room)s", "Message from %(user)s": "Message from %(user)s", - "Create poll": "Create poll", - "Create Poll": "Create Poll", - "Edit poll": "Edit poll", - "Failed to post poll": "Failed to post poll", - "Sorry, the poll you tried to create was not posted.": "Sorry, the poll you tried to create was not posted.", - "Poll type": "Poll type", - "Open poll": "Open poll", - "Closed poll": "Closed poll", - "What is your poll question or topic?": "What is your poll question or topic?", - "Question or topic": "Question or topic", - "Write something…": "Write something…", - "Create options": "Create options", - "Option %(number)s": "Option %(number)s", - "Write an option": "Write an option", - "Add option": "Add option", - "Voters see results as soon as they have voted": "Voters see results as soon as they have voted", - "Results are only revealed when you end the poll": "Results are only revealed when you end the poll", + "poll": { + "create_poll_title": "Create poll", + "create_poll_action": "Create Poll", + "edit_poll_title": "Edit poll", + "failed_send_poll_title": "Failed to post poll", + "failed_send_poll_description": "Sorry, the poll you tried to create was not posted.", + "type_heading": "Poll type", + "type_open": "Open poll", + "type_closed": "Closed poll", + "topic_heading": "What is your poll question or topic?", + "topic_label": "Question or topic", + "topic_placeholder": "Write something…", + "options_heading": "Create options", + "options_label": "Option %(number)s", + "options_placeholder": "Write an option", + "options_add_button": "Add option", + "disclosed_notes": "Voters see results as soon as they have voted", + "notes": "Results are only revealed when you end the poll" + }, "Power level": "Power level", "Custom level": "Custom level", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.", @@ -3061,8 +3114,6 @@ "other": "%(count)s people you know have already joined", "one": "%(count)s person you know has already joined" }, - "Edit topic": "Edit topic", - "Click to read topic": "Click to read topic", "Message search initialisation failed, check your settings for more information": "Message search initialisation failed, check your settings for more information", "Desktop app logo": "Desktop app logo", "Use the Desktop app to see all encrypted files": "Use the Desktop app to see all encrypted files", @@ -3424,7 +3475,10 @@ "intro": "To continue you need to accept the terms of this service.", "column_service": "Service", "column_summary": "Summary", - "column_document": "Document" + "column_document": "Document", + "tac_title": "Terms and Conditions", + "tac_description": "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.", + "tac_button": "Review terms and conditions" }, "You signed in to a new session without verifying it:": "You signed in to a new session without verifying it:", "Verify your other session using one of the options below.": "Verify your other session using one of the options below.", @@ -3600,26 +3654,7 @@ "This room is public": "This room is public", "This homeserver would like to make sure you are not a robot.": "This homeserver would like to make sure you are not a robot.", "Country Dropdown": "Country Dropdown", - "Email": "Email", - "Enter email address": "Enter email address", - "Doesn't look like a valid email address": "Doesn't look like a valid email address", - "Confirm your identity by entering your account password below.": "Confirm your identity by entering your account password below.", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.", - "Please review and accept all of the homeserver's policies": "Please review and accept all of the homeserver's policies", - "Please review and accept the policies of this homeserver:": "Please review and accept the policies of this homeserver:", - "Check your email to continue": "Check your email to continue", - "Unread email icon": "Unread email icon", - "To create your account, open the link in the email we just sent to %(emailAddress)s.": "To create your account, open the link in the email we just sent to %(emailAddress)s.", - "Did not receive it? Resend it": "Did not receive it? Resend it", - "Resent!": "Resent!", - "Token incorrect": "Token incorrect", - "A text message has been sent to %(msisdn)s": "A text message has been sent to %(msisdn)s", - "Please enter the code it contains:": "Please enter the code it contains:", "Code": "Code", - "Enter a registration token provided by the homeserver administrator.": "Enter a registration token provided by the homeserver administrator.", - "Registration token": "Registration token", - "Something went wrong in confirming your identity. Cancel and try again.": "Something went wrong in confirming your identity. Cancel and try again.", - "Start authentication": "Start authentication", "Sign in new device": "Sign in new device", "The linking wasn't completed in the required time.": "The linking wasn't completed in the required time.", "The scanned code is invalid.": "The scanned code is invalid.", @@ -3641,20 +3676,6 @@ "Connecting…": "Connecting…", "Waiting for device to sign in": "Waiting for device to sign in", "Completing set up of your new device": "Completing set up of your new device", - "Enter password": "Enter password", - "Nice, strong password!": "Nice, strong password!", - "Password is allowed, but unsafe": "Password is allowed, but unsafe", - "Keep going…": "Keep going…", - "Enter username": "Enter username", - "Enter phone number": "Enter phone number", - "That phone number doesn't look quite right, please check and try again": "That phone number doesn't look quite right, please check and try again", - "Phone": "Phone", - "Forgot password?": "Forgot password?", - "Sign in with": "Sign in with", - "Use an email address to recover your account": "Use an email address to recover your account", - "Enter email address (required on this homeserver)": "Enter email address (required on this homeserver)", - "Other users can invite you to rooms using your contact details": "Other users can invite you to rooms using your contact details", - "Enter phone number (required on this homeserver)": "Enter phone number (required on this homeserver)", "Unnamed audio": "Unnamed audio", "Error downloading audio": "Error downloading audio", "Couldn't load page": "Couldn't load page", @@ -3679,14 +3700,6 @@ "Failed to forget room %(errCode)s": "Failed to forget room %(errCode)s", "Unable to copy room link": "Unable to copy room link", "Unable to copy a link to the room to the clipboard.": "Unable to copy a link to the room to the clipboard.", - "Signed Out": "Signed Out", - "For security, this session has been signed out. Please sign in again.": "For security, this session has been signed out. Please sign in again.", - "Terms and Conditions": "Terms and Conditions", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.", - "Review terms and conditions": "Review terms and conditions", - "Old cryptography data detected": "Old cryptography data detected", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.", - "Verification requested": "Verification requested", "notif_panel": { "empty_heading": "You're all caught up", "empty_description": "You have no visible notifications." @@ -3709,10 +3722,6 @@ "You seem to be in a call, are you sure you want to quit?": "You seem to be in a call, are you sure you want to quit?", "Failed to reject invite": "Failed to reject invite", "Unknown": "Unknown", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "You have %(count)s unread notifications in a prior version of this room.", - "one": "You have %(count)s unread notification in a prior version of this room." - }, "Joining": "Joining", "You don't have permission": "You don't have permission", "You may want to try a different search or check for typos.": "You may want to try a different search or check for typos.", @@ -3744,7 +3753,6 @@ "switch_theme_dark": "Switch to dark mode" }, "Could not load user profile": "Could not load user profile", - "Original event source": "Original event source", "Waiting for users to join %(brand)s": "Waiting for users to join %(brand)s", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted", "Unable to verify this device": "Unable to verify this device", diff --git a/src/i18n/strings/en_US.json b/src/i18n/strings/en_US.json index 2dc2d9bc06..086bb0aae1 100644 --- a/src/i18n/strings/en_US.json +++ b/src/i18n/strings/en_US.json @@ -1,7 +1,6 @@ { "AM": "AM", "PM": "PM", - "Account": "Account", "No Microphones detected": "No Microphones detected", "No Webcams detected": "No Webcams detected", "No media permissions": "No media permissions", @@ -19,20 +18,14 @@ "Are you sure you want to leave the room '%(roomName)s'?": "Are you sure you want to leave the room '%(roomName)s'?", "Are you sure you want to reject the invitation?": "Are you sure you want to reject the invitation?", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.", - "Change Password": "Change Password", - "Confirm password": "Confirm password", - "Cryptography": "Cryptography", - "Current password": "Current password", "Custom level": "Custom level", "Deactivate Account": "Deactivate Account", "Decrypt %(text)s": "Decrypt %(text)s", "Default": "Default", "Delete widget": "Delete widget", "Download %(text)s": "Download %(text)s", - "Email": "Email", "Email address": "Email address", "Error decrypting attachment": "Error decrypting attachment", - "Export E2E room keys": "Export E2E room keys", "Failed to ban user": "Failed to ban user", "Failed to change password. Is your password correct?": "Failed to change password. Is your password correct?", "Failed to change power level": "Failed to change power level", @@ -49,14 +42,11 @@ "Favourite": "Favorite", "Filter room members": "Filter room members", "Forget room": "Forget room", - "For security, this session has been signed out. Please sign in again.": "For security, this session has been signed out. Please sign in again.", "Historical": "Historical", - "Import E2E room keys": "Import E2E room keys", "Incorrect verification code": "Incorrect verification code", "Invalid Email Address": "Invalid Email Address", "Invalid file%(extra)s": "Invalid file%(extra)s", "Invited": "Invited", - "Sign in with": "Sign in with", "Join Room": "Join Room", "Jump to first unread message.": "Jump to first unread message.", "Unignore": "Unignore", @@ -68,15 +58,12 @@ "Missing room_id in request": "Missing room_id in request", "Missing user_id in request": "Missing user_id in request", "Moderator": "Moderator", - "New passwords don't match": "New passwords don't match", "New passwords must match each other.": "New passwords must match each other.", "not specified": "not specified", "Notifications": "Notifications", "": "", "No more results": "No more results", "Operation failed": "Operation failed", - "Passwords can't be empty": "Passwords can't be empty", - "Phone": "Phone", "Please check your email and click on the link it contains. Once this is done, click continue.": "Please check your email and click on the link it contains. Once this is done, click continue.", "Power level must be positive integer.": "Power level must be positive integer.", "Profile": "Profile", @@ -91,14 +78,12 @@ "Server may be unavailable, overloaded, or search timed out :(": "Server may be unavailable, overloaded, or search timed out :(", "Server may be unavailable, overloaded, or you hit a bug.": "Server may be unavailable, overloaded, or you hit a bug.", "Session ID": "Session ID", - "Signed Out": "Signed Out", "This email address is already in use": "This email address is already in use", "This email address was not found": "This email address was not found", "This room has no local addresses": "This room has no local addresses", "This room is not recognised.": "This room is not recognized.", "This doesn't appear to be a valid email address": "This doesn't appear to be a valid email address", "This phone number is already in use": "This phone number is already in use", - "This room is not accessible by remote Matrix servers": "This room is not accessible by remote Matrix servers", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Tried to load a specific point in this room's timeline, but was unable to find it.", "Unable to add email address": "Unable to add email address", @@ -160,8 +145,6 @@ "Unknown error": "Unknown error", "Unable to restore session": "Unable to restore session", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.", - "Token incorrect": "Token incorrect", - "Please enter the code it contains:": "Please enter the code it contains:", "Error decrypting image": "Error decrypting image", "Error decrypting video": "Error decrypting video", "Add an Integration": "Add an Integration", @@ -173,7 +156,6 @@ "No display name": "No display name", "%(roomName)s does not exist.": "%(roomName)s does not exist.", "%(roomName)s is not accessible at this time.": "%(roomName)s is not accessible at this time.", - "Start authentication": "Start authentication", "Uploading %(filename)s": "Uploading %(filename)s", "Uploading %(filename)s and %(count)s others": { "one": "Uploading %(filename)s and %(count)s other", @@ -184,14 +166,11 @@ "one": "(~%(count)s result)", "other": "(~%(count)s results)" }, - "New Password": "New Password", "Something went wrong!": "Something went wrong!", "Your browser does not support the required cryptography extensions": "Your browser does not support the required cryptography extensions", "Not a valid %(brand)s keyfile": "Not a valid %(brand)s keyfile", "Authentication check failed: incorrect password?": "Authentication check failed: incorrect password?", - "Do you want to set an email address?": "Do you want to set an email address?", "This will allow you to reset your password and receive notifications.": "This will allow you to reset your password and receive notifications.", - "Check for update": "Check for update", "Unable to create widget.": "Unable to create widget.", "You are not in this room.": "You are not in this room.", "You do not have permission to do that in this room.": "You do not have permission to do that in this room.", @@ -203,7 +182,6 @@ "This Room": "This Room", "Unavailable": "Unavailable", "Source URL": "Source URL", - "No update available.": "No update available.", "Tuesday": "Tuesday", "Search…": "Search…", "Unnamed room": "Unnamed room", @@ -217,7 +195,6 @@ "You cannot delete this message. (%(code)s)": "You cannot delete this message. (%(code)s)", "Thursday": "Thursday", "Yesterday": "Yesterday", - "Error encountered (%(errorDetail)s).": "Error encountered (%(errorDetail)s).", "Low Priority": "Low Priority", "Permission Required": "Permission Required", "You do not have permission to start a conference call in this room": "You do not have permission to start a conference call in this room", @@ -367,6 +344,14 @@ }, "sessions": { "session_id": "Session ID" + }, + "security": { + "export_megolm_keys": "Export E2E room keys", + "import_megolm_keys": "Import E2E room keys", + "cryptography_section": "Cryptography" + }, + "general": { + "account_section": "Account" } }, "timeline": { @@ -500,7 +485,24 @@ "sign_in_or_register_description": "Use your account or create a new one to continue.", "register_action": "Create Account", "incorrect_credentials": "Incorrect username and/or password.", - "phone_label": "Phone" + "phone_label": "Phone", + "session_logged_out_title": "Signed Out", + "session_logged_out_description": "For security, this session has been signed out. Please sign in again.", + "change_password_mismatch": "New passwords don't match", + "change_password_empty": "Passwords can't be empty", + "set_email_prompt": "Do you want to set an email address?", + "change_password_confirm_label": "Confirm password", + "change_password_current_label": "Current password", + "change_password_new_label": "New Password", + "change_password_action": "Change Password", + "email_field_label": "Email", + "uia": { + "msisdn_token_incorrect": "Token incorrect", + "msisdn_token_prompt": "Please enter the code it contains:", + "fallback_button": "Start authentication" + }, + "msisdn_field_label": "Phone", + "identifier_label": "Sign in with" }, "export_chat": { "messages": "Messages" @@ -520,7 +522,10 @@ }, "update": { "see_changes_button": "What's new?", - "release_notes_toast_title": "What's New" + "release_notes_toast_title": "What's New", + "error_encountered": "Error encountered (%(errorDetail)s).", + "no_update": "No update available.", + "check_action": "Check for update" }, "composer": { "autocomplete": { @@ -556,6 +561,9 @@ "user_url_previews_default_on": "You have enabled URL previews by default.", "user_url_previews_default_off": "You have disabled URL previews by default.", "url_previews_section": "URL Previews" + }, + "advanced": { + "unfederated": "This room is not accessible by remote Matrix servers" } } } diff --git a/src/i18n/strings/eo.json b/src/i18n/strings/eo.json index 1e86d4c5a4..2394e0be4e 100644 --- a/src/i18n/strings/eo.json +++ b/src/i18n/strings/eo.json @@ -4,8 +4,6 @@ "Failed to verify email address: make sure you clicked the link in the email": "Kontrolo de via retpoŝtadreso malsukcesis: certigu, ke vi klakis la ligilon en la retmesaĝo", "You cannot place a call with yourself.": "Vi ne povas voki vin mem.", "Warning!": "Averto!", - "Sign in with": "Saluti per", - "For security, this session has been signed out. Please sign in again.": "Pro sekurecaj kialoj, la salutaĵo adiaŭiĝis. Bonvolu resaluti.", "Upload Failed": "Alŝuto malsukcesis", "Sun": "Dim", "Mon": "Lun", @@ -64,16 +62,7 @@ "Authentication check failed: incorrect password?": "Aŭtentikiga kontrolo malsukcesis: ĉu pro malĝusta pasvorto?", "Send": "Sendi", "Incorrect verification code": "Malĝusta kontrola kodo", - "Phone": "Telefono", "No display name": "Sen vidiga nomo", - "New passwords don't match": "Novaj pasvortoj ne akordas", - "Passwords can't be empty": "Pasvortoj ne povas esti malplenaj", - "Export E2E room keys": "Elporti tutvoje ĉifrajn ŝlosilojn de la ĉambro", - "Do you want to set an email address?": "Ĉu vi volas agordi retpoŝtadreson?", - "Current password": "Nuna pasvorto", - "New Password": "Nova pasvorto", - "Confirm password": "Konfirmu pasvorton", - "Change Password": "Ŝanĝi pasvorton", "Authentication": "Aŭtentikigo", "Failed to set display name": "Malsukcesis agordi vidigan nomon", "Unban": "Malforbari", @@ -115,7 +104,6 @@ "Banned by %(displayName)s": "Forbarita de %(displayName)s", "unknown error code": "nekonata kodo de eraro", "Failed to forget room %(errCode)s": "Malsukcesis forgesi ĉambron %(errCode)s", - "This room is not accessible by remote Matrix servers": "Ĉi tiu ĉambro ne atingeblas por foraj serviloj de Matrix", "Favourite": "Elstarigi", "Jump to first unread message.": "Salti al unua nelegita mesaĝo.", "not specified": "nespecifita", @@ -130,10 +118,6 @@ "Failed to copy": "Malsukcesis kopii", "Add an Integration": "Aldoni kunigon", "Failed to change password. Is your password correct?": "Malsukcesis ŝanĝi la pasvorton. Ĉu via pasvorto estas ĝusta?", - "Token incorrect": "Malĝusta peco", - "A text message has been sent to %(msisdn)s": "Tekstmesaĝo sendiĝîs al %(msisdn)s", - "Please enter the code it contains:": "Bonvolu enigi la enhavatan kodon:", - "Start authentication": "Komenci aŭtentikigon", "Email address": "Retpoŝtadreso", "Something went wrong!": "Io misokazis!", "Delete Widget": "Forigi fenestraĵon", @@ -168,9 +152,6 @@ "Are you sure you want to reject the invitation?": "Ĉu vi certe volas rifuzi la inviton?", "Failed to reject invitation": "Malsukcesis rifuzi la inviton", "Are you sure you want to leave the room '%(roomName)s'?": "Ĉu vi certe volas forlasi la ĉambron '%(roomName)s'?", - "Signed Out": "Adiaŭinta", - "Old cryptography data detected": "Malnovaj datumoj de ĉifroteĥnikaro troviĝis", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Datumoj el malnova versio de %(brand)s troviĝis. Ĉi tio malfunkciigos tutvojan ĉifradon en la malnova versio. Tutvoje ĉifritaj mesaĝoj interŝanĝitaj freŝtempe per la malnova versio eble ne malĉifreblos. Tio povas kaŭzi malsukceson ankaŭ al mesaĝoj interŝanĝitaj kun tiu ĉi versio. Se vin trafos problemoj, adiaŭu kaj resalutu. Por reteni mesaĝan historion, elportu kaj reenportu viajn ŝlosilojn.", "Connectivity to the server has been lost.": "Konekto al la servilo perdiĝis.", "Sent messages will be stored until your connection has returned.": "Senditaj mesaĝoj konserviĝos ĝis via konekto refunkcios.", "You seem to be uploading files, are you sure you want to quit?": "Ŝajne vi alŝutas dosierojn nun; ĉu vi tamen volas foriri?", @@ -189,19 +170,14 @@ "Uploading %(filename)s": "Alŝutante dosieron %(filename)s", "Unable to remove contact information": "Ne povas forigi kontaktajn informojn", "": "", - "Import E2E room keys": "Enporti tutvoje ĉifrajn ĉambrajn ŝlosilojn", - "Cryptography": "Ĉifroteĥnikaro", - "Check for update": "Kontroli ĝisdatigojn", "Reject all %(invitedRooms)s invites": "Rifuzi ĉiujn %(invitedRooms)s invitojn", "No media permissions": "Neniuj permesoj pri aŭdvidaĵoj", "You may need to manually permit %(brand)s to access your microphone/webcam": "Eble vi devos permane permesi al %(brand)s atingon de viaj mikrofono/kamerao", "No Microphones detected": "Neniu mikrofono troviĝis", "No Webcams detected": "Neniu kamerao troviĝis", "Default Device": "Implicita aparato", - "Email": "Retpoŝto", "Notifications": "Sciigoj", "Profile": "Profilo", - "Account": "Konto", "A new password must be entered.": "Vi devas enigi novan pasvorton.", "New passwords must match each other.": "Novaj pasvortoj devas akordi.", "Return to login screen": "Reiri al saluta paĝo", @@ -231,7 +207,6 @@ "Unavailable": "Nedisponebla", "Source URL": "Fonta URL", "Filter results": "Filtri rezultojn", - "No update available.": "Neniuj ĝisdatigoj haveblas.", "Tuesday": "Mardo", "Search…": "Serĉi…", "Saturday": "Sabato", @@ -243,7 +218,6 @@ "All Rooms": "Ĉiuj ĉambroj", "Thursday": "Ĵaŭdo", "Yesterday": "Hieraŭ", - "Error encountered (%(errorDetail)s).": "Eraron renkonti (%(errorDetail)s).", "Low Priority": "Malalta prioritato", "Thank you!": "Dankon!", "Logs sent": "Protokolo sendiĝis", @@ -258,12 +232,10 @@ "Unknown server error": "Nekonata servila eraro", "Please contact your homeserver administrator.": "Bonvolu kontakti la administranton de via hejmservilo.", "Delete Backup": "Forigi savkopion", - "Language and region": "Lingvo kaj regiono", "General": "Ĝeneralaj", "In reply to ": "Responde al ", "You do not have permission to start a conference call in this room": "Vi ne havas permeson komenci grupvokon en ĉi tiu ĉambro", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "La dosiero '%(fileName)s' superas la grandecan limon de ĉi tiu hejmservilo", - "Got It": "Komprenite", "Dog": "Hundo", "Cat": "Kato", "Lion": "Leono", @@ -332,8 +304,6 @@ "Ignored users": "Malatentaj uzantoj", "Voice & Video": "Voĉo kaj vido", "Room information": "Informoj pri ĉambro", - "Room version": "Ĉambra versio", - "Room version:": "Ĉambra versio:", "Room Addresses": "Adresoj de ĉambro", "Share Link to User": "Kunhavigi ligilon al uzanto", "Share room": "Kunhavigi ĉambron", @@ -363,10 +333,6 @@ "Unrecognised address": "Nerekonita adreso", "The user must be unbanned before they can be invited.": "Necesas malforbari ĉi tiun uzanton antaŭ ol ĝin inviti.", "The user's homeserver does not support the version of the room.": "Hejmservilo de ĉi tiu uzanto ne subtenas la version de la ĉambro.", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Sekuraj mesaĝoj kun ĉi tiu uzanto estas tutvoje ĉirfitaj kaj nelegeblaj al ceteruloj.", - "Verify this user by confirming the following emoji appear on their screen.": "Kontrolu ĉi tiun uzanton per konfirmo, ke la jenaj bildsignoj aperis sur ĝia ekrano.", - "Verify this user by confirming the following number appears on their screen.": "Kontrolu ĉu tiun uzanton per konfirmo, ke la jena numero aperis sur ĝia ekrano.", - "Unable to find a supported verification method.": "Ne povas trovi subtenatan metodon de kontrolo.", "Santa": "Kristnaska viro", "Thumbs up": "Dikfingro supren", "Paperclip": "Paperkuntenilo", @@ -382,7 +348,6 @@ "Missing media permissions, click the button below to request.": "Mankas aŭdovidaj permesoj; klaku al la suba butono por peti.", "Request media permissions": "Peti aŭdovidajn permesojn", "Audio Output": "Sona eligo", - "View older messages in %(roomName)s.": "Montri pli malnovajn mesaĝojn en %(roomName)s.", "Account management": "Administrado de kontoj", "This event could not be displayed": "Ĉi tiu okazo ne povis montriĝi", "This room is not public. You will not be able to rejoin without an invite.": "Ĉi tiu ĉambro ne estas publika. Vi ne povos re-aliĝi sen invito.", @@ -450,21 +415,9 @@ "Remember my selection for this widget": "Memoru mian elekton por tiu ĉi fenestraĵo", "Unable to load backup status": "Ne povas legi staton de savkopio", "This homeserver would like to make sure you are not a robot.": "Ĉi tiu hejmservilo volas certigi, ke vi ne estas roboto.", - "Please review and accept all of the homeserver's policies": "Bonvolu tralegi kaj akcepti ĉioman politikon de ĉi tiu hejmservilo", - "Please review and accept the policies of this homeserver:": "Bonvolu tralegi kaj akcepti la politikon de ĉi tiu hejmservilo:", - "Use an email address to recover your account": "Uzu retpoŝtadreson por rehavi vian konton", - "Enter email address (required on this homeserver)": "Enigu retpoŝtadreson (ĉi tiu hejmservilo ĝin postulas)", - "Doesn't look like a valid email address": "Tio ne ŝajnas esti valida retpoŝtadreso", - "Enter password": "Enigu pasvorton", - "Password is allowed, but unsafe": "Pasvorto estas permesita, sed nesekura", - "Nice, strong password!": "Bona, forta pasvorto!", "Join millions for free on the largest public server": "Senpage aliĝu al milionoj sur la plej granda publika servilo", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Ĉi tiu ĉambro uziĝas por gravaj mesaĝoj de la hejmservilo, kaj tial vi ne povas foriri.", "Add room": "Aldoni ĉambron", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "Vi havas %(count)s nelegitajn sciigojn en antaŭa versio de ĉi tiu ĉambro.", - "one": "Vi havas %(count)s nelegitan sciigon en antaŭa versio de ĉi tiu ĉambro." - }, "Cannot reach homeserver": "Ne povas atingi hejmservilon", "Ensure you have a stable internet connection, or get in touch with the server admin": "Certiĝu ke vi havas stabilan retkonekton, aŭ kontaktu la administranton de la servilo", "Ask your %(brand)s admin to check your config for incorrect or duplicate entries.": "Petu vian %(brand)s-administranton kontroli vian agordaron je malĝustaj aŭ duoblaj eroj.", @@ -477,7 +430,6 @@ "Unexpected error resolving homeserver configuration": "Neatendita eraro eltrovi hejmservilajn agordojn", "Unexpected error resolving identity server configuration": "Neatendita eraro eltrovi agordojn de identiga servilo", "Start using Key Backup": "Ekuzi Savkopiadon de ŝlosiloj", - "Upgrade this room to the recommended room version": "Gradaltigi ĉi tiun ĉambron al rekomendata ĉambra versio", "Uploaded sound": "Alŝutita sono", "Sounds": "Sonoj", "Notification sound": "Sono de sciigo", @@ -496,7 +448,6 @@ "No backup found!": "Neniu savkopio troviĝis!", "Go to Settings": "Iri al agordoj", "No Audio Outputs detected": "Neniu soneligo troviĝis", - "Encryption": "Ĉifrado", "The conversation continues here.": "La interparolo daŭras ĉi tie.", "This room has been replaced and is no longer active.": "Ĉi tiu ĉambro estas anstataŭita, kaj ne plu aktivas.", "Only room administrators will see this warning": "Nur administrantoj de ĉambro vidos ĉi tiun averton", @@ -523,14 +474,7 @@ "Failed to decrypt %(failedCount)s sessions!": "Malsukcesis malĉifri%(failedCount)s salutaĵojn!", "Warning: you should only set up key backup from a trusted computer.": "Averto: vi agordu ŝlosilan savkopion nur per fidata komputilo.", "Resend %(unsentCount)s reaction(s)": "Resendi %(unsentCount)s reago(j)n", - "Passwords don't match": "Pasvortoj ne akordas", - "Other users can invite you to rooms using your contact details": "Aliaj uzantoj povas inviti vin al ĉambroj per viaj kontaktaj detaloj", - "Enter phone number (required on this homeserver)": "Enigu telefonnumeron (bezonata sur ĉi tiu hejmservilo)", - "Enter username": "Enigu uzantonomon", "Some characters not allowed": "Iuj signoj ne estas permesitaj", - "Terms and Conditions": "Uzokondiĉoj", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Por daŭre uzadi la hejmservilon %(homeserverDomain)s, vi devas tralegi kaj konsenti niajn uzokondiĉojn.", - "Review terms and conditions": "Tralegi uzokondiĉojn", "You can't send any messages until you review and agree to our terms and conditions.": "Vi ne povas sendi mesaĝojn ĝis vi tralegos kaj konsentos niajn uzokondiĉojn.", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Via mesaĝo ne sendiĝis, ĉar tiu ĉi hejmservilo atingis sian monatan limon de aktivaj uzantoj. Bonvolu kontakti vian administranton de servo por plue uzadi la servon.", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Via mesaĝo ne sendiĝis, ĉar tiu ĉi hejmservilo atingis rimedan limon. Bonvolu kontakti vian administranton de servo por plue uzadi la servon.", @@ -658,16 +602,6 @@ "Command Help": "Helpo pri komando", "Jump to first unread room.": "Salti al unua nelegita ĉambro.", "Jump to first invite.": "Salti al unua invito.", - "Error subscribing to list": "Eraris abono al listo", - "Error removing ignored user/server": "Eraris forigo de la malatentata uzanto/servilo", - "Error unsubscribing from list": "Eraris malabono de la listo", - "Please try again or view your console for hints.": "Bonvolu reprovi aŭ serĉi helpilojn en via konzolo.", - "You have not ignored anyone.": "Vi neniun malatentis.", - "You are not subscribed to any lists": "Vi neniun liston abonis", - "View rules": "Montri regulojn", - "You are currently subscribed to:": "Vi nun abonas:", - "⚠ These settings are meant for advanced users.": "⚠ Ĉi tiuj agordoj celas spertajn uzantojn.", - "Subscribed lists": "Abonataj listoj", "Your display name": "Via vidiga nomo", "Your user ID": "Via identigilo de uzanto", "Your theme": "Via haŭto", @@ -709,25 +643,14 @@ "Session already verified!": "Salutaĵo jam estas kontrolita!", "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "AVERTO: MALSUKCESIS KONTROLO DE ŜLOSILOJ! La subskriba ŝlosilo de %(userId)s kaj session %(deviceId)s estas «%(fprint)s», kiu ne akordas la donitan ŝlosilon «%(fingerprint)s». Tio povus signifi, ke via komunikado estas spionata!", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "La subskriba ŝlosilo, kiun vi donis, akordas la subskribas ŝlosilon, kinu vi ricevis de la salutaĵo %(deviceId)s de la uzanto %(userId)s. Salutaĵo estis markita kontrolita.", - "Waiting for %(displayName)s to verify…": "Atendas kontrolon de %(displayName)s…", - "Cancelling…": "Nuligante…", "Show more": "Montri pli", "Not Trusted": "Nefidata", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) salutis novan salutaĵon ne kontrolante ĝin:", "Ask this user to verify their session, or manually verify it below.": "Petu, ke ĉi tiu la uzanto kontrolu sian salutaĵon, aŭ kontrolu ĝin permane sube.", - "This bridge was provisioned by .": "Ĉi tiu ponto estas provizita de .", - "This bridge is managed by .": "Ĉi tiu ponto estas administrata de .", "Your homeserver does not support cross-signing.": "Via hejmservilo ne subtenas delegajn subskribojn.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Via konto havas identecon por delegaj subskriboj en sekreta deponejo, sed ĉi tiu salutaĵo ankoraŭ ne fidas ĝin.", - "Cross-signing public keys:": "Delegaj publikaj ŝlosiloj:", - "in memory": "en memoro", - "not found": "ne trovita", - "Cross-signing private keys:": "Delegaj privataj ŝlosiloj:", - "in secret storage": "en sekreta deponejo", "Secret storage public key:": "Publika ŝlosilo de sekreta deponejo:", "in account data": "en datumoj de konto", - "Homeserver feature support:": "Funkciaj kapabloj de hejmservilo:", - "exists": "ekzistas", "Securely cache encrypted messages locally for them to appear in search results.": "Sekure kaŝmemori ĉifritajn mesaĝojn loke, por aperigi ilin en serĉrezultoj.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s malhavas kelkajn partojn bezonajn por sekura loka kaŝmemorado de ĉirfitaj mesaĝoj. Se vi volas eksperimenti pri ĉi tiu kapablo, kunmetu propran klienton «%(brand)s Dekstop» kun aldonitaj serĉopartoj.", "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Ĉi tiu salutaĵo ne savkopias viajn ŝlosilojn, sed vi jam havas savkopion, el kiu vi povas rehavi datumojn, kaj ilin kreskigi plue.", @@ -738,22 +661,7 @@ "Your keys are not being backed up from this session.": "Viaj ŝlosiloj ne estas savkopiataj el ĉi tiu salutaĵo.", "Manage integrations": "Administri kunigojn", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Por raparto de sekureca problemo rilata al Matrix, bonvolu legi la Eldiran Politikon pri Sekureco de Matrix.org.", - "Ignored/Blocked": "Malatentita/Blokita", - "Error adding ignored user/server": "Eraris aldono de malatentita uzanto/servilo", - "Something went wrong. Please try again or view your console for hints.": "Io eraris. Bonvolu reprovi aŭ serĉi helpilojn en via konzolo.", "None": "Neniu", - "Ban list rules - %(roomName)s": "Reguloj de listo de forbaroj – %(roomName)s", - "Server rules": "Servilaj reguloj", - "User rules": "Uzantulaj reguloj", - "You are currently ignoring:": "Vi nun malatentas:", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Malatentado de personoj okazas per listoj de forbaroj, kiuj enhavas regulojn pri tio, kiun forbari. Abonado de listo de forbaroj signifas, ke la uzantoj/serviloj blokataj de la listo estos kaŝitaj de vi.", - "Personal ban list": "Persona listo de forbaroj", - "Server or user ID to ignore": "Malatentota servilo aŭ identigilo de uzanto", - "eg: @bot:* or example.org": "ekz: @bot:* aŭ ekzemplo.org", - "Subscribing to a ban list will cause you to join it!": "Abono de listo de forbaroj aligos vin al ĝi!", - "If this isn't what you want, please use a different tool to ignore users.": "Se vi ne volas tion, bonvolu uzi alian ilon por malatenti uzantojn.", - "Session ID:": "Identigilo de salutaĵo:", - "Session key:": "Ŝlosilo de salutaĵo:", "Message search": "Serĉado de mesaĝoj", "This room is bridging messages to the following platforms. Learn more.": "Ĉi tiu ĉambro transpontigas mesaĝojn al la jenaj platformoj. Eksciu plion.", "Bridges": "Pontoj", @@ -819,8 +727,6 @@ "Verification Request": "Kontrolpeto", "Remove for everyone": "Forigi por ĉiuj", "Country Dropdown": "Landa falmenuo", - "Confirm your identity by entering your account password below.": "Konfirmu vian identecon per enigo de la pasvorto de via konto sube.", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Mankas publika ŝlosilo por testo de homeco en hejmservila agordaro. Bonvolu raporti tion al la administranto de via hejmservilo.", "Enter your account password to confirm the upgrade:": "Enigu pasvorton de via konto por konfirmi la gradaltigon:", "Restore your key backup to upgrade your encryption": "Rehavu vian savkopion de ŝlosiloj por gradaltigi vian ĉifradon", "You'll need to authenticate with the server to confirm the upgrade.": "Vi devos aŭtentikigi kun la servilo por konfirmi la gradaltigon.", @@ -844,10 +750,6 @@ "Add a new server": "Aldoni novan servilon", "Enter the name of a new server you want to explore.": "Enigu la nomon de nova servilo, kiun vi volas esplori.", "Server name": "Nomo de servilo", - "Self signing private key:": "Memsubskriba privata ŝlosilo:", - "cached locally": "kaŝmemorita loke", - "not found locally": "ne trovita loke", - "User signing private key:": "Uzantosubskriba privata ŝlosilo:", "a new master key signature": "nova ĉefŝlosila subskribo", "a new cross-signing key signature": "nova subskribo de delega ŝlosilo", "a device cross-signing signature": "delega subskribo de aparato", @@ -906,8 +808,6 @@ "Confirm encryption setup": "Konfirmi agordon de ĉifrado", "Click the button below to confirm setting up encryption.": "Klaku sube la butonon por konfirmi agordon de ĉifrado.", "IRC display name width": "Larĝo de vidiga nomo de IRC", - "Please verify the room ID or address and try again.": "Bonvolu kontroli identigilon aŭ adreson de la ĉambro kaj reprovi.", - "Room ID or address of ban list": "Ĉambra identigilo aŭ adreso de listo de forbaroj", "Error creating address": "Eraris kreado de adreso", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Eraris kreado de tiu adreso. Eble ĝi ne estas permesata de la servilo, aŭ okazis portempa fiasko.", "You don't have permission to delete the address.": "Vi ne rajtas forigi la adreson.", @@ -922,9 +822,7 @@ "Your homeserver has exceeded one of its resource limits.": "Via hejmservilo atingis iun limon de rimedoj.", "Contact your server admin.": "Kontaktu administranton de via servilo.", "Ok": "Bone", - "New version available. Update now.": "Nova versio estas disponebla. Ĝisdatigu nun.", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s ne povas sekure kaŝkopii ĉifritajn mesaĝojn loke, funkciante per foliumilo. Uzu %(brand)s Desktop por aperigi ĉifritajn mesaĝojn en serĉrezultoj.", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Aldonu uzantojn kaj servilojn, kiujn vi volas malatenti, ĉi tien. Uzu steletojn por ke %(brand)s atendu iujn ajn signojn. Ekzemple, @bot:* malatentigus ĉiujn uzantojn, kiuj havas la nomon «bot» sur ĉiu ajn servilo.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "La administranto de via servilo malŝaltis implicitan tutvojan ĉifradon en privataj kaj individuaj ĉambroj.", "The authenticity of this encrypted message can't be guaranteed on this device.": "La aŭtentikeco de ĉi tiu ĉifrita mesaĝo ne povas esti garantiita sur ĉi tiu aparato.", "No recently visited rooms": "Neniuj freŝdate vizititaj ĉambroj", @@ -1005,8 +903,6 @@ "Backup version:": "Repaŝa versio:", "The operation could not be completed": "La ago ne povis finiĝi", "Failed to save your profile": "Malsukcesis konservi vian profilon", - "Master private key:": "Ĉefa privata ŝlosilo:", - "not found in storage": "netrovite en deponejo", "Cross-signing is not set up.": "Delegaj subskriboj ne estas agorditaj.", "Cross-signing is ready for use.": "Delegaj subskriboj estas pretaj por uzado.", "Safeguard against losing access to encrypted messages & data": "Malhelpu perdon de aliro al ĉifritaj mesaĝoj kaj datumoj", @@ -1277,16 +1173,11 @@ "one": "Sekure kaŝmemori ĉifritajn mesaĝojn loke por ke ili aperu inter serĉrezultoj, uzante %(size)s por deponi mesaĝojn el %(rooms)s ĉambroj.", "other": "Sekure kaŝmemori ĉifritajn mesaĝojn loke por ke ili aperu inter serĉrezultoj, uzante %(size)s por deponi mesaĝojn el %(rooms)s ĉambroj." }, - "Channel: ": "Kanalo: ", "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Tiu ĉi salutaĵo trovis, ke viaj Sekureca frazo kaj ŝlosilo por Sekuraj mesaĝoj foriĝis.", "A new Security Phrase and key for Secure Messages have been detected.": "Novaj Sekureca frazo kaj ŝlosilo por Sekuraj mesaĝoj troviĝis.", "Confirm your Security Phrase": "Konfirmu vian Sekurecan frazon", "Great! This Security Phrase looks strong enough.": "Bonege! La Sekureca frazo ŝajnas sufiĉe forta.", "There was a problem communicating with the homeserver, please try again later.": "Eraris komunikado kun la hejmservilo, bonvolu reprovi poste.", - "That phone number doesn't look quite right, please check and try again": "Tiu telefonnumero ne ŝajnas ĝusta, bonvolu kontroli kaj reprovi", - "Enter phone number": "Enigu telefonnumeron", - "Enter email address": "Enigu retpoŝtadreson", - "Something went wrong in confirming your identity. Cancel and try again.": "Io misokazis dum konfirmado de via identeco. Nuligu kaj reprovu.", "Hold": "Paŭzigi", "Resume": "Daŭrigi", "If you've forgotten your Security Key you can ": "Se vi forgesis vian Sekurecan ŝlosilon, vi povas ", @@ -1373,7 +1264,6 @@ "Click to copy": "Klaku por kopii", "You can change these anytime.": "Vi povas ŝanĝi ĉi tiujn kiam ajn vi volas.", "Create a space": "Krei aron", - "Original event source": "Originala fonto de okazo", "You may want to try a different search or check for typos.": "Eble vi provu serĉi alion, aŭ kontroli je mistajpoj.", "You don't have permission": "Vi ne rajtas", "Space options": "Agordoj de aro", @@ -1390,7 +1280,6 @@ "other": "Montri ĉiujn %(count)s anojn" }, "Failed to send": "Malsukcesis sendi", - "Workspace: ": "Laborspaco: ", "unknown person": "nekonata persono", "%(deviceId)s from %(ip)s": "%(deviceId)s de %(ip)s", "Review to ensure your account is safe": "Kontrolu por certigi sekurecon de via konto", @@ -1424,7 +1313,6 @@ "Retry all": "Reprovi ĉiujn", "Delete all": "Forigi ĉiujn", "Some of your messages have not been sent": "Kelkaj viaj mesaĝoj ne sendiĝis", - "Verification requested": "Kontrolpeto", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Vi estas la nura persono tie ĉi. Se vi foriros, neniu alia plu povos aliĝi, inkluzive vin mem.", "Avatar": "Profilbildo", "If you reset everything, you will restart with no trusted sessions, no trusted users, and might not be able to see past messages.": "Se vi restarigos ĉion, vi rekomencos sen fidataj salutaĵoj, uzantoj, kaj eble ne povos vidi antaŭajn mesaĝojn.", @@ -1596,14 +1484,6 @@ "Failed to end poll": "Malsukcesis fini balotenketon", "The poll has ended. Top answer: %(topAnswer)s": "La balotado finiĝis. Plej alta respondo: %(topAnswer)s", "The poll has ended. No votes were cast.": "La balotenketo finiĝis. Neniuj voĉoj estis ĵetitaj.", - "Results are only revealed when you end the poll": "Rezultoj estas malkaŝitaj nur kiam vi finas la balotenketo", - "What is your poll question or topic?": "Kio estas via balotenketo demando aŭ temo?", - "Poll type": "Balotspeco", - "Sorry, the poll you tried to create was not posted.": "Pardonu, la balotenketo, kiun vi provis krei, ne estis afiŝita.", - "Failed to post poll": "Malsukcesis afiŝi balotenketon", - "Edit poll": "Redaktu balotenketon", - "Create poll": "Krei balotenketon", - "Create Poll": "Krei Balotenketon", "Results will be visible when the poll is ended": "Rezultoj estos videblaj kiam la balotenketo finiĝos", "Sorry, you can't edit a poll after votes have been cast.": "Pardonu, vi ne povas redakti balotenketon post voĉdonado.", "Can't edit poll": "Ne povas redakti balotenketon", @@ -1913,7 +1793,11 @@ "group_encryption": "Ĉifrado", "group_developer": "Programisto", "leave_beta": "Ĉesi provadon", - "join_beta": "Aliĝi al provado" + "join_beta": "Aliĝi al provado", + "bridge_state_creator": "Ĉi tiu ponto estas provizita de .", + "bridge_state_manager": "Ĉi tiu ponto estas administrata de .", + "bridge_state_workspace": "Laborspaco: ", + "bridge_state_channel": "Kanalo: " }, "keyboard": { "home": "Hejmo", @@ -2140,7 +2024,26 @@ "send_analytics": "Sendi statistikajn datumojn", "strict_encryption": "Neniam sendi ĉifritajn mesaĝojn al nekontrolitaj salutaĵoj de ĉi tiu salutaĵo", "enable_message_search": "Ŝalti serĉon de mesaĝoj en ĉifritaj ĉambroj", - "manually_verify_all_sessions": "Permane kontroli ĉiujn forajn salutaĵojn" + "manually_verify_all_sessions": "Permane kontroli ĉiujn forajn salutaĵojn", + "cross_signing_public_keys": "Delegaj publikaj ŝlosiloj:", + "cross_signing_in_memory": "en memoro", + "cross_signing_not_found": "ne trovita", + "cross_signing_private_keys": "Delegaj privataj ŝlosiloj:", + "cross_signing_in_4s": "en sekreta deponejo", + "cross_signing_not_in_4s": "netrovite en deponejo", + "cross_signing_master_private_Key": "Ĉefa privata ŝlosilo:", + "cross_signing_cached": "kaŝmemorita loke", + "cross_signing_not_cached": "ne trovita loke", + "cross_signing_self_signing_private_key": "Memsubskriba privata ŝlosilo:", + "cross_signing_user_signing_private_key": "Uzantosubskriba privata ŝlosilo:", + "cross_signing_homeserver_support": "Funkciaj kapabloj de hejmservilo:", + "cross_signing_homeserver_support_exists": "ekzistas", + "export_megolm_keys": "Elporti tutvoje ĉifrajn ŝlosilojn de la ĉambro", + "import_megolm_keys": "Enporti tutvoje ĉifrajn ĉambrajn ŝlosilojn", + "cryptography_section": "Ĉifroteĥnikaro", + "session_id": "Identigilo de salutaĵo:", + "session_key": "Ŝlosilo de salutaĵo:", + "encryption_section": "Ĉifrado" }, "preferences": { "room_list_heading": "Ĉambrolisto", @@ -2189,6 +2092,10 @@ "other": "Elsaluti el %(count)s salutaĵoj" }, "other_sessions_heading": "Aliaj salutaĵoj" + }, + "general": { + "account_section": "Konto", + "language_section": "Lingvo kaj regiono" } }, "devtools": { @@ -2222,7 +2129,8 @@ "category_other": "Alia", "widget_screenshots": "Ŝalti bildojn de fenestraĵoj por subtenataj fenestraĵoj", "show_hidden_events": "Montri kaŝitajn okazojn en historio", - "view_source_decrypted_event_source": "Malĉifrita fonto de okazo" + "view_source_decrypted_event_source": "Malĉifrita fonto de okazo", + "original_event_source": "Originala fonto de okazo" }, "export_chat": { "html": "HTML", @@ -2758,6 +2666,13 @@ "url_preview_encryption_warning": "En ĉifritaj ĉambroj, kiel ĉi tiu, antaŭrigardoj al URL-oj estas implicite malŝaltitaj por certigi, ke via hejmservilo (kie la antaŭrigardoj estas generataj) ne povas kolekti informojn pri ligiloj en ĉi tiu ĉambro.", "url_preview_explainer": "Kiam iu metas URL-on en sian mesaĝon, antaŭrigardo al tiu URL povas montriĝi, por doni pliajn informojn pri tiu ligilo, kiel ekzemple la titolon, priskribon, kaj bildon el la retejo.", "url_previews_section": "Antaŭrigardoj al retpaĝoj" + }, + "advanced": { + "unfederated": "Ĉi tiu ĉambro ne atingeblas por foraj serviloj de Matrix", + "room_upgrade_button": "Gradaltigi ĉi tiun ĉambron al rekomendata ĉambra versio", + "room_predecessor": "Montri pli malnovajn mesaĝojn en %(roomName)s.", + "room_version_section": "Ĉambra versio", + "room_version": "Ĉambra versio:" } }, "encryption": { @@ -2770,8 +2685,18 @@ "complete_description": "Vi sukcese kontrolis ĉi tiun uzanton.", "qr_prompt": "Skanu ĉi tiun unikan kodon", "sas_prompt": "Komparu unikajn bildsignojn", - "sas_description": "Komparu unikan aron de bildsignoj se vi ne havas kameraon sur la alia aparato" - } + "sas_description": "Komparu unikan aron de bildsignoj se vi ne havas kameraon sur la alia aparato", + "explainer": "Sekuraj mesaĝoj kun ĉi tiu uzanto estas tutvoje ĉirfitaj kaj nelegeblaj al ceteruloj.", + "complete_action": "Komprenite", + "sas_emoji_caption_user": "Kontrolu ĉi tiun uzanton per konfirmo, ke la jenaj bildsignoj aperis sur ĝia ekrano.", + "sas_caption_user": "Kontrolu ĉu tiun uzanton per konfirmo, ke la jena numero aperis sur ĝia ekrano.", + "unsupported_method": "Ne povas trovi subtenatan metodon de kontrolo.", + "waiting_other_user": "Atendas kontrolon de %(displayName)s…", + "cancelling": "Nuligante…" + }, + "old_version_detected_title": "Malnovaj datumoj de ĉifroteĥnikaro troviĝis", + "old_version_detected_description": "Datumoj el malnova versio de %(brand)s troviĝis. Ĉi tio malfunkciigos tutvojan ĉifradon en la malnova versio. Tutvoje ĉifritaj mesaĝoj interŝanĝitaj freŝtempe per la malnova versio eble ne malĉifreblos. Tio povas kaŭzi malsukceson ankaŭ al mesaĝoj interŝanĝitaj kun tiu ĉi versio. Se vin trafos problemoj, adiaŭu kaj resalutu. Por reteni mesaĝan historion, elportu kaj reenportu viajn ŝlosilojn.", + "verification_requested_toast_title": "Kontrolpeto" }, "emoji": { "category_frequently_used": "Ofte uzataj", @@ -2864,7 +2789,43 @@ "phone_optional_label": "Telefono (malnepra)", "email_help_text": "Aldonu retpoŝtadreson por ebligi rehavon de via pasvorto.", "email_phone_discovery_text": "Uzu retpoŝtadreson aŭ telefonnumeron por laŭplaĉe esti trovebla de jamaj kontaktoj.", - "email_discovery_text": "Uzu retpoŝtadreson por laŭplaĉe esti trovebla de jamaj kontaktoj." + "email_discovery_text": "Uzu retpoŝtadreson por laŭplaĉe esti trovebla de jamaj kontaktoj.", + "session_logged_out_title": "Adiaŭinta", + "session_logged_out_description": "Pro sekurecaj kialoj, la salutaĵo adiaŭiĝis. Bonvolu resaluti.", + "change_password_mismatch": "Novaj pasvortoj ne akordas", + "change_password_empty": "Pasvortoj ne povas esti malplenaj", + "set_email_prompt": "Ĉu vi volas agordi retpoŝtadreson?", + "change_password_confirm_label": "Konfirmu pasvorton", + "change_password_confirm_invalid": "Pasvortoj ne akordas", + "change_password_current_label": "Nuna pasvorto", + "change_password_new_label": "Nova pasvorto", + "change_password_action": "Ŝanĝi pasvorton", + "email_field_label": "Retpoŝto", + "email_field_label_required": "Enigu retpoŝtadreson", + "email_field_label_invalid": "Tio ne ŝajnas esti valida retpoŝtadreso", + "uia": { + "password_prompt": "Konfirmu vian identecon per enigo de la pasvorto de via konto sube.", + "recaptcha_missing_params": "Mankas publika ŝlosilo por testo de homeco en hejmservila agordaro. Bonvolu raporti tion al la administranto de via hejmservilo.", + "terms_invalid": "Bonvolu tralegi kaj akcepti ĉioman politikon de ĉi tiu hejmservilo", + "terms": "Bonvolu tralegi kaj akcepti la politikon de ĉi tiu hejmservilo:", + "msisdn_token_incorrect": "Malĝusta peco", + "msisdn": "Tekstmesaĝo sendiĝîs al %(msisdn)s", + "msisdn_token_prompt": "Bonvolu enigi la enhavatan kodon:", + "sso_failed": "Io misokazis dum konfirmado de via identeco. Nuligu kaj reprovu.", + "fallback_button": "Komenci aŭtentikigon" + }, + "password_field_label": "Enigu pasvorton", + "password_field_strong_label": "Bona, forta pasvorto!", + "password_field_weak_label": "Pasvorto estas permesita, sed nesekura", + "username_field_required_invalid": "Enigu uzantonomon", + "msisdn_field_required_invalid": "Enigu telefonnumeron", + "msisdn_field_number_invalid": "Tiu telefonnumero ne ŝajnas ĝusta, bonvolu kontroli kaj reprovi", + "msisdn_field_label": "Telefono", + "identifier_label": "Saluti per", + "reset_password_email_field_description": "Uzu retpoŝtadreson por rehavi vian konton", + "reset_password_email_field_required_invalid": "Enigu retpoŝtadreson (ĉi tiu hejmservilo ĝin postulas)", + "msisdn_field_description": "Aliaj uzantoj povas inviti vin al ĉambroj per viaj kontaktaj detaloj", + "registration_msisdn_field_required_invalid": "Enigu telefonnumeron (bezonata sur ĉi tiu hejmservilo)" }, "room_list": { "sort_unread_first": "Montri ĉambrojn kun nelegitaj mesaĝoj kiel unuajn", @@ -3057,7 +3018,11 @@ "see_changes_button": "Kio novas?", "release_notes_toast_title": "Kio novas", "toast_title": "Ĝisdatigi %(brand)s", - "toast_description": "Nova versio de %(brand)s disponeblas" + "toast_description": "Nova versio de %(brand)s disponeblas", + "error_encountered": "Eraron renkonti (%(errorDetail)s).", + "no_update": "Neniuj ĝisdatigoj haveblas.", + "new_version_available": "Nova versio estas disponebla. Ĝisdatigu nun.", + "check_action": "Kontroli ĝisdatigojn" }, "theme": { "light_high_contrast": "Malpeza alta kontrasto" @@ -3089,7 +3054,34 @@ }, "labs_mjolnir": { "room_name": "Mia listo de forbaroj", - "room_topic": "Ĉi tio estas la listo de uzantoj/serviloj, kiujn vi blokis – ne eliru el la ĉambro!" + "room_topic": "Ĉi tio estas la listo de uzantoj/serviloj, kiujn vi blokis – ne eliru el la ĉambro!", + "ban_reason": "Malatentita/Blokita", + "error_adding_ignore": "Eraris aldono de malatentita uzanto/servilo", + "something_went_wrong": "Io eraris. Bonvolu reprovi aŭ serĉi helpilojn en via konzolo.", + "error_adding_list_title": "Eraris abono al listo", + "error_adding_list_description": "Bonvolu kontroli identigilon aŭ adreson de la ĉambro kaj reprovi.", + "error_removing_ignore": "Eraris forigo de la malatentata uzanto/servilo", + "error_removing_list_title": "Eraris malabono de la listo", + "error_removing_list_description": "Bonvolu reprovi aŭ serĉi helpilojn en via konzolo.", + "rules_title": "Reguloj de listo de forbaroj – %(roomName)s", + "rules_server": "Servilaj reguloj", + "rules_user": "Uzantulaj reguloj", + "personal_empty": "Vi neniun malatentis.", + "personal_section": "Vi nun malatentas:", + "no_lists": "Vi neniun liston abonis", + "view_rules": "Montri regulojn", + "lists": "Vi nun abonas:", + "title": "Malatentaj uzantoj", + "advanced_warning": "⚠ Ĉi tiuj agordoj celas spertajn uzantojn.", + "explainer_1": "Aldonu uzantojn kaj servilojn, kiujn vi volas malatenti, ĉi tien. Uzu steletojn por ke %(brand)s atendu iujn ajn signojn. Ekzemple, @bot:* malatentigus ĉiujn uzantojn, kiuj havas la nomon «bot» sur ĉiu ajn servilo.", + "explainer_2": "Malatentado de personoj okazas per listoj de forbaroj, kiuj enhavas regulojn pri tio, kiun forbari. Abonado de listo de forbaroj signifas, ke la uzantoj/serviloj blokataj de la listo estos kaŝitaj de vi.", + "personal_heading": "Persona listo de forbaroj", + "personal_new_label": "Malatentota servilo aŭ identigilo de uzanto", + "personal_new_placeholder": "ekz: @bot:* aŭ ekzemplo.org", + "lists_heading": "Abonataj listoj", + "lists_description_1": "Abono de listo de forbaroj aligos vin al ĝi!", + "lists_description_2": "Se vi ne volas tion, bonvolu uzi alian ilon por malatenti uzantojn.", + "lists_new_label": "Ĉambra identigilo aŭ adreso de listo de forbaroj" }, "create_space": { "name_required": "Bonvolu enigi nomon por la aro", @@ -3144,6 +3136,10 @@ "private_unencrypted_warning": "Viaj privataj mesaĝoj normale estas ĉifrataj, sed ĉi tiu ĉambro ne estas ĉifrata. Plej ofte tio okazas pro uzo de nesubtenata aparato aŭ metodo, ekzemple retpoŝtaj invitoj.", "enable_encryption_prompt": "Ŝaltu ĉifradon per agordoj.", "unencrypted_warning": "Tutvoja ĉifrado ne estas ŝaltita" + }, + "unread_notifications_predecessor": { + "other": "Vi havas %(count)s nelegitajn sciigojn en antaŭa versio de ĉi tiu ĉambro.", + "one": "Vi havas %(count)s nelegitan sciigon en antaŭa versio de ĉi tiu ĉambro." } }, "file_panel": { @@ -3158,9 +3154,22 @@ "intro": "Por pluigi, vi devas akcepti la uzokondiĉojn de ĉi tiu servo.", "column_service": "Servo", "column_summary": "Resumo", - "column_document": "Dokumento" + "column_document": "Dokumento", + "tac_title": "Uzokondiĉoj", + "tac_description": "Por daŭre uzadi la hejmservilon %(homeserverDomain)s, vi devas tralegi kaj konsenti niajn uzokondiĉojn.", + "tac_button": "Tralegi uzokondiĉojn" }, "space_settings": { "title": "Agordoj – %(spaceName)s" + }, + "poll": { + "create_poll_title": "Krei balotenketon", + "create_poll_action": "Krei Balotenketon", + "edit_poll_title": "Redaktu balotenketon", + "failed_send_poll_title": "Malsukcesis afiŝi balotenketon", + "failed_send_poll_description": "Pardonu, la balotenketo, kiun vi provis krei, ne estis afiŝita.", + "type_heading": "Balotspeco", + "topic_heading": "Kio estas via balotenketo demando aŭ temo?", + "notes": "Rezultoj estas malkaŝitaj nur kiam vi finas la balotenketo" } } diff --git a/src/i18n/strings/es.json b/src/i18n/strings/es.json index 35b3313ef9..51cdf52abb 100644 --- a/src/i18n/strings/es.json +++ b/src/i18n/strings/es.json @@ -1,5 +1,4 @@ { - "Account": "Cuenta", "Authentication": "Autenticación", "%(items)s and %(lastItem)s": "%(items)s y %(lastItem)s", "and %(count)s others...": { @@ -11,18 +10,12 @@ "Are you sure?": "¿Estás seguro?", "Are you sure you want to reject the invitation?": "¿Estás seguro que quieres rechazar la invitación?", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "No se ha podido conectar al servidor base a través de HTTP, cuando es necesario un enlace HTTPS en la barra de direcciones de tu navegador. Ya sea usando HTTPS o activando los scripts inseguros.", - "Change Password": "Cambiar la contraseña", - "Confirm password": "Confirmar contraseña", - "Cryptography": "Criptografía", - "Current password": "Contraseña actual", "Deactivate Account": "Desactivar cuenta", "Decrypt %(text)s": "Descifrar %(text)s", "Default": "Por defecto", "Download %(text)s": "Descargar %(text)s", - "Email": "Correo electrónico", "Email address": "Dirección de correo electrónico", "Error decrypting attachment": "Error al descifrar adjunto", - "Export E2E room keys": "Exportar claves de salas con cifrado de extremo a extremo", "Failed to ban user": "Bloqueo del usuario falló", "Failed to change password. Is your password correct?": "No se ha podido cambiar la contraseña. ¿Has escrito tu contraseña actual correctamente?", "Failed to change power level": "Fallo al cambiar de nivel de acceso", @@ -39,13 +32,10 @@ "Favourite": "Añadir a favoritos", "Filter room members": "Filtrar miembros de la sala", "Forget room": "Olvidar sala", - "For security, this session has been signed out. Please sign in again.": "Esta sesión ha sido cerrada. Por favor, inicia sesión de nuevo.", "Historical": "Historial", - "Import E2E room keys": "Importar claves de salas con cifrado de extremo a extremo", "Incorrect verification code": "Verificación de código incorrecta", "Invalid Email Address": "Dirección de Correo Electrónico Inválida", "Invalid file%(extra)s": "Archivo inválido %(extra)s", - "Sign in with": "Iniciar sesión con", "Join Room": "Unirme a la sala", "Low priority": "Prioridad baja", "Admin Tools": "Herramientas de administración", @@ -59,7 +49,6 @@ "Jump to first unread message.": "Ir al primer mensaje no leído.", "Something went wrong!": "¡Algo ha fallado!", "Create new room": "Crear una nueva sala", - "New Password": "Contraseña nueva", "Passphrases must match": "Las contraseñas deben coincidir", "Passphrase must not be empty": "La contraseña no puede estar en blanco", "Export room keys": "Exportar claves de sala", @@ -77,8 +66,6 @@ "Server may be unavailable, overloaded, or search timed out :(": "El servidor podría estar saturado o desconectado, o la búsqueda caducó :(", "Server may be unavailable, overloaded, or you hit a bug.": "El servidor podría estar saturado o desconectado, o has encontrado un fallo.", "Session ID": "ID de Sesión", - "Signed Out": "Desconectado", - "Start authentication": "Iniciar autenticación", "No media permissions": "Sin permisos para el medio", "You may need to manually permit %(brand)s to access your microphone/webcam": "Probablemente necesites dar permisos manualmente a %(brand)s para tu micrófono/cámara", "Are you sure you want to leave the room '%(roomName)s'?": "¿Salir de la sala «%(roomName)s»?", @@ -86,7 +73,6 @@ "Missing room_id in request": "Falta el room_id en la solicitud", "Missing user_id in request": "Falta el user_id en la solicitud", "Moderator": "Moderador", - "New passwords don't match": "Las contraseñas nuevas no coinciden", "New passwords must match each other.": "Las contraseñas nuevas deben coincidir.", "not specified": "sin especificar", "Notifications": "Notificaciones", @@ -94,8 +80,6 @@ "No display name": "Sin nombre público", "No more results": "No hay más resultados", "Operation failed": "Falló la operación", - "Passwords can't be empty": "Las contraseñas no pueden estar en blanco", - "Phone": "Teléfono", "Please check your email and click on the link it contains. Once this is done, click continue.": "Por favor, consulta tu correo electrónico y haz clic en el enlace que contiene. Una vez hecho esto, haz clic en continuar.", "Power level must be positive integer.": "El nivel de autoridad debe ser un número entero positivo.", "Profile": "Perfil", @@ -111,9 +95,7 @@ "This room is not recognised.": "No se reconoce esta sala.", "This doesn't appear to be a valid email address": "Esto no parece un e-mail váido", "This phone number is already in use": "Este número de teléfono ya está en uso", - "This room is not accessible by remote Matrix servers": "Esta sala no es accesible desde otros servidores de Matrix", "unknown error code": "Código de error desconocido", - "Do you want to set an email address?": "¿Quieres poner una dirección de correo electrónico?", "This will allow you to reset your password and receive notifications.": "Esto te permitirá reiniciar tu contraseña y recibir notificaciones.", "Authentication check failed: incorrect password?": "La verificación de autenticación falló: ¿contraseña incorrecta?", "Delete widget": "Eliminar accesorio", @@ -176,7 +158,6 @@ "Unavailable": "No disponible", "Source URL": "URL de Origen", "Filter results": "Filtrar resultados", - "No update available.": "No hay actualizaciones disponibles.", "Tuesday": "Martes", "Search…": "Buscar…", "Preparing to send logs": "Preparando para enviar registros", @@ -192,7 +173,6 @@ "Thursday": "Jueves", "Logs sent": "Registros enviados", "Yesterday": "Ayer", - "Error encountered (%(errorDetail)s).": "Error encontrado (%(errorDetail)s).", "Low Priority": "Prioridad baja", "Wednesday": "Miércoles", "Permission Required": "Se necesita permiso", @@ -234,9 +214,6 @@ "Failed to copy": "Falló la copia", "Add an Integration": "Añadir una Integración", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Estás a punto de ir a un sitio externo para que puedas iniciar sesión con tu cuenta y usarla en %(integrationsUrl)s. ¿Quieres seguir?", - "Token incorrect": "Token incorrecto", - "A text message has been sent to %(msisdn)s": "Se envió un mensaje de texto a %(msisdn)s", - "Please enter the code it contains:": "Por favor, escribe el código que contiene:", "Delete Widget": "Eliminar accesorio", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Al borrar un accesorio, este se elimina para todos usuarios de la sala. ¿Estás seguro?", "Popout widget": "Abrir accesorio en una ventana emergente", @@ -265,15 +242,9 @@ "This room is not public. You will not be able to rejoin without an invite.": "Esta sala no es pública. No podrás volver a unirte sin una invitación.", "Can't leave Server Notices room": "No se puede salir de la sala de avisos del servidor", "This room is used for important messages from the Homeserver, so you cannot leave it.": "La sala se usa para mensajes importantes del servidor base, así que no puedes abandonarla.", - "Terms and Conditions": "Términos y condiciones", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Para continuar usando el servidor base %(homeserverDomain)s, debes revisar y estar de acuerdo con nuestros términos y condiciones.", - "Review terms and conditions": "Revisar términos y condiciones", - "Old cryptography data detected": "Se detectó información de criptografía antigua", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Se detectó una versión más antigua de %(brand)s. Esto habrá provocado que la criptografía de extremo a extremo funcione incorrectamente en la versión más antigua. Los mensajes cifrados de extremo a extremo intercambiados recientemente mientras usaba la versión más antigua puede que no sean descifrables con esta versión. Esto también puede hacer que fallen con la más reciente. Si experimenta problemas, desconecte y vuelva a ingresar. Para conservar el historial de mensajes, exporte y vuelva a importar sus claves.", "You can't send any messages until you review and agree to our terms and conditions.": "No puedes enviar ningún mensaje hasta que revises y estés de acuerdo con nuestros términos y condiciones.", "Connectivity to the server has been lost.": "Se ha perdido la conexión con el servidor.", "Sent messages will be stored until your connection has returned.": "Los mensajes enviados se almacenarán hasta que vuelva la conexión.", - "Check for update": "Comprobar si hay actualizaciones", "No Audio Outputs detected": "No se han detectado salidas de sonido", "Audio Output": "Salida de sonido", "Please note you are logging into the %(hs)s server, not matrix.org.": "Por favor, ten en cuenta que estás iniciando sesión en el servidor %(hs)s, y no en matrix.org.", @@ -299,22 +270,16 @@ "Upgrade this room to version %(version)s": "Actualiza esta sala a la versión %(version)s", "%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s ahora utiliza de 3 a 5 veces menos memoria, porque solo carga información sobre otros usuarios cuando es necesario. Por favor, ¡aguarda mientras volvemos a sincronizar con el servidor!", "Updating %(brand)s": "Actualizando %(brand)s", - "Room version:": "Versión de la sala:", - "Room version": "Versión de la sala", "Room information": "Información de la sala", "Room Topic": "Asunto de la sala", "Voice & Video": "Voz y vídeo", "Phone numbers": "Números de teléfono", "Email addresses": "Correos electrónicos", - "Language and region": "Idioma y región", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "El archivo «%(fileName)s» supera el tamaño límite del servidor para subidas", "Unable to load! Check your network connectivity and try again.": "No se ha podido cargar. Comprueba tu conexión de red e inténtalo de nuevo.", "Unrecognised address": "Dirección desconocida", "You do not have permission to invite people to this room.": "No tienes permisos para inviitar gente a esta sala.", "Unknown server error": "Error desconocido del servidor", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Los mensajes seguros con este usuario están cifrados punto a punto y no es posible que los lean otros.", - "Verify this user by confirming the following number appears on their screen.": "Verifica a este usuario confirmando que este número aparece en su pantalla.", - "Unable to find a supported verification method.": "No es posible encontrar un método de verificación soportado.", "Dog": "Perro", "Cat": "Gato", "Lion": "León", @@ -394,7 +359,6 @@ "General": "General", "Room Addresses": "Direcciones de la sala", "Account management": "Gestión de la cuenta", - "Encryption": "Cifrado", "Ignored users": "Usuarios ignorados", "Bulk options": "Opciones generales", "Missing media permissions, click the button below to request.": "No hay permisos de medios, haz clic abajo para pedirlos.", @@ -414,7 +378,6 @@ "Continue With Encryption Disabled": "Seguir con el cifrado desactivado", "Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Verifica a este usuario para marcarlo como de confianza. Confiar en usuarios aporta tranquilidad en los mensajes cifrados de extremo a extremo.", "Incoming Verification Request": "Petición de verificación entrante", - "Verify this user by confirming the following emoji appear on their screen.": "Verifica este usuario confirmando que los siguientes emojis aparecen en su pantalla.", "Your %(brand)s is misconfigured": "Tu %(brand)s tiene un error de configuración", "The file '%(fileName)s' failed to upload.": "La subida del archivo «%(fileName)s ha fallado.", "The server does not support the room version specified.": "El servidor no soporta la versión de sala especificada.", @@ -430,7 +393,6 @@ "Unexpected error resolving identity server configuration": "Error inesperado en la configuración del servidor de identidad", "The user must be unbanned before they can be invited.": "El usuario debe ser desbloqueado antes de poder ser invitado.", "The user's homeserver does not support the version of the room.": "El servidor del usuario no soporta la versión de la sala.", - "Got It": "Entendido", "Scissors": "Tijeras", "Call failed due to misconfigured server": "La llamada ha fallado debido a una mala configuración del servidor", "Please ask the administrator of your homeserver (%(homeserverDomain)s) to configure a TURN server in order for calls to work reliably.": "Por favor, pídele al administrador de tu servidor base (%(homeserverDomain)s) que configure un servidor TURN para que las llamadas funcionen correctamente.", @@ -449,10 +411,6 @@ "Cannot connect to integration manager": "No se puede conectar al gestor de integraciones", "The integration manager is offline or it cannot reach your homeserver.": "El gestor de integraciones está desconectado o no puede conectar con su servidor.", "Jump to first unread room.": "Saltar a la primera sala sin leer.", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "Tiene %(count)s notificaciones sin leer en una versión anterior de esta sala.", - "one": "Tiene %(count)s notificaciones sin leer en una versión anterior de esta sala." - }, "Setting up keys": "Configurando claves", "Verify this session": "Verifica esta sesión", "Encryption upgrade available": "Mejora de cifrado disponible", @@ -464,8 +422,6 @@ "Other users may not trust it": "Puede que otros usuarios no confíen en ella", "Later": "Más tarde", "Show more": "Ver más", - "in memory": "en memoria", - "not found": "no encontrado", "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Estás usando actualmente para descubrir y ser descubierto por contactos existentes que conoces. Puedes cambiar tu servidor de identidad más abajo.", "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Si no quieres usar para descubrir y ser descubierto por contactos existentes que conoces, introduce otro servidor de identidad más abajo.", "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "No estás usando un servidor de identidad ahora mismo. Para descubrir y ser descubierto por contactos existentes que conoces, introduce uno más abajo.", @@ -519,32 +475,12 @@ "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Acepta los términos de servicio del servidor de identidad %(serverName)s para poder ser encontrado por dirección de correo electrónico o número de teléfono.", "Discovery": "Descubrimiento", "Deactivate account": "Desactivar cuenta", - "Ignored/Blocked": "Ignorado/Bloqueado", - "Error adding ignored user/server": "Error al añadir usuario/servidor ignorado", - "Error subscribing to list": "Error al suscribirse a la lista", - "Error removing ignored user/server": "Error al eliminar usuario/servidor ignorado", - "Error unsubscribing from list": "Error al cancelar la suscripción a la lista", "None": "Ninguno", - "Server rules": "Reglas del servidor", - "User rules": "Reglas de usuario", - "You have not ignored anyone.": "No has ignorado a nadie.", - "You are currently ignoring:": "Estás ignorando actualmente:", - "You are not subscribed to any lists": "No estás suscrito a ninguna lista", - "View rules": "Ver reglas", - "You are currently subscribed to:": "Estás actualmente suscrito a:", - "⚠ These settings are meant for advanced users.": "⚠ Estas opciones son indicadas para usuarios avanzados.", - "Personal ban list": "Lista de bloqueo personal", - "Server or user ID to ignore": "Servidor o ID de usuario a ignorar", - "eg: @bot:* or example.org": "ej.: @bot:* o ejemplo.org", "Cancel entering passphrase?": "¿Cancelar el ingresar tu contraseña de recuperación?", - "Waiting for %(displayName)s to verify…": "Esperando la verificación de %(displayName)s…", - "in secret storage": "en almacén secreto", "Secret storage public key:": "Clave pública del almacén secreto:", "in account data": "en datos de cuenta", "not stored": "no almacenado", "Message search": "Búsqueda de mensajes", - "Upgrade this room to the recommended room version": "Actualizar esta sala a la versión de sala recomendada", - "View older messages in %(roomName)s.": "Ver mensajes antiguos en %(roomName)s.", "Sounds": "Sonidos", "Notification sound": "Sonido para las notificaciones", "Set a new custom sound": "Establecer sonido personalizado", @@ -580,22 +516,11 @@ "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) inició una nueva sesión sin verificarla:", "Ask this user to verify their session, or manually verify it below.": "Pídele al usuario que verifique su sesión, o verifícala manualmente a continuación.", "Not Trusted": "No es de confianza", - "Cancelling…": "Anulando…", "Set up": "Configurar", - "This bridge was provisioned by .": "Este puente fue aportado por .", - "This bridge is managed by .": "Este puente lo gestiona .", "Your homeserver does not support cross-signing.": "Tu servidor base no soporta las firmas cruzadas.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Su cuenta tiene una identidad de firma cruzada en un almacenamiento secreto, pero aún no es confiada en esta sesión.", "well formed": "bien formado", "unexpected type": "tipo inesperado", - "Cross-signing public keys:": "Firmando las llaves públicas de manera cruzada:", - "Cross-signing private keys:": "Firmando las llaves privadas de manera cruzada:", - "Self signing private key:": "Clave privada autofirmada:", - "cached locally": "almacenado localmente", - "not found locally": "no encontrado localmente", - "User signing private key:": "Usuario firmando llave privada:", - "Homeserver feature support:": "Características compatibles con tu servidor base:", - "exists": "existe", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Verificar individualmente cada sesión utilizada por un usuario para marcarla como de confianza, no confiando en dispositivos de firma cruzada.", "Securely cache encrypted messages locally for them to appear in search results.": "Almacenar localmente, de manera segura, a los mensajes cifrados localmente para que aparezcan en los resultados de búsqueda.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "A %(brand)s le faltan algunos componentes necesarios para el almacenamiento seguro de mensajes cifrados a nivel local. Si quieres experimentar con esta característica, construye un Escritorio %(brand)s personalizado con componentes de búsqueda añadidos.", @@ -610,16 +535,6 @@ "You are still sharing your personal data on the identity server .": "Usted todavía está compartiendo sus datos personales en el servidor de identidad .", "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Le recomendamos que elimine sus direcciones de correo electrónico y números de teléfono del servidor de identidad antes de desconectarse.", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Para informar de un problema de seguridad relacionado con Matrix, lee la Política de divulgación de seguridad de Matrix.org.", - "Something went wrong. Please try again or view your console for hints.": "Algo salió mal. Por favor, inténtalo de nuevo o mira tu consola para encontrar pistas.", - "Please try again or view your console for hints.": "Por favor, inténtalo de nuevo o mira tu consola para encontrar pistas.", - "Ban list rules - %(roomName)s": "Reglas de la lista negra - %(roomName)s", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Añade los usuarios y servidores que quieras ignorar aquí. Usa asteriscos para que %(brand)s coincida cualquier conjunto de caracteres. Por ejemplo, @bot:* ignoraría a todos los usuarios,en cualquier servidor, que tengan el nombre 'bot' .", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Ignorar usuarios se hace mediante listas negras que contienen reglas sobre a quién bloquear. Suscribirse a una lista negra significa que los usuarios/servidores bloqueados serán invisibles para tí.", - "Subscribed lists": "Listados a que subscribiste", - "Subscribing to a ban list will cause you to join it!": "¡Suscribirse a una lista negra hará unirte a ella!", - "If this isn't what you want, please use a different tool to ignore users.": "Si esto no es lo que quieres, por favor usa una herramienta diferente para ignorar usuarios.", - "Session ID:": "Identidad (ID) de sesión:", - "Session key:": "Código de sesión:", "Accept all %(invitedRooms)s invites": "Aceptar todas las invitaciones de %(invitedRooms)s", "This room is bridging messages to the following platforms. Learn more.": "Esta sala está haciendo puente con las siguientes plataformas. Aprende más.", "Bridges": "Puentes", @@ -844,20 +759,6 @@ "Remove for everyone": "Eliminar para todos", "This homeserver would like to make sure you are not a robot.": "A este servidor le gustaría asegurarse de que no eres un robot.", "Country Dropdown": "Seleccione país", - "Confirm your identity by entering your account password below.": "Confirma tu identidad introduciendo la contraseña de tu cuenta.", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Falta la clave pública del captcha en la configuración del servidor base. Por favor, informa de esto al administrador de tu servidor base.", - "Please review and accept all of the homeserver's policies": "Por favor, revisa y acepta todas las políticas del servidor base", - "Please review and accept the policies of this homeserver:": "Por favor, revisa y acepta las políticas de este servidor base:", - "Use an email address to recover your account": "Utilice una dirección de correo electrónico para recuperar su cuenta", - "Enter email address (required on this homeserver)": "Introduce una dirección de correo electrónico (obligatorio en este servidor)", - "Doesn't look like a valid email address": "No parece una dirección de correo electrónico válida", - "Enter password": "Escribe tu contraseña", - "Password is allowed, but unsafe": "Contraseña permitida, pero no es segura", - "Nice, strong password!": "¡Fantástico, una contraseña fuerte!", - "Passwords don't match": "Las contraseñas no coinciden", - "Other users can invite you to rooms using your contact details": "Otros usuarios pueden invitarte las salas utilizando tus datos de contacto", - "Enter phone number (required on this homeserver)": "Introduce un número de teléfono (es obligatorio en este servidor base)", - "Enter username": "Introduce nombre de usuario", "Email (optional)": "Correo electrónico (opcional)", "Join millions for free on the largest public server": "Únete de forma gratuita a millones de personas en el servidor público más grande", "Sign in with SSO": "Ingrese con SSO", @@ -885,8 +786,6 @@ "This session is encrypting history using the new recovery method.": "Esta sesión está cifrando el historial usando el nuevo método de recuperación.", "Change notification settings": "Cambiar los ajustes de notificaciones", "Your server isn't responding to some requests.": "Tú servidor no esta respondiendo a ciertas solicitudes.", - "New version available. Update now.": "Nueva versión disponible. Actualizar ahora.", - "Please verify the room ID or address and try again.": "Por favor, verifica la ID o dirección de esta sala e inténtalo de nuevo.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "El administrador de tu servidor base ha desactivado el cifrado de extremo a extremo en salas privadas y mensajes directos.", "The authenticity of this encrypted message can't be guaranteed on this device.": "La autenticidad de este mensaje cifrado no puede ser garantizada en este dispositivo.", "No recently visited rooms": "No hay salas visitadas recientemente", @@ -895,7 +794,6 @@ "IRC display name width": "Ancho del nombre de visualización de IRC", "Cross-signing is ready for use.": "La firma cruzada está lista para su uso.", "Cross-signing is not set up.": "La firma cruzada no está configurada.", - "Master private key:": "Clave privada maestra:", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s no puede almacenar en caché de forma segura mensajes cifrados localmente mientras se ejecuta en un navegador web. Usa %(brand)s Escritorio para que los mensajes cifrados aparezcan en los resultados de búsqueda.", "Backup version:": "Versión de la copia de seguridad:", "Algorithm:": "Algoritmo:", @@ -904,7 +802,6 @@ "Secret storage:": "Almacenamiento secreto:", "ready": "Listo", "not ready": "no está listo", - "Room ID or address of ban list": "ID de sala o dirección de la lista de prohibición", "Forget Room": "Olvidar sala", "Favourited": "Favorecido", "Room options": "Opciones de la sala", @@ -999,12 +896,10 @@ }, "Hide Widgets": "Ocultar accesorios", "Show Widgets": "Mostrar accesorios", - "Workspace: ": "Entorno de trabajo: ", "There was an error looking up the phone number": "Ha ocurrido un error al buscar el número de teléfono", "Unable to look up phone number": "No se ha podido buscar el número de teléfono", "This looks like a valid Security Key!": "¡Parece que es una clave de seguridad válida!", "Not a valid Security Key": "No es una clave de seguridad válida", - "That phone number doesn't look quite right, please check and try again": "Ese número de teléfono no parece ser correcto, compruébalo e inténtalo de nuevo", "Confirm your Security Phrase": "Confirma tu frase de seguridad", "A new Security Phrase and key for Secure Messages have been detected.": "Se ha detectado una nueva frase de seguridad y clave para mensajes seguros.", "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Esta sesión ha detectado que tu frase de seguridad y clave para mensajes seguros ha sido eliminada.", @@ -1070,7 +965,6 @@ "Somalia": "Somalia", "Slovenia": "Eslovenia", "Slovakia": "Eslovaquia", - "Channel: ": "Canal: ", "Nigeria": "Nigeria", "Niger": "Níger", "Nicaragua": "Nicaragua", @@ -1172,9 +1066,6 @@ "Åland Islands": "Åland", "Great! This Security Phrase looks strong enough.": "¡Genial! Esta frase de seguridad parece lo suficientemente segura.", "There was a problem communicating with the homeserver, please try again later.": "Ha ocurrido un error al conectarse a tu servidor base, inténtalo de nuevo más tarde.", - "Enter phone number": "Escribe tu teléfono móvil", - "Enter email address": "Escribe tu dirección de correo electrónico", - "Something went wrong in confirming your identity. Cancel and try again.": "Ha ocurrido un error al confirmar tu identidad. Cancela e inténtalo de nuevo.", "Move right": "Mover a la derecha", "Move left": "Mover a la izquierda", "Revoke permissions": "Quitar permisos", @@ -1209,7 +1100,6 @@ "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Haz una copia de seguridad de tus claves de cifrado con los datos de tu cuenta por si pierdes acceso a tus sesiones. Las clave serán aseguradas con una clave de seguridad única.", "The operation could not be completed": "No se ha podido completar la operación", "Failed to save your profile": "No se ha podido guardar tu perfil", - "not found in storage": "no se ha encontrado en la memoria", "Dial pad": "Teclado numérico", "Safeguard against losing access to encrypted messages & data": "Evita perder acceso a datos y mensajes cifrados", "Use app": "Usar la aplicación", @@ -1331,7 +1221,6 @@ "Start a conversation with someone using their name, email address or username (like ).": "Empieza una conversación con alguien usando su nombre, correo electrónico o nombre de usuario (como ).", "Recently visited rooms": "Salas visitadas recientemente", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the space it will be impossible to regain privileges.": "No podrás deshacer esto, ya que te estás quitando tus permisos. Si eres la última persona con permisos en este usuario, no será posible recuperarlos.", - "Original event source": "Fuente original del evento", "%(count)s members": { "one": "%(count)s miembro", "other": "%(count)s miembros" @@ -1379,7 +1268,6 @@ "Edit devices": "Gestionar dispositivos", "Invite with email or username": "Invitar correos electrónicos o nombres de usuario", "You can change these anytime.": "Puedes cambiar todo esto en cualquier momento.", - "Verification requested": "Solicitud de verificación", "Avatar": "Imagen de perfil", "Consult first": "Consultar primero", "Invited people will be able to read old messages.": "Las personas que invites podrán leer los mensajes antiguos.", @@ -1604,7 +1492,6 @@ "Unban from %(roomName)s": "Quitar veto de %(roomName)s", "They'll still be able to access whatever you're not an admin of.": "Podrán seguir accediendo a donde no tengas permisos de administración.", "Disinvite from %(roomName)s": "Anular la invitación a %(roomName)s", - "Create poll": "Crear una encuesta", "%(count)s reply": { "one": "%(count)s respuesta", "other": "%(count)s respuestas" @@ -1631,14 +1518,7 @@ "Joined": "Te has unido", "Copy link to thread": "Copiar enlace al hilo", "Thread options": "Ajustes del hilo", - "Add option": "Añadir opción", - "Write an option": "Escribe una opción", - "Option %(number)s": "Opción %(number)s", - "Create options": "Crear opciones", - "Question or topic": "Pregunta o tema", - "What is your poll question or topic?": "¿Cuál es la pregunta o tema de la encuesta?", "You do not have permission to start polls in this room.": "No tienes permisos para empezar encuestas en esta sala.", - "Create Poll": "Crear encuesta", "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Esta sala está en algún espacio en el que no eres administrador. En esos espacios, la sala antigua todavía aparecerá, pero se avisará a los participantes para que se unan a la nueva.", "Spaces to show": "Qué espacios mostrar", "Home is useful for getting an overview of everything.": "La pantalla de Inicio es útil para tener una vista general de todas tus conversaciones.", @@ -1684,8 +1564,6 @@ "Failed to end poll": "No se ha podido terminar la encuesta", "The poll has ended. Top answer: %(topAnswer)s": "La encuesta ha terminado. Opción ganadora: %(topAnswer)s", "The poll has ended. No votes were cast.": "La encuesta ha terminado. Nadie ha votado.", - "Sorry, the poll you tried to create was not posted.": "Lo sentimos, la encuesta que has intentado empezar no ha sido publicada.", - "Failed to post poll": "No se ha podido enviar la encuesta", "Including you, %(commaSeparatedMembers)s": "Además de ti, %(commaSeparatedMembers)s", "%(count)s votes cast. Vote to see the results": { "one": "%(count)s voto. Vota para ver los resultados", @@ -1722,8 +1600,6 @@ "Open in OpenStreetMap": "Abrir en OpenStreetMap", "Verify other device": "Verificar otro dispositivo", "Missing domain separator e.g. (:domain.org)": "Falta el separador de dominio, ej.: (:dominio.org)", - "Verify this device by confirming the following number appears on its screen.": "Verifica este dispositivo confirmando que el siguiente número aparece en pantalla.", - "Confirm the emoji below are displayed on both devices, in the same order:": "Confirma que los siguientes emojis aparecen en los dos dispositivos y en el mismo orden:", "Room members": "Miembros de la sala", "Back to chat": "Volver a la conversación", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Pareja (usuario, sesión) desconocida: (%(userId)s, %(deviceId)s)", @@ -1752,8 +1628,6 @@ "To proceed, please accept the verification request on your other device.": "Para continuar, acepta la solicitud de verificación en tu otro dispositivo.", "You were removed from %(roomName)s by %(memberName)s": "%(memberName)s te ha sacado de %(roomName)s", "Get notified only with mentions and keywords as set up in your settings": "Recibir notificaciones solo cuando me mencionen o escriban una palabra vigilada configurada en los ajustes", - "Waiting for you to verify on your other device…": "Esperando a que verifiques en tu otro dispositivo…", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Esperando a que verifiques en tu otro dispositivo, %(deviceName)s (%(deviceId)s)…", "From a thread": "Desde un hilo", "Back to thread": "Volver al hilo", "Message pending moderation": "Mensaje esperando revisión", @@ -1761,7 +1635,6 @@ "Pick a date to jump to": "Elige la fecha a la que saltar", "Jump to date": "Saltar a una fecha", "The beginning of the room": "Inicio de la sala", - "Internal room ID": "ID interna de la sala", "Feedback sent! Thanks, we appreciate it!": "¡Opinión enviada! Gracias, te lo agradecemos.", "Wait!": "¡Espera!", "Use to scroll": "Usa para desplazarte", @@ -1775,12 +1648,6 @@ "Pinned": "Fijado", "Search Dialog": "Ventana de búsqueda", "Join %(roomAddress)s": "Unirte a %(roomAddress)s", - "Results are only revealed when you end the poll": "Los resultados se mostrarán cuando cierres la encuesta", - "Voters see results as soon as they have voted": "Quienes voten podrán ver los resultados", - "Closed poll": "Encuesta cerrada", - "Open poll": "Encuesta abierta", - "Poll type": "Tipo de encuesta", - "Edit poll": "Editar encuesta", "What location type do you want to share?": "¿Qué ubicación quieres compartir?", "Drop a Pin": "Elige un punto en el mapa", "My live location": "Mi ubicación en tiempo real", @@ -1835,8 +1702,6 @@ "Loading preview": "Cargando previsualización", "New video room": "Nueva sala de vídeo", "New room": "Nueva sala", - "View older version of %(spaceName)s.": "Ver versión antigua de %(spaceName)s.", - "Upgrade this space to the recommended room version": "Actualiza la versión de este espacio a la recomendada", "The person who invited you has already left.": "La persona que te invitó ya no está aquí.", "Sorry, your homeserver is too old to participate here.": "Lo siento, tu servidor base es demasiado antiguo. No puedes participar aquí.", "There was an error joining.": "Ha ocurrido un error al entrar.", @@ -1905,17 +1770,11 @@ "To view %(roomName)s, you need an invite": "Para ver %(roomName)s necesitas una invitación", "Private room": "Sala privada", "Video room": "Sala de vídeo", - "Resent!": "¡Reenviado!", - "Did not receive it? Resend it": "¿No lo has recibido? Volver a mandar", - "To create your account, open the link in the email we just sent to %(emailAddress)s.": "Para crear tu cuenta, abre el enlace en el mensaje que te acabamos de enviar a %(emailAddress)s.", "Unread email icon": "Icono de email sin leer", - "Check your email to continue": "Comprueba tu email para continuar", "An error occurred whilst sharing your live location, please try again": "Ha ocurrido un error al compartir tu ubicación en tiempo real. Por favor, inténtalo de nuevo", "An error occurred whilst sharing your live location": "Ocurrió un error mientras se compartía tu ubicación en tiempo real", "Output devices": "Dispositivos de salida", "Input devices": "Dispositivos de entrada", - "Click to read topic": "Pulsa para leer asunto", - "Edit topic": "Editar asunto", "Joining…": "Uniéndose…", "To join, please enable video rooms in Labs first": "Para unirse, por favor activa las salas de vídeo en Labs primero", "%(count)s people joined": { @@ -1971,7 +1830,6 @@ "Choose a locale": "Elige un idioma", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Para más seguridad, verifica tus sesiones y cierra cualquiera que no reconozcas o hayas dejado de usar.", "Sessions": "Sesiones", - "Spell check": "Corrector ortográfico", "Interactively verify by emoji": "Verificar interactivamente usando emojis", "Manually verify by text": "Verificar manualmente usando un texto", "Inviting %(user)s and %(count)s others": { @@ -2055,9 +1913,6 @@ "Change layout": "Cambiar disposición", "This message could not be decrypted": "No se ha podido descifrar este mensaje", " in %(room)s": " en %(room)s", - "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.": "¿Te apetece probar cosas experimentales? Aquí encontrarás nuestras ideas en desarrollo. No están terminadas, pueden ser inestables, cambiar o dejar de estar disponibles. Más información.", - "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "¿Qué novedades se esperan en %(brand)s? La sección de experimentos es la mejor manera de ver las cosas antes de que se publiquen, probar nuevas funcionalidades y ayudar a mejorarlas antes de su lanzamiento.", - "Upcoming features": "Funcionalidades futuras", "Search users in this room…": "Buscar usuarios en esta sala…", "Give one or multiple users in this room more privileges": "Otorga a uno o más usuarios privilegios especiales en esta sala", "Add privileged users": "Añadir usuarios privilegiados", @@ -2072,7 +1927,6 @@ "Fetching keys from server…": "Obteniendo claves del servidor…", "Checking…": "Comprobando…", "Adding…": "Añadiendo…", - "Write something…": "Escribe algo…", "Message in %(room)s": "Mensaje en %(room)s", "Declining…": "Rechazando…", "Answered elsewhere": "Respondido en otro sitio", @@ -2096,12 +1950,8 @@ "Encrypting your message…": "Cifrando tu mensaje…", "Sending your message…": "Enviando tu mensaje…", "Upload custom sound": "Subir archivo personalizado", - "Manage account": "Gestionar cuenta", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (estado HTTP %(httpStatus)s)", - "Downloading update…": "Descargando actualización…", - "Checking for an update…": "Comprobando actualizaciones…", "Connecting to integration manager…": "Conectando al gestor de integraciones…", - "Error while changing password: %(error)s": "Error al cambiar la contraseña: %(error)s", "Saving…": "Guardando…", "Creating…": "Creando…", "Verify Session": "Verificar sesión", @@ -2117,7 +1967,6 @@ "Identity server not set": "Servidor de identidad no configurado", "Ended a poll": "Cerró una encuesta", "Unable to connect to Homeserver. Retrying…": "No se ha podido conectar al servidor base. Reintentando…", - "Keep going…": "Sigue…", "If you know a room address, try joining through that instead.": "Si conoces la dirección de una sala, prueba a unirte a través de ella.", "Requires your server to support the stable version of MSC3827": "Requiere que tu servidor sea compatible con la versión estable de MSC3827", "This session is backing up your keys.": "", @@ -2420,7 +2269,14 @@ "sliding_sync_disable_warning": "Para desactivarlo, tendrás que cerrar sesión y volverla a iniciar. ¡Ten cuidado!", "sliding_sync_proxy_url_optional_label": "URL de servidor proxy (opcional)", "sliding_sync_proxy_url_label": "URL de servidor proxy", - "video_rooms_beta": "Las salas de vídeo están en beta" + "video_rooms_beta": "Las salas de vídeo están en beta", + "bridge_state_creator": "Este puente fue aportado por .", + "bridge_state_manager": "Este puente lo gestiona .", + "bridge_state_workspace": "Entorno de trabajo: ", + "bridge_state_channel": "Canal: ", + "beta_section": "Funcionalidades futuras", + "beta_description": "¿Qué novedades se esperan en %(brand)s? La sección de experimentos es la mejor manera de ver las cosas antes de que se publiquen, probar nuevas funcionalidades y ayudar a mejorarlas antes de su lanzamiento.", + "experimental_description": "¿Te apetece probar cosas experimentales? Aquí encontrarás nuestras ideas en desarrollo. No están terminadas, pueden ser inestables, cambiar o dejar de estar disponibles. Más información." }, "keyboard": { "home": "Inicio", @@ -2751,7 +2607,26 @@ "record_session_details": "Registrar el nombre del cliente, la versión y URL para reconocer de forma más fácil las sesiones en el gestor", "strict_encryption": "No enviar nunca mensajes cifrados a sesiones sin verificar desde esta sesión", "enable_message_search": "Activar la búsqueda de mensajes en salas cifradas", - "manually_verify_all_sessions": "Verificar manualmente todas las sesiones remotas" + "manually_verify_all_sessions": "Verificar manualmente todas las sesiones remotas", + "cross_signing_public_keys": "Firmando las llaves públicas de manera cruzada:", + "cross_signing_in_memory": "en memoria", + "cross_signing_not_found": "no encontrado", + "cross_signing_private_keys": "Firmando las llaves privadas de manera cruzada:", + "cross_signing_in_4s": "en almacén secreto", + "cross_signing_not_in_4s": "no se ha encontrado en la memoria", + "cross_signing_master_private_Key": "Clave privada maestra:", + "cross_signing_cached": "almacenado localmente", + "cross_signing_not_cached": "no encontrado localmente", + "cross_signing_self_signing_private_key": "Clave privada autofirmada:", + "cross_signing_user_signing_private_key": "Usuario firmando llave privada:", + "cross_signing_homeserver_support": "Características compatibles con tu servidor base:", + "cross_signing_homeserver_support_exists": "existe", + "export_megolm_keys": "Exportar claves de salas con cifrado de extremo a extremo", + "import_megolm_keys": "Importar claves de salas con cifrado de extremo a extremo", + "cryptography_section": "Criptografía", + "session_id": "Identidad (ID) de sesión:", + "session_key": "Código de sesión:", + "encryption_section": "Cifrado" }, "preferences": { "room_list_heading": "Lista de salas", @@ -2855,6 +2730,12 @@ }, "security_recommendations": "Consejos de seguridad", "security_recommendations_description": "Mejora la seguridad de tu cuenta siguiendo estas recomendaciones." + }, + "general": { + "oidc_manage_button": "Gestionar cuenta", + "account_section": "Cuenta", + "language_section": "Idioma y región", + "spell_check_section": "Corrector ortográfico" } }, "devtools": { @@ -2936,7 +2817,8 @@ "low_bandwidth_mode_description": "Es necesario que el servidor base sea compatible.", "low_bandwidth_mode": "Modo de bajo ancho de banda", "developer_mode": "Modo de desarrollo", - "view_source_decrypted_event_source": "Descifrar fuente del evento" + "view_source_decrypted_event_source": "Descifrar fuente del evento", + "original_event_source": "Fuente original del evento" }, "export_chat": { "html": "HTML", @@ -3549,6 +3431,16 @@ "url_preview_encryption_warning": "En salas cifradas como ésta, la vista previa de las URLs se desactiva por defecto para asegurar que el servidor base (donde se generan) no pueda recopilar información de los enlaces que veas en esta sala.", "url_preview_explainer": "Cuando alguien incluya una dirección URL en su mensaje, puede mostrarse una vista previa para ofrecer información sobre el enlace, que incluirá el título, descripción, y una imagen del sitio web.", "url_previews_section": "Vista previa de enlaces" + }, + "advanced": { + "unfederated": "Esta sala no es accesible desde otros servidores de Matrix", + "space_upgrade_button": "Actualiza la versión de este espacio a la recomendada", + "room_upgrade_button": "Actualizar esta sala a la versión de sala recomendada", + "space_predecessor": "Ver versión antigua de %(spaceName)s.", + "room_predecessor": "Ver mensajes antiguos en %(roomName)s.", + "room_id": "ID interna de la sala", + "room_version_section": "Versión de la sala", + "room_version": "Versión de la sala:" } }, "encryption": { @@ -3564,8 +3456,22 @@ "sas_prompt": "Compara los emojis", "sas_description": "Compara un conjunto de emojis si no tienes cámara en ninguno de los dispositivos", "qr_or_sas": "%(qrCode)s o %(emojiCompare)s", - "qr_or_sas_header": "Verifica este dispositivo completando una de las siguientes opciones:" - } + "qr_or_sas_header": "Verifica este dispositivo completando una de las siguientes opciones:", + "explainer": "Los mensajes seguros con este usuario están cifrados punto a punto y no es posible que los lean otros.", + "complete_action": "Entendido", + "sas_emoji_caption_self": "Confirma que los siguientes emojis aparecen en los dos dispositivos y en el mismo orden:", + "sas_emoji_caption_user": "Verifica este usuario confirmando que los siguientes emojis aparecen en su pantalla.", + "sas_caption_self": "Verifica este dispositivo confirmando que el siguiente número aparece en pantalla.", + "sas_caption_user": "Verifica a este usuario confirmando que este número aparece en su pantalla.", + "unsupported_method": "No es posible encontrar un método de verificación soportado.", + "waiting_other_device_details": "Esperando a que verifiques en tu otro dispositivo, %(deviceName)s (%(deviceId)s)…", + "waiting_other_device": "Esperando a que verifiques en tu otro dispositivo…", + "waiting_other_user": "Esperando la verificación de %(displayName)s…", + "cancelling": "Anulando…" + }, + "old_version_detected_title": "Se detectó información de criptografía antigua", + "old_version_detected_description": "Se detectó una versión más antigua de %(brand)s. Esto habrá provocado que la criptografía de extremo a extremo funcione incorrectamente en la versión más antigua. Los mensajes cifrados de extremo a extremo intercambiados recientemente mientras usaba la versión más antigua puede que no sean descifrables con esta versión. Esto también puede hacer que fallen con la más reciente. Si experimenta problemas, desconecte y vuelva a ingresar. Para conservar el historial de mensajes, exporte y vuelva a importar sus claves.", + "verification_requested_toast_title": "Solicitud de verificación" }, "emoji": { "category_frequently_used": "Frecuente", @@ -3672,7 +3578,49 @@ "phone_optional_label": "Teléfono (opcional)", "email_help_text": "Añade un correo para poder restablecer tu contraseña si te olvidas.", "email_phone_discovery_text": "Usa tu correo electrónico o teléfono para que, opcionalmente, tus contactos puedan descubrir tu cuenta.", - "email_discovery_text": "También puedes usarlo para que tus contactos te encuentren fácilmente." + "email_discovery_text": "También puedes usarlo para que tus contactos te encuentren fácilmente.", + "session_logged_out_title": "Desconectado", + "session_logged_out_description": "Esta sesión ha sido cerrada. Por favor, inicia sesión de nuevo.", + "change_password_error": "Error al cambiar la contraseña: %(error)s", + "change_password_mismatch": "Las contraseñas nuevas no coinciden", + "change_password_empty": "Las contraseñas no pueden estar en blanco", + "set_email_prompt": "¿Quieres poner una dirección de correo electrónico?", + "change_password_confirm_label": "Confirmar contraseña", + "change_password_confirm_invalid": "Las contraseñas no coinciden", + "change_password_current_label": "Contraseña actual", + "change_password_new_label": "Contraseña nueva", + "change_password_action": "Cambiar la contraseña", + "email_field_label": "Correo electrónico", + "email_field_label_required": "Escribe tu dirección de correo electrónico", + "email_field_label_invalid": "No parece una dirección de correo electrónico válida", + "uia": { + "password_prompt": "Confirma tu identidad introduciendo la contraseña de tu cuenta.", + "recaptcha_missing_params": "Falta la clave pública del captcha en la configuración del servidor base. Por favor, informa de esto al administrador de tu servidor base.", + "terms_invalid": "Por favor, revisa y acepta todas las políticas del servidor base", + "terms": "Por favor, revisa y acepta las políticas de este servidor base:", + "email_auth_header": "Comprueba tu email para continuar", + "email": "Para crear tu cuenta, abre el enlace en el mensaje que te acabamos de enviar a %(emailAddress)s.", + "email_resend_prompt": "¿No lo has recibido? Volver a mandar", + "email_resent": "¡Reenviado!", + "msisdn_token_incorrect": "Token incorrecto", + "msisdn": "Se envió un mensaje de texto a %(msisdn)s", + "msisdn_token_prompt": "Por favor, escribe el código que contiene:", + "sso_failed": "Ha ocurrido un error al confirmar tu identidad. Cancela e inténtalo de nuevo.", + "fallback_button": "Iniciar autenticación" + }, + "password_field_label": "Escribe tu contraseña", + "password_field_strong_label": "¡Fantástico, una contraseña fuerte!", + "password_field_weak_label": "Contraseña permitida, pero no es segura", + "password_field_keep_going_prompt": "Sigue…", + "username_field_required_invalid": "Introduce nombre de usuario", + "msisdn_field_required_invalid": "Escribe tu teléfono móvil", + "msisdn_field_number_invalid": "Ese número de teléfono no parece ser correcto, compruébalo e inténtalo de nuevo", + "msisdn_field_label": "Teléfono", + "identifier_label": "Iniciar sesión con", + "reset_password_email_field_description": "Utilice una dirección de correo electrónico para recuperar su cuenta", + "reset_password_email_field_required_invalid": "Introduce una dirección de correo electrónico (obligatorio en este servidor)", + "msisdn_field_description": "Otros usuarios pueden invitarte las salas utilizando tus datos de contacto", + "registration_msisdn_field_required_invalid": "Introduce un número de teléfono (es obligatorio en este servidor base)" }, "room_list": { "sort_unread_first": "Colocar al principio las salas con mensajes sin leer", @@ -3854,7 +3802,13 @@ "see_changes_button": "Novedades", "release_notes_toast_title": "Novedades", "toast_title": "Actualizar %(brand)s", - "toast_description": "Hay una nueva versión de %(brand)s disponible" + "toast_description": "Hay una nueva versión de %(brand)s disponible", + "error_encountered": "Error encontrado (%(errorDetail)s).", + "checking": "Comprobando actualizaciones…", + "no_update": "No hay actualizaciones disponibles.", + "downloading": "Descargando actualización…", + "new_version_available": "Nueva versión disponible. Actualizar ahora.", + "check_action": "Comprobar si hay actualizaciones" }, "threads": { "all_threads": "Todos los hilos", @@ -3907,7 +3861,34 @@ }, "labs_mjolnir": { "room_name": "Mi lista de baneos", - "room_topic": "Esta es la lista de usuarios y/o servidores que has bloqueado. ¡No te salgas de la sala!" + "room_topic": "Esta es la lista de usuarios y/o servidores que has bloqueado. ¡No te salgas de la sala!", + "ban_reason": "Ignorado/Bloqueado", + "error_adding_ignore": "Error al añadir usuario/servidor ignorado", + "something_went_wrong": "Algo salió mal. Por favor, inténtalo de nuevo o mira tu consola para encontrar pistas.", + "error_adding_list_title": "Error al suscribirse a la lista", + "error_adding_list_description": "Por favor, verifica la ID o dirección de esta sala e inténtalo de nuevo.", + "error_removing_ignore": "Error al eliminar usuario/servidor ignorado", + "error_removing_list_title": "Error al cancelar la suscripción a la lista", + "error_removing_list_description": "Por favor, inténtalo de nuevo o mira tu consola para encontrar pistas.", + "rules_title": "Reglas de la lista negra - %(roomName)s", + "rules_server": "Reglas del servidor", + "rules_user": "Reglas de usuario", + "personal_empty": "No has ignorado a nadie.", + "personal_section": "Estás ignorando actualmente:", + "no_lists": "No estás suscrito a ninguna lista", + "view_rules": "Ver reglas", + "lists": "Estás actualmente suscrito a:", + "title": "Usuarios ignorados", + "advanced_warning": "⚠ Estas opciones son indicadas para usuarios avanzados.", + "explainer_1": "Añade los usuarios y servidores que quieras ignorar aquí. Usa asteriscos para que %(brand)s coincida cualquier conjunto de caracteres. Por ejemplo, @bot:* ignoraría a todos los usuarios,en cualquier servidor, que tengan el nombre 'bot' .", + "explainer_2": "Ignorar usuarios se hace mediante listas negras que contienen reglas sobre a quién bloquear. Suscribirse a una lista negra significa que los usuarios/servidores bloqueados serán invisibles para tí.", + "personal_heading": "Lista de bloqueo personal", + "personal_new_label": "Servidor o ID de usuario a ignorar", + "personal_new_placeholder": "ej.: @bot:* o ejemplo.org", + "lists_heading": "Listados a que subscribiste", + "lists_description_1": "¡Suscribirse a una lista negra hará unirte a ella!", + "lists_description_2": "Si esto no es lo que quieres, por favor usa una herramienta diferente para ignorar usuarios.", + "lists_new_label": "ID de sala o dirección de la lista de prohibición" }, "create_space": { "name_required": "Por favor, elige un nombre para el espacio", @@ -3972,6 +3953,12 @@ "private_unencrypted_warning": "Tus mensajes privados están cifrados normalmente, pero esta sala no lo está. A menudo, esto pasa porque has iniciado sesión con un dispositivo o método no compatible, como las invitaciones por correo.", "enable_encryption_prompt": "Activa el cifrado en los ajustes.", "unencrypted_warning": "El cifrado de extremo a extremo no está activado" + }, + "edit_topic": "Editar asunto", + "read_topic": "Pulsa para leer asunto", + "unread_notifications_predecessor": { + "other": "Tiene %(count)s notificaciones sin leer en una versión anterior de esta sala.", + "one": "Tiene %(count)s notificaciones sin leer en una versión anterior de esta sala." } }, "file_panel": { @@ -3986,9 +3973,31 @@ "intro": "Para continuar, necesitas aceptar estos términos de servicio.", "column_service": "Servicio", "column_summary": "Resumen", - "column_document": "Documento" + "column_document": "Documento", + "tac_title": "Términos y condiciones", + "tac_description": "Para continuar usando el servidor base %(homeserverDomain)s, debes revisar y estar de acuerdo con nuestros términos y condiciones.", + "tac_button": "Revisar términos y condiciones" }, "space_settings": { "title": "Ajustes - %(spaceName)s" + }, + "poll": { + "create_poll_title": "Crear una encuesta", + "create_poll_action": "Crear encuesta", + "edit_poll_title": "Editar encuesta", + "failed_send_poll_title": "No se ha podido enviar la encuesta", + "failed_send_poll_description": "Lo sentimos, la encuesta que has intentado empezar no ha sido publicada.", + "type_heading": "Tipo de encuesta", + "type_open": "Encuesta abierta", + "type_closed": "Encuesta cerrada", + "topic_heading": "¿Cuál es la pregunta o tema de la encuesta?", + "topic_label": "Pregunta o tema", + "topic_placeholder": "Escribe algo…", + "options_heading": "Crear opciones", + "options_label": "Opción %(number)s", + "options_placeholder": "Escribe una opción", + "options_add_button": "Añadir opción", + "disclosed_notes": "Quienes voten podrán ver los resultados", + "notes": "Los resultados se mostrarán cuando cierres la encuesta" } } diff --git a/src/i18n/strings/et.json b/src/i18n/strings/et.json index 581bb8249e..6f34155a0f 100644 --- a/src/i18n/strings/et.json +++ b/src/i18n/strings/et.json @@ -23,7 +23,6 @@ "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", "Verify this session": "Verifitseeri see sessioon", "Ask this user to verify their session, or manually verify it below.": "Palu nimetatud kasutajal verifitseerida see sessioon või tee seda alljärgnevaga käsitsi.", - "Verify this user by confirming the following emoji appear on their screen.": "Verifitseeri see kasutaja tehes kindlaks et järgnev emoji kuvatakse tema ekraanil.", "Invite to this room": "Kutsu siia jututuppa", "The conversation continues here.": "Vestlus jätkub siin.", "Direct Messages": "Isiklikud sõnumid", @@ -50,7 +49,6 @@ "Rotate Left": "Pööra vasakule", "Rotate Right": "Pööra paremale", "Enter the name of a new server you want to explore.": "Sisesta uue serveri nimi mida tahad uurida.", - "Other users can invite you to rooms using your contact details": "Teades sinu kontaktinfot võivad teised kutsuda sind osalema jututubades", "Explore rooms": "Tutvu jututubadega", "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Sa peaksid enne ühenduse katkestamisst eemaldama isiklikud andmed id-serverist . Kahjuks id-server ei ole hetkel võrgus või pole kättesaadav.", "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Me soovitame, et eemaldad enne ühenduse katkestamist oma e-posti aadressi ja telefoninumbrid isikutuvastusserverist.", @@ -82,8 +80,6 @@ "Remove for everyone": "Eemalda kõigilt", "You seem to be uploading files, are you sure you want to quit?": "Tundub, et sa parasjagu laadid faile üles. Kas sa kindlasti soovid väljuda?", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Kui soovid teatada Matrix'iga seotud turvaveast, siis palun tutvu enne Matrix.org Turvalisuse avalikustamise juhendiga.", - "Server or user ID to ignore": "Serverid või kasutajate tunnused, mida soovid eirata", - "If this isn't what you want, please use a different tool to ignore users.": "Kui tulemus pole see mida soovisid, siis pruugi muud vahendit kasutajate eiramiseks.", "Share Link to User": "Jaga viidet kasutaja kohta", "Admin Tools": "Haldustoimingud", "Reject & Ignore user": "Hülga ja eira kasutaja", @@ -100,8 +96,6 @@ "Your browser likely removed this data when running low on disk space.": "On võimalik et sinu brauser kustutas need andmed, sest kõvakettaruumist jäi puudu.", "Find others by phone or email": "Leia teisi kasutajaid telefoninumbri või e-posti aadressi alusel", "Be found by phone or email": "Ole leitav telefoninumbri või e-posti aadressi alusel", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Robotilõksu avalik võti on puudu koduserveri seadistustes. Palun teata sellest oma koduserveri haldurile.", - "Encryption": "Krüptimine", "Encrypted by an unverified session": "Krüptitud verifitseerimata sessiooni poolt", "Encryption not enabled": "Krüptimine ei ole kasutusel", "The encryption used by this room isn't supported.": "Selles jututoas kasutatud krüptimine ei ole toetatud.", @@ -222,12 +216,7 @@ "Default Device": "Vaikimisi seade", "Audio Output": "Heliväljund", "Voice & Video": "Heli ja video", - "This room is not accessible by remote Matrix servers": "See jututuba ei ole leitav teiste Matrix'i serverite jaoks", - "Upgrade this room to the recommended room version": "Uuenda see jututoa versioon soovitatud versioonini", - "View older messages in %(roomName)s.": "Näita vanemat tüüpi sõnumeid jututoas %(roomName)s.", "Room information": "Info jututoa kohta", - "Room version": "Jututoa versioon", - "Room version:": "Jututoa versioon:", "Room Name": "Jututoa nimi", "Room Topic": "Jututoa teema", "Room Settings - %(roomName)s": "Jututoa seadistused - %(roomName)s", @@ -252,12 +241,6 @@ "The user's homeserver does not support the version of the room.": "Kasutaja koduserver ei toeta selle jututoa versiooni.", "Unknown server error": "Tundmatu serveriviga", "No display name": "Kuvatav nimi puudub", - "New passwords don't match": "Uued salasõnad ei klapi", - "Passwords can't be empty": "Salasõna ei saa olla tühi", - "Current password": "Praegune salasõna", - "New Password": "Uus salasõna", - "Confirm password": "Korda uut salasõna", - "Change Password": "Muuda salasõna", "Failed to set display name": "Kuvatava nime määramine ebaõnnestus", "Display Name": "Kuvatav nimi", "Profile picture": "Profiilipilt", @@ -265,17 +248,9 @@ "Profile": "Profiil", "Email addresses": "E-posti aadressid", "Phone numbers": "Telefoninumbrid", - "Account": "Kasutajakonto", - "Language and region": "Keel ja piirkond", "Start verification again from their profile.": "Alusta verifitseerimist uuesti nende profiilist.", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Allpool loetletud Matrix'i kasutajatunnustele ei leidunud profiile. Kas sa ikkagi tahaksid neile kutse saata?", "Could not load user profile": "Kasutajaprofiili laadimine ei õnnestunud", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Turvalised sõnumid selle kasutajaga on läbivalt krüptitud ning kolmandad osapooled ei saa neid lugeda.", - "Got It": "Selge lugu", - "Verify this user by confirming the following number appears on their screen.": "Verifitseeri see kasutaja tehes kindlaks, et järgnev number kuvatakse tema ekraanil.", - "Unable to find a supported verification method.": "Ei suuda leida toetatud verifitseerimismeetodit.", - "Waiting for %(displayName)s to verify…": "Ootan kasutaja %(displayName)s verifitseerimist…", - "Cancelling…": "Tühistan…", "Dog": "Koer", "Cat": "Kass", "Lion": "Lõvi", @@ -345,7 +320,6 @@ "Accept to continue:": "Jätkamiseks nõustu 'ga:", "Show more": "Näita rohkem", "Warning!": "Hoiatus!", - "Do you want to set an email address?": "Kas sa soovid seadistada e-posti aadressi?", "Close dialog": "Sulge dialoog", "Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Meeldetuletus: sinu brauser ei ole toetatud ja seega rakenduse kasutuskogemus võib olla ennustamatu.", "Upgrade your encryption": "Uuenda oma krüptimist", @@ -368,13 +342,11 @@ "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Ei sa ühendust koduserveriga. Palun kontrolli, et sinu koduserveri SSL sertifikaat oleks usaldusväärne ning mõni brauseri lisamoodul ei blokeeri päringuid.", "Create account": "Loo kasutajakonto", "Clear personal data": "Kustuta privaatsed andmed", - "Terms and Conditions": "Kasutustingimused", "You can't send any messages until you review and agree to our terms and conditions.": "Sa ei saa saata ühtego sõnumit enne, kui oled läbi lugenud ja nõustunud meie kasutustingimustega.", "Couldn't load page": "Lehe laadimine ei õnnestunud", "Upload avatar": "Laadi üles profiilipilt ehk avatar", "Are you sure you want to leave the room '%(roomName)s'?": "Kas oled kindel, et soovid lahkuda jututoast „%(roomName)s“?", "Unknown error": "Teadmata viga", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Selleks et jätkata koduserveri %(homeserverDomain)s kasutamist sa pead üle vaatama ja nõustuma meie kasutustingimustega.", "Failed to connect to integration manager": "Ühendus integratsioonihalduriga ei õnnestunud", "You don't currently have any stickerpacks enabled": "Sul pole ühtegi kleepsupakki kasutusel", "Add some now": "Lisa nüüd mõned", @@ -442,7 +414,6 @@ "This doesn't appear to be a valid email address": "See ei tundu olema e-posti aadressi moodi", "Preparing to send logs": "Valmistun logikirjete saatmiseks", "Failed to send logs: ": "Logikirjete saatmine ei õnnestunud: ", - "Token incorrect": "Vigane tunnusluba", "Are you sure you want to deactivate your account? This is irreversible.": "Kas sa oled kindel, et soovid oma konto sulgeda? Seda tegevust ei saa hiljem tagasi pöörata.", "Confirm account deactivation": "Kinnita konto sulgemine", "There was a problem communicating with the server. Please try again.": "Serveriühenduses tekkis viga. Palun proovi uuesti.", @@ -469,36 +440,14 @@ "Failed to decrypt %(failedCount)s sessions!": "%(failedCount)s sessiooni dekrüptimine ei õnnestunud!", "Successfully restored %(sessionCount)s keys": "%(sessionCount)s sessiooni võtme taastamine õnnestus", "Warning: you should only set up key backup from a trusted computer.": "Hoiatus: sa peaksid võtmete varunduse seadistama vaid usaldusväärsest arvutist.", - "eg: @bot:* or example.org": "näiteks: @bot:* või example.org", - "Subscribed lists": "Tellitud loendid", - "Enter password": "Sisesta salasõna", - "Nice, strong password!": "Vahva, see on korralik salasõna!", - "Password is allowed, but unsafe": "Selline salasõna on küll lubatud, kuid üsna ebaturvaline", - "Email": "E-posti aadress", - "Phone": "Telefon", - "Sign in with": "Logi sisse oma kasutajaga", - "Use an email address to recover your account": "Kasuta e-posti aadressi ligipääsu taastamiseks oma kontole", - "Enter email address (required on this homeserver)": "Sisesta e-posti aadress (nõutav selles koduserveris)", - "Doesn't look like a valid email address": "Ei tundu olema korralik e-posti aadress", - "Passwords don't match": "Salasõnad ei klapi", - "Enter phone number (required on this homeserver)": "Sisesta telefoninumber (nõutav selles koduserveris)", - "Enter username": "Sisesta kasutajanimi", "Email (optional)": "E-posti aadress (kui soovid)", "Join millions for free on the largest public server": "Liitu tasuta nende miljonitega, kas kasutavad suurimat avalikku Matrix'i serverit", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Sinu sõnumit ei saadetud, kuna see koduserver on ületanud on ületanud ressursipiirangu. Teenuse kasutamiseks palun võta ühendust serveri haldajaga.", "Connectivity to the server has been lost.": "Ühendus sinu serveriga on katkenud.", "Sent messages will be stored until your connection has returned.": "Saadetud sõnumid salvestatakse seniks, kuni võrguühendus on taastunud.", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "Sinul on selle jututoa varasemas versioonis %(count)s lugemata teavitust.", - "one": "Sinul on selle jututoa varasemas versioonis %(count)s lugemata teavitus." - }, "Your password has been reset.": "Sinu salasõna on muudetud.", "Unignore": "Lõpeta eiramine", "": "", - "Import E2E room keys": "Impordi E2E läbiva krüptimise võtmed jututubade jaoks", - "Cryptography": "Krüptimine", - "Session ID:": "Sessiooni tunnus:", - "Session key:": "Sessiooni võti:", "Bulk options": "Masstoimingute seadistused", "Accept all %(invitedRooms)s invites": "Võta vastu kõik %(invitedRooms)s kutsed", "Reject all %(invitedRooms)s invites": "Lükka tagasi kõik %(invitedRooms)s kutsed", @@ -556,7 +505,6 @@ }, "%(items)s and %(lastItem)s": "%(items)s ja %(lastItem)s", "Please contact your homeserver administrator.": "Palun võta ühendust koduserveri haldajaga.", - "Cross-signing private keys:": "Privaatvõtmed risttunnustamise jaoks:", "Checking server": "Kontrollin serverit", "Change identity server": "Muuda isikutuvastusserverit", "Disconnect from the identity server and connect to instead?": "Kas katkestame ühenduse isikutuvastusserveriga ning selle asemel loome uue ühenduse serveriga ?", @@ -616,23 +564,13 @@ "Failed to forget room %(errCode)s": "Jututoa unustamine ei õnnestunud %(errCode)s", "This homeserver would like to make sure you are not a robot.": "See server soovib kindlaks teha, et sa ei ole robot.", "Country Dropdown": "Riikide valik", - "Confirm your identity by entering your account password below.": "Tuvasta oma isik sisestades salasõna alljärgnevalt.", - "Please review and accept all of the homeserver's policies": "Palun vaata üle kõik koduserveri kasutustingimused ja nõustu nendega", - "Please review and accept the policies of this homeserver:": "Palun vaata üle selle koduserveri kasutustingimused ja nõustu nendega:", - "A text message has been sent to %(msisdn)s": "Saatsime tekstisõnumi telefoninumbrile %(msisdn)s", - "Please enter the code it contains:": "Palun sisesta seal kuvatud kood:", - "Start authentication": "Alusta autentimist", "Sign in with SSO": "Logi sisse kasutades SSO'd ehk ühekordset autentimist", "Failed to reject invitation": "Kutse tagasi lükkamine ei õnnestunud", "This room is not public. You will not be able to rejoin without an invite.": "See ei ole avalik jututuba. Ilma kutseta sa ei saa uuesti liituda.", "Can't leave Server Notices room": "Serveriteadete jututoast ei saa lahkuda", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Seda jututuba kasutatakse sinu koduserveri oluliste teadete jaoks ja seega sa ei saa sealt lahkuda.", - "Signed Out": "Välja logitud", "Upload all": "Laadi kõik üles", "This file is too large to upload. The file size limit is %(limit)s but this file is %(sizeOfThisFile)s.": "See fail on üleslaadimiseks liiga suur. Üleslaaditavate failide mahupiir on %(limit)s, kuid selle faili suurus on %(sizeOfThisFile)s.", - "For security, this session has been signed out. Please sign in again.": "Turvalisusega seotud põhjustel on see sessioon välja logitud. Palun logi uuesti sisse.", - "Review terms and conditions": "Vaata üle kasutustingimused", - "Old cryptography data detected": "Tuvastasin andmed, mille puhul on kasutatud vanemat tüüpi krüptimist", "Switch theme": "Vaheta teemat", "All settings": "Kõik seadistused", "Use Single Sign On to continue": "Jätkamiseks kasuta ühekordset sisselogimist", @@ -660,9 +598,6 @@ "Missing room_id in request": "Päringus puudub jututoa tunnus ehk room_id", "Room %(roomId)s not visible": "Jututuba %(roomId)s ei ole nähtav", "Missing user_id in request": "Päringus puudub kasutaja tunnus ehk user_id", - "Cross-signing public keys:": "Avalikud võtmed risttunnustamise jaoks:", - "in memory": "on mälus", - "not found": "pole leitavad", "Failed to change power level": "Õiguste muutmine ei õnnestunud", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Sa ei saa seda muudatust hiljem tagasi pöörata, sest annad teisele kasutajale samad õigused, mis sinul on.", "Deactivate user?": "Kas deaktiveerime kasutajakonto?", @@ -688,9 +623,6 @@ "Contact your server admin.": "Võta ühendust oma serveri haldajaga.", "Ok": "Sobib", "IRC display name width": "IRC kuvatava nime laius", - "This bridge was provisioned by .": "Selle võrgusilla võttis kasutusele .", - "This bridge is managed by .": "Seda võrgusilda haldab .", - "Export E2E room keys": "Ekspordi jututubade läbiva krüptimise võtmed", "Your homeserver does not support cross-signing.": "Sinu koduserver ei toeta risttunnustamist.", "Cannot connect to integration manager": "Ei saa ühendust lõiminguhalduriga", "The integration manager is offline or it cannot reach your homeserver.": "Lõiminguhaldur kas ei tööta või ei õnnestu tal teha päringuid sinu koduserveri suunas.", @@ -698,33 +630,8 @@ "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Kas sa oled kindel? Kui sul muud varundust pole, siis kaotad ligipääsu oma krüptitud sõnumitele.", "Your keys are not being backed up from this session.": "Sinu selle sessiooni krüptovõtmeid ei varundata.", "Back up your keys before signing out to avoid losing them.": "Vältimaks nende kaotamist, varunda krüptovõtmed enne väljalogimist.", - "Error encountered (%(errorDetail)s).": "Tekkis viga (%(errorDetail)s).", - "No update available.": "Uuendusi pole saadaval.", - "New version available. Update now.": "Saadaval on uus versioon. Uuenda nüüd.", - "Check for update": "Kontrolli uuendusi", - "Ignored/Blocked": "Eiratud või ligipääs blokeeritud", - "Error adding ignored user/server": "Viga eiratud kasutaja või serveri lisamisel", - "Something went wrong. Please try again or view your console for hints.": "Midagi läks valesti. Proovi uuesti või otsi lisavihjeid konsoolilt.", - "Error subscribing to list": "Viga loendiga liitumisel", - "Please verify the room ID or address and try again.": "Palun kontrolli, kas jututoa tunnus või aadress on õiged ja proovi uuesti.", - "Error removing ignored user/server": "Viga eiratud kasutaja või serveri eemaldamisel", - "Error unsubscribing from list": "Viga loendist lahkumisel", - "Please try again or view your console for hints.": "Palun proovi uuesti või otsi lisavihjeid konsoolilt.", "None": "Ei ühelgi juhul", - "Ban list rules - %(roomName)s": "Ligipääsukeelu reeglid - %(roomName)s", - "Server rules": "Serveri kasutustingimused", - "User rules": "Kasutajaga seotud tingimused", - "You have not ignored anyone.": "Sa ei ole veel kedagi eiranud.", - "You are currently ignoring:": "Hetkel eiratavate kasutajate loend:", - "You are not subscribed to any lists": "Sa ei ole liitunud ühegi loendiga", - "View rules": "Näita reegleid", - "You are currently subscribed to:": "Sa oled hetkel liitunud:", "Ignored users": "Eiratud kasutajad", - "⚠ These settings are meant for advanced users.": "⚠ Need seadistused on mõeldud kogenud kasutajatele.", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Kasutajate eiramine toimub ligipääsukeelu reeglite loendite alusel ning seal on kirjas blokeeritavad kasutajad, jututoad või serverid. Sellise loendi kasutusele võtmine tähendab et blokeeritud kasutajad või serverid ei ole sulle nähtavad.", - "Personal ban list": "Minu isiklik ligipääsukeelu reeglite loend", - "Subscribing to a ban list will cause you to join it!": "Ligipääsukeelu reeglite loendi tellimine tähendab sellega liitumist!", - "Room ID or address of ban list": "Ligipääsukeelu reeglite loendi jututoa tunnus või aadress", "Failed to unban": "Ligipääsu taastamine ei õnnestunud", "Unban": "Taasta ligipääs", "Banned by %(displayName)s": "Ligipääs on keelatud %(displayName)s poolt", @@ -864,14 +771,7 @@ "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Sinu kontol on turvahoidlas olemas risttunnustamise identiteet, kuid seda veel ei loeta antud sessioonis usaldusväärseks.", "well formed": "korrektses vormingus", "unexpected type": "tundmatut tüüpi", - "in secret storage": "turvahoidlas", - "Self signing private key:": "Sinu privaatvõtmed:", - "cached locally": "on puhverdatud kohalikus seadmes", - "not found locally": "ei leidu kohalikus seadmes", - "User signing private key:": "Kasutaja privaatvõti:", "in account data": "kasutajakonto andmete hulgas", - "Homeserver feature support:": "Koduserver on tugi sellele funktsionaalusele:", - "exists": "olemas", "Authentication": "Autentimine", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s ei võimalda veebibrauseris töötades krüptitud sõnumeid turvaliselt puhverdada. Selleks, et krüptitud sõnumeid saaks otsida, kasuta %(brand)s Desktop rakendust Matrix'i kliendina.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Krüptitud sõnumid kasutavad läbivat krüptimist. Ainult sinul ja saaja(te)l on võtmed selliste sõnumite lugemiseks.", @@ -883,7 +783,6 @@ "Deactivate Account": "Deaktiveeri konto", "Discovery": "Leia kasutajaid", "Deactivate account": "Deaktiveeri kasutajakonto", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Lisa siia kasutajad ja serverid, mida sa soovid eirata. Kui soovid, et %(brand)s kasutaks üldist asendamist, siis kasuta tärni. Näiteks @bot:* eirab kõikide serverite kasutajat 'bot'.", "Room options": "Jututoa eelistused", "This room is public": "See jututuba on avalik", "Room avatar": "Jututoa tunnuspilt ehk avatar", @@ -962,12 +861,10 @@ "A connection error occurred while trying to contact the server.": "Serveriga ühenduse algatamisel tekkis viga.", "The server is not configured to indicate what the problem is (CORS).": "Server on seadistatud varjama tegelikke veapõhjuseid (CORS).", "You're all caught up.": "Ei tea... kõik vist on nüüd tehtud.", - "Master private key:": "Üldine privaatvõti:", "Recent changes that have not yet been received": "Hiljutised muudatused, mis pole veel alla laetud või saabunud", "Explore public rooms": "Sirvi avalikke jututubasid", "You've previously used %(brand)s on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, %(brand)s needs to resync your account.": "Oled varem kasutanud %(brand)s serveriga %(host)s ja lubanud andmete laisa laadimise. Selles versioonis on laisk laadimine keelatud. Kuna kohalik vahemälu nende kahe seadistuse vahel ei ühildu, peab %(brand)s sinu konto uuesti sünkroonima.", "If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Kui %(brand)s teine versioon on mõnel teisel vahekaardil endiselt avatud, palun sulge see. %(brand)s kasutamine samal serveril põhjustab vigu olukorras, kus laisk laadimine on samal ajal lubatud ja keelatud.", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "%(brand)s vanema versiooni andmed on tuvastatud. See kindlasti põhjustab läbiva krüptimise tõrke vanemas versioonis. Läbivalt krüptitud sõnumid, mida on vanema versiooni kasutamise ajal hiljuti vahetatud, ei pruugi selles versioonis olla dekrüptitavad. See võib põhjustada vigu ka selle versiooniga saadetud sõnumite lugemisel. Kui teil tekib probleeme, logige välja ja uuesti sisse. Sõnumite ajaloo säilitamiseks eksportige ja uuesti importige oma krüptovõtmed.", "Preparing to download logs": "Valmistun logikirjete allalaadimiseks", "Unexpected server error trying to leave the room": "Jututoast lahkumisel tekkis serveris ootamatu viga", "Error leaving room": "Viga jututoast lahkumisel", @@ -989,7 +886,6 @@ "Start a conversation with someone using their name or username (like ).": "Alusta vestlust kasutades teise osapoole nime või kasutajanime (näiteks ).", "Invite someone using their name, username (like ) or share this room.": "Kutsu kedagi tema nime, kasutajanime (nagu ) alusel või jaga seda jututuba.", "Safeguard against losing access to encrypted messages & data": "Hoia ära, et kaotad ligipääsu krüptitud sõnumitele ja andmetele", - "not found in storage": "ei leidunud turvahoidlas", "Widgets": "Vidinad", "Edit widgets, bridges & bots": "Muuda vidinaid, võrgusildu ja roboteid", "Add widgets, bridges & bots": "Lisa vidinaid, võrgusildu ja roboteid", @@ -1280,12 +1176,9 @@ "This widget would like to:": "See vidin sooviks:", "Approve widget permissions": "Anna vidinale õigused", "Decline All": "Keeldu kõigist", - "Enter phone number": "Sisesta telefoninumber", - "Enter email address": "Sisesta e-posti aadress", "Continuing without email": "Jätka ilma e-posti aadressi seadistamiseta", "Server Options": "Serveri seadistused", "There was a problem communicating with the homeserver, please try again later.": "Serveriühenduses tekkis viga. Palun proovi mõne aja pärast uuesti.", - "That phone number doesn't look quite right, please check and try again": "See telefoninumber ei tundu õige olema, palun kontrolli ta üle ja proovi uuesti", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Lihtsalt hoiatame, et kui sa ei lisa e-posti aadressi ning unustad oma konto salasõna, siis sa võid püsivalt kaotada ligipääsu oma kontole.", "Reason (optional)": "Põhjus (kui soovid lisada)", "Hold": "Pane ootele", @@ -1299,8 +1192,6 @@ "Dial pad": "Numbriklahvistik", "There was an error looking up the phone number": "Telefoninumbri otsimisel tekkis viga", "Unable to look up phone number": "Telefoninumbrit ei õnnestu leida", - "Channel: ": "Kanal: ", - "Workspace: ": "Tööruum: ", "If you've forgotten your Security Key you can ": "Kui sa oled unustanud oma turvavõtme, siis sa võid ", "Access your secure message history and set up secure messaging by entering your Security Key.": "Sisestades turvavõtme pääsed ligi oma turvatud sõnumitele ning sätid tööle krüptitud sõnumivahetuse.", "Not a valid Security Key": "Vigane turvavõti", @@ -1326,7 +1217,6 @@ "The widget will verify your user ID, but won't be able to perform actions for you:": "See vidin verifitseerib sinu kasutajatunnuse, kuid ta ei saa sinu nimel toiminguid teha:", "Allow this widget to verify your identity": "Luba sellel vidinal sinu isikut verifitseerida", "Use app for a better experience": "Rakendusega saad Matrix'is suhelda parimal viisil", - "Something went wrong in confirming your identity. Cancel and try again.": "Midagi läks sinu isiku tuvastamisel viltu. Tühista viimane toiming ja proovi uuesti.", "Use app": "Kasuta rakendust", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Me sättisime nii, et sinu veebibrauser jätaks järgmiseks sisselogimiseks meelde sinu koduserveri, kuid kahjuks on ta selle unustanud. Palun mine sisselogimise lehele ja proovi uuesti.", "We couldn't log you in": "Meil ei õnnestunud sind sisse logida", @@ -1374,7 +1264,6 @@ "other": "%(count)s jututuba", "one": "%(count)s jututuba" }, - "Original event source": "Sündmuse töötlemata lähtekood", "No results found": "Tulemusi ei ole", "You may want to try a different search or check for typos.": "Aga proovi muuta otsingusõna või kontrolli ega neis trükivigu polnud.", " invites you": " saatis sulle kutse", @@ -1394,7 +1283,6 @@ "Reset event store?": "Kas lähtestame sündmuste andmekogu?", "Reset event store": "Lähtesta sündmuste andmekogu", "Avatar": "Tunnuspilt", - "Verification requested": "Verifitseerimistaotlus on saadetud", "You most likely do not want to reset your event index store": "Pigem sa siiski ei taha lähtestada sündmuste andmekogu ja selle indeksit", "Verify your identity to access encrypted messages and prove your identity to others.": "Tagamaks ligipääsu oma krüptitud sõnumitele ja tõestamaks oma isikut teistele kasutajatale, verifitseeri end.", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Sa oled siin viimane osaleja. Kui sa nüüd lahkud, siis mitte keegi, kaasa arvatud sa ise, ei saa hiljem enam liituda.", @@ -1594,7 +1482,6 @@ "Verify with Security Key or Phrase": "Verifitseeri turvavõtme või turvafraasiga", "Skip verification for now": "Jäta verifitseerimine praegu vahele", "Really reset verification keys?": "Kas tõesti kustutame kõik verifitseerimisvõtmed?", - "Create poll": "Loo selline küsitlus", "Updating spaces... (%(progress)s out of %(count)s)": { "one": "Uuendan kogukonnakeskust...", "other": "Uuendan kogukonnakeskuseid... (%(progress)s / %(count)s)" @@ -1635,13 +1522,6 @@ "Yours, or the other users' internet connection": "Sinu või teise kasutaja internetiühendus", "The homeserver the user you're verifying is connected to": "Sinu poolt verifitseeritava kasutaja koduserver", "This room isn't bridging messages to any platforms. Learn more.": "See jututuba ei kasuta sõnumisildasid liidestamiseks muude süsteemidega. Lisateave.", - "Add option": "Lisa valik", - "Write an option": "Sisesta valik", - "Option %(number)s": "Valik %(number)s", - "Create options": "Koosta valikud", - "Question or topic": "Küsimus või teema", - "What is your poll question or topic?": "Mis on küsitluse teema?", - "Create Poll": "Loo selline küsitlus", "You do not have permission to start polls in this room.": "Sul ei ole õigusi küsitluste korraldamiseks siin jututoas.", "Copy link to thread": "Kopeeri jutulõnga link", "Thread options": "Jutulõnga valikud", @@ -1673,8 +1553,6 @@ "one": "%(count)s hääl", "other": "%(count)s häält" }, - "Sorry, the poll you tried to create was not posted.": "Vabandust, aga sinu loodud küsitlus jäi üleslaadimata.", - "Failed to post poll": "Küsitluse üleslaadimine ei õnnestunud", "Sorry, your vote was not registered. Please try again.": "Vabandust, aga sinu valik jäi salvestamata. Palun proovi uuesti.", "Vote not registered": "Hääl ei salvestunud", "Developer": "Arendajad", @@ -1733,8 +1611,6 @@ "Back to thread": "Tagasi jutulõnga manu", "Room members": "Jututoa liikmed", "Back to chat": "Tagasi vestluse manu", - "Verify this device by confirming the following number appears on its screen.": "Verifitseeri see seade tehes kindlaks, et järgnev number kuvatakse tema ekraanil.", - "Confirm the emoji below are displayed on both devices, in the same order:": "Kontrolli, et allpool näidatud emoji'd on kuvatud mõlemas seadmes samas järjekorras:", "Your new device is now verified. Other users will see it as trusted.": "Sinu uus seade on nüüd verifitseeritud. Teiste kasutajate jaoks on ta usaldusväärne.", "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Sinu uus seade on nüüd verifitseeritud. Selles seadmes saad lugeda oma krüptitud sõnumeid ja teiste kasutajate jaoks on ta usaldusväärne.", "Verify with another device": "Verifitseeri teise seadmega", @@ -1745,8 +1621,6 @@ "You cancelled verification on your other device.": "Sina tühistasid verifitseerimise oma teises seadmes.", "Almost there! Is your other device showing the same shield?": "Peaaegu valmis! Kas sinu teine seade kuvab sama kilpi?", "To proceed, please accept the verification request on your other device.": "Jätkamaks palun võta vastu verifitseerimispalve oma teises seadmes.", - "Waiting for you to verify on your other device…": "Ootan, et sa verifitseeriksid oma teises seadmes…", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Ootan, et sa verifitseerid oma teises seadmes: %(deviceName)s (%(deviceId)s)…", "From a thread": "Jutulõngast", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Tundmatu kasutaja ja sessiooni kombinatsioon: (%(userId)s, %(deviceId)s)", "Unrecognised room address: %(roomAlias)s": "Jututoa tundmatu aadress: %(roomAlias)s", @@ -1759,7 +1633,6 @@ "You were removed from %(roomName)s by %(memberName)s": "%(memberName)s eemaldas sind %(roomName)s jututoast", "Message pending moderation": "Sõnum on modereerimise ootel", "Message pending moderation: %(reason)s": "Sõnum on modereerimise ootel: %(reason)s", - "Internal room ID": "Jututoa tehniline tunnus", "Group all your rooms that aren't part of a space in one place.": "Koonda ühte kohta kõik oma jututoad, mis ei kuulu mõnda kogukonda.", "Group all your people in one place.": "Koonda oma olulised sõbrad ühte kohta.", "Group all your favourite rooms and people in one place.": "Koonda oma olulised sõbrad ning lemmikjututoad ühte kohta.", @@ -1778,14 +1651,8 @@ "%(space1Name)s and %(space2Name)s": "%(space1Name)s ja %(space2Name)s", "Can't edit poll": "Küsimustikku ei saa muuta", "Sorry, you can't edit a poll after votes have been cast.": "Vabandust, aga küsimustikku ei saa enam peale hääletamise lõppu muuta.", - "Edit poll": "Muuda küsitlust", "Join %(roomAddress)s": "Liitu %(roomAddress)s jututoaga", "Results will be visible when the poll is ended": "Tulemused on näha siis, kui küsitlus on lõppenud", - "Poll type": "Küsitluse tüüp", - "Open poll": "Avatud valikutega küsitlus", - "Closed poll": "Suletud valikutega küsitlus", - "Voters see results as soon as they have voted": "Osalejad näevad tulemusi kohe peale oma valiku tegemist", - "Results are only revealed when you end the poll": "Tulemused on näha vaid siis, kui küsitlus in lõppenud", "Search Dialog": "Otsinguvaade", "Open thread": "Ava jutulõng", "What location type do you want to share?": "Missugust asukohta sa soovid jagada?", @@ -1833,8 +1700,6 @@ "Forget this space": "Unusta see kogukond", "You were removed by %(memberName)s": "%(memberName)s eemaldas sinu liikmelisuse", "Loading preview": "Laadin eelvaadet", - "View older version of %(spaceName)s.": "Vaata %(spaceName)s kogukonna varasemaid versioone.", - "Upgrade this space to the recommended room version": "Uuenda selle kogukonna versioon soovitatud versioonini", "Failed to join": "Liitumine ei õnnestunud", "The person who invited you has already left, or their server is offline.": "See, sulle saatis kutse, kas juba on lahkunud või tema koduserver on võrgust väljas.", "The person who invited you has already left.": "See, kes saatis sulle kutse, on juba lahkunud.", @@ -1910,13 +1775,7 @@ "Video room": "Videotuba", "An error occurred whilst sharing your live location, please try again": "Asukoha reaalajas jagamisel tekkis viga, palun proovi mõne hetke pärast uuesti", "An error occurred whilst sharing your live location": "Sinu asukoha jagamisel reaalajas tekkis viga", - "Resent!": "Uuesti saadetud!", - "Did not receive it? Resend it": "Sa pole kirja saanud? Saada uuesti", - "To create your account, open the link in the email we just sent to %(emailAddress)s.": "Kasutajakonto loomiseks ava link e-kirjast, mille just saatsime %(emailAddress)s aadressile.", "Unread email icon": "Lugemata e-kirja ikoon", - "Check your email to continue": "Jätkamaks vaata oma e-kirju", - "Click to read topic": "Teema lugemiseks klõpsi", - "Edit topic": "Muuda teemat", "Joining…": "Liitun…", "%(count)s people joined": { "other": "%(count)s osalejat liitus", @@ -1968,7 +1827,6 @@ "Messages in this chat will be end-to-end encrypted.": "Sõnumid siin vestluses on läbivalt krüptitud.", "Choose a locale": "Vali lokaat", "Saved Items": "Salvestatud failid", - "Spell check": "Õigekirja kontroll", "You're in": "Kõik on tehtud", "Sessions": "Sessioonid", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Parima turvalisuse nimel verifitseeri kõik oma sessioonid ning logi välja neist, mida sa enam ei kasuta.", @@ -2051,10 +1909,6 @@ "We were unable to start a chat with the other user.": "Meil ei õnnestunud alustada vestlust teise kasutajaga.", "Error starting verification": "Viga verifitseerimise alustamisel", "WARNING: ": "HOIATUS: ", - "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.": "Soovid katsetada? Proovi meie uusimaid arendusmõtteid. Need funktsionaalsused pole üldsegi veel valmis, nad võivad toimida puudulikult, võivad muutuda või sootuks lõpetamata jääda. Lisateavet leiad siit.", - "Early previews": "Varased arendusjärgud", - "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "Mida %(brand)s tulevikus teha oskab? Arendusjärgus funktsionaalsuste loendist leiad võimalusi, mis varsti on kõigile saadaval, kuid sa saad neid juba katsetada ning ka mõjutada missuguseks nad lõplikukt kujunevad.", - "Upcoming features": "Tulevikus lisanduvad funktsionaalsused", "You have unverified sessions": "Sul on verifitseerimata sessioone", "Change layout": "Muuda paigutust", "Search users in this room…": "Vali kasutajad sellest jututoast…", @@ -2075,10 +1929,7 @@ "Edit link": "Muuda linki", "%(senderName)s started a voice broadcast": "%(senderName)s alustas ringhäälingukõnet", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", - "Registration token": "Registreerimise tunnuskood", - "Enter a registration token provided by the homeserver administrator.": "Sisesta koduserveri haldaja poolt antud tunnuskood.", "Your account details are managed separately at %(hostname)s.": "Sinu kasutajakonto lisateave on hallatav siin serveris - %(hostname)s.", - "Manage account": "Halda kasutajakontot", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Kõik selle kasutaja sõnumid ja kutsed saava olema peidetud. Kas sa oled kindel, et soovid teda eirata?", "Ignore %(user)s": "Eira kasutajat %(user)s", "unknown": "teadmata", @@ -2090,31 +1941,25 @@ "There are no past polls in this room": "Selles jututoas pole varasemaid küsitlusi", "There are no active polls in this room": "Selles jututoas pole käimasolevaid küsitlusi", "Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Hoiatus: Sinu privaatsed andmed (sealhulgas krüptimisvõtmed) on jätkuvalt salvestatud selles sessioonis. Eemalda nad, kui oled lõpetanud selle sessiooni kasutamise või soovid sisse logida muu kasutajakontoga.", - "Warning: upgrading a room will not automatically migrate room members to the new version of the room. We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.": "Hoiatus: Jututoa versiooni uuendamine ei koli jututoa liikmeid automaatselt uude jututoa olekusse. Vanas jututoa versioonis saab olema viide uuele versioonile ning kõik liikmed peavad jututoa uue versiooni kasutamiseks seda viidet klõpsama.", "WARNING: session already verified, but keys do NOT MATCH!": "HOIATUS: Sessioon on juba verifitseeritud, aga võtmed ei klapi!", "Scan QR code": "Loe QR-koodi", "Select '%(scanQRCode)s'": "Vali „%(scanQRCode)s“", "Enable '%(manageIntegrations)s' in Settings to do this.": "Selle tegevuse kasutuselevõetuks lülita seadetes sisse „%(manageIntegrations)s“ valik.", - "Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named '%(myBanList)s' - stay in this room to keep the ban list in effect.": "Sinu isiklikus ligipääsukeelu reeglite loendis on kõik kasutajad ja serverid, kellelt sa ei soovi sõnumeid saada. Peale esimese kasutaja või serveri blokeerimist tekib sinu jututubade loendisse uus jututuba „%(myBanList)s“ ning selle jõustamiseks ära logi nimetatud jututoast välja.", "Enter a Security Phrase only you know, as it's used to safeguard your data. To be secure, you shouldn't re-use your account password.": "Andmete kaitsmiseks sisesta turvafraas, mida vaid sina tead. Ole mõistlik ja palun ära kasuta selleks oma tavalist konto salasõna.", "Starting backup…": "Alustame varundamist…", "Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Palun jätka ainult siis, kui sa oled kaotanud ligipääsu kõikidele oma seadmetele ning oma turvavõtmele.", - "Keep going…": "Jätka…", "Connecting…": "Kõne on ühendamisel…", "Loading live location…": "Reaalajas asukoht on laadimisel…", "Fetching keys from server…": "Laadin serverist võtmeid…", "Checking…": "Kontrollin…", "Waiting for partner to confirm…": "Ootan teise osapoole kinnitust…", "Adding…": "Lisan…", - "Write something…": "Kirjuta midagi…", "Rejecting invite…": "Hülgan kutset…", "Joining room…": "Liitun jututoaga…", "Joining space…": "Liitun kogukonnaga…", "Encrypting your message…": "Krüptin sinu sõnumit…", "Sending your message…": "Saadan sinu sõnumit…", "Set a new account password…": "Määra kontole uus salasõna…", - "Downloading update…": "Laadin alla uuendust…", - "Checking for an update…": "Kontrollin uuenduste olemasolu…", "Backing up %(sessionsRemaining)s keys…": "Varundan %(sessionsRemaining)s krüptovõtmeid…", "Connecting to integration manager…": "Ühendamisel lõiminguhalduriga…", "Saving…": "Salvestame…", @@ -2182,7 +2027,6 @@ "Error changing password": "Viga salasõna muutmisel", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (HTTP olekukood %(httpStatus)s)", "Unknown password change error (%(stringifiedError)s)": "Tundmatu viga salasõna muutmisel (%(stringifiedError)s)", - "Error while changing password: %(error)s": "Salasõna muutmisel tekkis viga: %(error)s", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Kui isikutuvastusserver on seadistamata, siis e-posti teel kutset saata ei saa. Soovi korral saad seda muuta Seadistuste vaatest.", "Failed to download source media, no source url was found": "Kuna meedia aadressi ei leidu, siis allalaadimine ei õnnestu", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "Kui kutse saanud kasutajad on liitunud %(brand)s'ga, siis saad sa nendega suhelda ja jututuba on läbivalt krüptitud", @@ -2535,7 +2379,15 @@ "sliding_sync_disable_warning": "Väljalülitamiseks palun logi välja ning seejärel tagasi, kuid ole sellega ettevaatlik!", "sliding_sync_proxy_url_optional_label": "Puhverserveri aadress (kui vaja)", "sliding_sync_proxy_url_label": "Puhverserveri aadress", - "video_rooms_beta": "Videotoad on veel beeta-funktsionaalsus" + "video_rooms_beta": "Videotoad on veel beeta-funktsionaalsus", + "bridge_state_creator": "Selle võrgusilla võttis kasutusele .", + "bridge_state_manager": "Seda võrgusilda haldab .", + "bridge_state_workspace": "Tööruum: ", + "bridge_state_channel": "Kanal: ", + "beta_section": "Tulevikus lisanduvad funktsionaalsused", + "beta_description": "Mida %(brand)s tulevikus teha oskab? Arendusjärgus funktsionaalsuste loendist leiad võimalusi, mis varsti on kõigile saadaval, kuid sa saad neid juba katsetada ning ka mõjutada missuguseks nad lõplikukt kujunevad.", + "experimental_section": "Varased arendusjärgud", + "experimental_description": "Soovid katsetada? Proovi meie uusimaid arendusmõtteid. Need funktsionaalsused pole üldsegi veel valmis, nad võivad toimida puudulikult, võivad muutuda või sootuks lõpetamata jääda. Lisateavet leiad siit." }, "keyboard": { "home": "Avaleht", @@ -2871,7 +2723,26 @@ "record_session_details": "Sessioonide paremaks tuvastamiseks saad nüüd sessioonihalduris salvestada klientrakenduse nime, versiooni ja aadressi", "strict_encryption": "Ära iialgi saada sellest sessioonist krüptitud sõnumeid verifitseerimata sessioonidesse", "enable_message_search": "Võta kasutusele sõnumite otsing krüptitud jututubades", - "manually_verify_all_sessions": "Verifitseeri käsitsi kõik välised sessioonid" + "manually_verify_all_sessions": "Verifitseeri käsitsi kõik välised sessioonid", + "cross_signing_public_keys": "Avalikud võtmed risttunnustamise jaoks:", + "cross_signing_in_memory": "on mälus", + "cross_signing_not_found": "pole leitavad", + "cross_signing_private_keys": "Privaatvõtmed risttunnustamise jaoks:", + "cross_signing_in_4s": "turvahoidlas", + "cross_signing_not_in_4s": "ei leidunud turvahoidlas", + "cross_signing_master_private_Key": "Üldine privaatvõti:", + "cross_signing_cached": "on puhverdatud kohalikus seadmes", + "cross_signing_not_cached": "ei leidu kohalikus seadmes", + "cross_signing_self_signing_private_key": "Sinu privaatvõtmed:", + "cross_signing_user_signing_private_key": "Kasutaja privaatvõti:", + "cross_signing_homeserver_support": "Koduserver on tugi sellele funktsionaalusele:", + "cross_signing_homeserver_support_exists": "olemas", + "export_megolm_keys": "Ekspordi jututubade läbiva krüptimise võtmed", + "import_megolm_keys": "Impordi E2E läbiva krüptimise võtmed jututubade jaoks", + "cryptography_section": "Krüptimine", + "session_id": "Sessiooni tunnus:", + "session_key": "Sessiooni võti:", + "encryption_section": "Krüptimine" }, "preferences": { "room_list_heading": "Jututubade loend", @@ -2986,6 +2857,12 @@ }, "security_recommendations": "Turvalisusega seotud soovitused", "security_recommendations_description": "Kui järgid neid soovitusi, siis sa parandad oma kasutajakonto turvalisust." + }, + "general": { + "oidc_manage_button": "Halda kasutajakontot", + "account_section": "Kasutajakonto", + "language_section": "Keel ja piirkond", + "spell_check_section": "Õigekirja kontroll" } }, "devtools": { @@ -3087,7 +2964,8 @@ "low_bandwidth_mode": "Vähese ribalaiusega režiim", "developer_mode": "Arendusrežiim", "view_source_decrypted_event_source": "Sündmuse dekrüptitud lähtekood", - "view_source_decrypted_event_source_unavailable": "Dekrüptitud lähteandmed pole saadaval" + "view_source_decrypted_event_source_unavailable": "Dekrüptitud lähteandmed pole saadaval", + "original_event_source": "Sündmuse töötlemata lähtekood" }, "export_chat": { "html": "HTML", @@ -3727,6 +3605,17 @@ "url_preview_encryption_warning": "Krüptitud jututubades, nagu see praegune, URL'ide eelvaated ei ole vaikimisi kasutusel. See tagab, et sinu koduserver (kus eelvaated luuakse) ei saaks koguda teavet viidete kohta, mida sa siin jututoas näed.", "url_preview_explainer": "Kui keegi lisab oma sõnumisse URL'i, siis võidakse näidata selle URL'i eelvaadet, mis annab lisateavet tema kohta, nagu näiteks pealkiri, kirjeldus ja kuidas ta välja näeb.", "url_previews_section": "URL'ide eelvaated" + }, + "advanced": { + "unfederated": "See jututuba ei ole leitav teiste Matrix'i serverite jaoks", + "room_upgrade_warning": "Hoiatus: Jututoa versiooni uuendamine ei koli jututoa liikmeid automaatselt uude jututoa olekusse. Vanas jututoa versioonis saab olema viide uuele versioonile ning kõik liikmed peavad jututoa uue versiooni kasutamiseks seda viidet klõpsama.", + "space_upgrade_button": "Uuenda selle kogukonna versioon soovitatud versioonini", + "room_upgrade_button": "Uuenda see jututoa versioon soovitatud versioonini", + "space_predecessor": "Vaata %(spaceName)s kogukonna varasemaid versioone.", + "room_predecessor": "Näita vanemat tüüpi sõnumeid jututoas %(roomName)s.", + "room_id": "Jututoa tehniline tunnus", + "room_version_section": "Jututoa versioon", + "room_version": "Jututoa versioon:" } }, "encryption": { @@ -3742,8 +3631,22 @@ "sas_prompt": "Võrdle unikaalseid emoji'sid", "sas_description": "Kui sul mõlemas seadmes pole kaamerat, siis võrdle unikaalset emoji'de komplekti", "qr_or_sas": "%(qrCode)s või %(emojiCompare)s", - "qr_or_sas_header": "Verifitseeri see seade täites ühe alljärgnevatest:" - } + "qr_or_sas_header": "Verifitseeri see seade täites ühe alljärgnevatest:", + "explainer": "Turvalised sõnumid selle kasutajaga on läbivalt krüptitud ning kolmandad osapooled ei saa neid lugeda.", + "complete_action": "Selge lugu", + "sas_emoji_caption_self": "Kontrolli, et allpool näidatud emoji'd on kuvatud mõlemas seadmes samas järjekorras:", + "sas_emoji_caption_user": "Verifitseeri see kasutaja tehes kindlaks et järgnev emoji kuvatakse tema ekraanil.", + "sas_caption_self": "Verifitseeri see seade tehes kindlaks, et järgnev number kuvatakse tema ekraanil.", + "sas_caption_user": "Verifitseeri see kasutaja tehes kindlaks, et järgnev number kuvatakse tema ekraanil.", + "unsupported_method": "Ei suuda leida toetatud verifitseerimismeetodit.", + "waiting_other_device_details": "Ootan, et sa verifitseerid oma teises seadmes: %(deviceName)s (%(deviceId)s)…", + "waiting_other_device": "Ootan, et sa verifitseeriksid oma teises seadmes…", + "waiting_other_user": "Ootan kasutaja %(displayName)s verifitseerimist…", + "cancelling": "Tühistan…" + }, + "old_version_detected_title": "Tuvastasin andmed, mille puhul on kasutatud vanemat tüüpi krüptimist", + "old_version_detected_description": "%(brand)s vanema versiooni andmed on tuvastatud. See kindlasti põhjustab läbiva krüptimise tõrke vanemas versioonis. Läbivalt krüptitud sõnumid, mida on vanema versiooni kasutamise ajal hiljuti vahetatud, ei pruugi selles versioonis olla dekrüptitavad. See võib põhjustada vigu ka selle versiooniga saadetud sõnumite lugemisel. Kui teil tekib probleeme, logige välja ja uuesti sisse. Sõnumite ajaloo säilitamiseks eksportige ja uuesti importige oma krüptovõtmed.", + "verification_requested_toast_title": "Verifitseerimistaotlus on saadetud" }, "emoji": { "category_frequently_used": "Enamkasutatud", @@ -3858,7 +3761,51 @@ "phone_optional_label": "Telefoninumber (kui soovid)", "email_help_text": "Selleks et saaksid vajadusel oma salasõna muuta, palun lisa oma e-posti aadress.", "email_phone_discovery_text": "Kui soovid, et teised kasutajad saaksid sind leida, siis palun lisa oma e-posti aadress või telefoninumber.", - "email_discovery_text": "Kui soovid, et teised kasutajad saaksid sind leida, siis palun lisa oma e-posti aadress." + "email_discovery_text": "Kui soovid, et teised kasutajad saaksid sind leida, siis palun lisa oma e-posti aadress.", + "session_logged_out_title": "Välja logitud", + "session_logged_out_description": "Turvalisusega seotud põhjustel on see sessioon välja logitud. Palun logi uuesti sisse.", + "change_password_error": "Salasõna muutmisel tekkis viga: %(error)s", + "change_password_mismatch": "Uued salasõnad ei klapi", + "change_password_empty": "Salasõna ei saa olla tühi", + "set_email_prompt": "Kas sa soovid seadistada e-posti aadressi?", + "change_password_confirm_label": "Korda uut salasõna", + "change_password_confirm_invalid": "Salasõnad ei klapi", + "change_password_current_label": "Praegune salasõna", + "change_password_new_label": "Uus salasõna", + "change_password_action": "Muuda salasõna", + "email_field_label": "E-posti aadress", + "email_field_label_required": "Sisesta e-posti aadress", + "email_field_label_invalid": "Ei tundu olema korralik e-posti aadress", + "uia": { + "password_prompt": "Tuvasta oma isik sisestades salasõna alljärgnevalt.", + "recaptcha_missing_params": "Robotilõksu avalik võti on puudu koduserveri seadistustes. Palun teata sellest oma koduserveri haldurile.", + "terms_invalid": "Palun vaata üle kõik koduserveri kasutustingimused ja nõustu nendega", + "terms": "Palun vaata üle selle koduserveri kasutustingimused ja nõustu nendega:", + "email_auth_header": "Jätkamaks vaata oma e-kirju", + "email": "Kasutajakonto loomiseks ava link e-kirjast, mille just saatsime %(emailAddress)s aadressile.", + "email_resend_prompt": "Sa pole kirja saanud? Saada uuesti", + "email_resent": "Uuesti saadetud!", + "msisdn_token_incorrect": "Vigane tunnusluba", + "msisdn": "Saatsime tekstisõnumi telefoninumbrile %(msisdn)s", + "msisdn_token_prompt": "Palun sisesta seal kuvatud kood:", + "registration_token_prompt": "Sisesta koduserveri haldaja poolt antud tunnuskood.", + "registration_token_label": "Registreerimise tunnuskood", + "sso_failed": "Midagi läks sinu isiku tuvastamisel viltu. Tühista viimane toiming ja proovi uuesti.", + "fallback_button": "Alusta autentimist" + }, + "password_field_label": "Sisesta salasõna", + "password_field_strong_label": "Vahva, see on korralik salasõna!", + "password_field_weak_label": "Selline salasõna on küll lubatud, kuid üsna ebaturvaline", + "password_field_keep_going_prompt": "Jätka…", + "username_field_required_invalid": "Sisesta kasutajanimi", + "msisdn_field_required_invalid": "Sisesta telefoninumber", + "msisdn_field_number_invalid": "See telefoninumber ei tundu õige olema, palun kontrolli ta üle ja proovi uuesti", + "msisdn_field_label": "Telefon", + "identifier_label": "Logi sisse oma kasutajaga", + "reset_password_email_field_description": "Kasuta e-posti aadressi ligipääsu taastamiseks oma kontole", + "reset_password_email_field_required_invalid": "Sisesta e-posti aadress (nõutav selles koduserveris)", + "msisdn_field_description": "Teades sinu kontaktinfot võivad teised kutsuda sind osalema jututubades", + "registration_msisdn_field_required_invalid": "Sisesta telefoninumber (nõutav selles koduserveris)" }, "room_list": { "sort_unread_first": "Näita lugemata sõnumitega jututubasid esimesena", @@ -4052,7 +3999,13 @@ "see_changes_button": "Mida on meil uut?", "release_notes_toast_title": "Meie uudised", "toast_title": "Uuenda %(brand)s rakendust", - "toast_description": "%(brand)s ralenduse uus versioon on saadaval" + "toast_description": "%(brand)s ralenduse uus versioon on saadaval", + "error_encountered": "Tekkis viga (%(errorDetail)s).", + "checking": "Kontrollin uuenduste olemasolu…", + "no_update": "Uuendusi pole saadaval.", + "downloading": "Laadin alla uuendust…", + "new_version_available": "Saadaval on uus versioon. Uuenda nüüd.", + "check_action": "Kontrolli uuendusi" }, "threads": { "all_threads": "Kõik jutulõngad", @@ -4105,7 +4058,35 @@ }, "labs_mjolnir": { "room_name": "Minu poolt seatud ligipääsukeeldude loend", - "room_topic": "See on sinu serverite ja kasutajate ligipääsukeeldude loend. Palun ära lahku sellest jututoast!" + "room_topic": "See on sinu serverite ja kasutajate ligipääsukeeldude loend. Palun ära lahku sellest jututoast!", + "ban_reason": "Eiratud või ligipääs blokeeritud", + "error_adding_ignore": "Viga eiratud kasutaja või serveri lisamisel", + "something_went_wrong": "Midagi läks valesti. Proovi uuesti või otsi lisavihjeid konsoolilt.", + "error_adding_list_title": "Viga loendiga liitumisel", + "error_adding_list_description": "Palun kontrolli, kas jututoa tunnus või aadress on õiged ja proovi uuesti.", + "error_removing_ignore": "Viga eiratud kasutaja või serveri eemaldamisel", + "error_removing_list_title": "Viga loendist lahkumisel", + "error_removing_list_description": "Palun proovi uuesti või otsi lisavihjeid konsoolilt.", + "rules_title": "Ligipääsukeelu reeglid - %(roomName)s", + "rules_server": "Serveri kasutustingimused", + "rules_user": "Kasutajaga seotud tingimused", + "personal_empty": "Sa ei ole veel kedagi eiranud.", + "personal_section": "Hetkel eiratavate kasutajate loend:", + "no_lists": "Sa ei ole liitunud ühegi loendiga", + "view_rules": "Näita reegleid", + "lists": "Sa oled hetkel liitunud:", + "title": "Eiratud kasutajad", + "advanced_warning": "⚠ Need seadistused on mõeldud kogenud kasutajatele.", + "explainer_1": "Lisa siia kasutajad ja serverid, mida sa soovid eirata. Kui soovid, et %(brand)s kasutaks üldist asendamist, siis kasuta tärni. Näiteks @bot:* eirab kõikide serverite kasutajat 'bot'.", + "explainer_2": "Kasutajate eiramine toimub ligipääsukeelu reeglite loendite alusel ning seal on kirjas blokeeritavad kasutajad, jututoad või serverid. Sellise loendi kasutusele võtmine tähendab et blokeeritud kasutajad või serverid ei ole sulle nähtavad.", + "personal_heading": "Minu isiklik ligipääsukeelu reeglite loend", + "personal_description": "Sinu isiklikus ligipääsukeelu reeglite loendis on kõik kasutajad ja serverid, kellelt sa ei soovi sõnumeid saada. Peale esimese kasutaja või serveri blokeerimist tekib sinu jututubade loendisse uus jututuba „%(myBanList)s“ ning selle jõustamiseks ära logi nimetatud jututoast välja.", + "personal_new_label": "Serverid või kasutajate tunnused, mida soovid eirata", + "personal_new_placeholder": "näiteks: @bot:* või example.org", + "lists_heading": "Tellitud loendid", + "lists_description_1": "Ligipääsukeelu reeglite loendi tellimine tähendab sellega liitumist!", + "lists_description_2": "Kui tulemus pole see mida soovisid, siis pruugi muud vahendit kasutajate eiramiseks.", + "lists_new_label": "Ligipääsukeelu reeglite loendi jututoa tunnus või aadress" }, "create_space": { "name_required": "Palun sisesta kogukonnakeskuse nimi", @@ -4170,6 +4151,12 @@ "private_unencrypted_warning": "Sinu isiklikud sõnumid on tavaliselt läbivalt krüptitud, aga see jututuba ei ole. Tavaliselt on põhjuseks, et kasutusel on mõni seade või meetod nagu e-posti põhised kutsed, mis krüptimist veel ei toeta.", "enable_encryption_prompt": "Võta seadistustes krüptimine kasutusele.", "unencrypted_warning": "Läbiv krüptimine pole kasutusel" + }, + "edit_topic": "Muuda teemat", + "read_topic": "Teema lugemiseks klõpsi", + "unread_notifications_predecessor": { + "other": "Sinul on selle jututoa varasemas versioonis %(count)s lugemata teavitust.", + "one": "Sinul on selle jututoa varasemas versioonis %(count)s lugemata teavitus." } }, "file_panel": { @@ -4184,9 +4171,31 @@ "intro": "Jätkamaks pead nõustuma kasutustingimustega.", "column_service": "Teenus", "column_summary": "Kokkuvõte", - "column_document": "Dokument" + "column_document": "Dokument", + "tac_title": "Kasutustingimused", + "tac_description": "Selleks et jätkata koduserveri %(homeserverDomain)s kasutamist sa pead üle vaatama ja nõustuma meie kasutustingimustega.", + "tac_button": "Vaata üle kasutustingimused" }, "space_settings": { "title": "Seadistused - %(spaceName)s" + }, + "poll": { + "create_poll_title": "Loo selline küsitlus", + "create_poll_action": "Loo selline küsitlus", + "edit_poll_title": "Muuda küsitlust", + "failed_send_poll_title": "Küsitluse üleslaadimine ei õnnestunud", + "failed_send_poll_description": "Vabandust, aga sinu loodud küsitlus jäi üleslaadimata.", + "type_heading": "Küsitluse tüüp", + "type_open": "Avatud valikutega küsitlus", + "type_closed": "Suletud valikutega küsitlus", + "topic_heading": "Mis on küsitluse teema?", + "topic_label": "Küsimus või teema", + "topic_placeholder": "Kirjuta midagi…", + "options_heading": "Koosta valikud", + "options_label": "Valik %(number)s", + "options_placeholder": "Sisesta valik", + "options_add_button": "Lisa valik", + "disclosed_notes": "Osalejad näevad tulemusi kohe peale oma valiku tegemist", + "notes": "Tulemused on näha vaid siis, kui küsitlus in lõppenud" } } diff --git a/src/i18n/strings/eu.json b/src/i18n/strings/eu.json index 5195c9eae4..5d3c58e447 100644 --- a/src/i18n/strings/eu.json +++ b/src/i18n/strings/eu.json @@ -21,9 +21,6 @@ "Connectivity to the server has been lost.": "Zerbitzariarekin konexioa galdu da.", "You do not have permission to post to this room": "Ez duzu gela honetara mezuak bidaltzeko baimenik", "Filter room members": "Iragazi gelako kideak", - "Email": "E-mail", - "Phone": "Telefonoa", - "Cryptography": "Kriptografia", "Authentication": "Autentifikazioa", "Verification Pending": "Egiaztaketa egiteke", "Please check your email and click on the link it contains. Once this is done, click continue.": "Irakurri zure e-maila eta egin klik dakarren estekan. Behin eginda, egin klik Jarraitu botoian.", @@ -31,16 +28,11 @@ "This phone number is already in use": "Telefono zenbaki hau erabilita dago", "This room has no local addresses": "Gela honek ez du tokiko helbiderik", "Session ID": "Saioaren IDa", - "Export E2E room keys": "Esportatu E2E geletako gakoak", "Export room keys": "Esportatu gelako gakoak", "Enter passphrase": "Idatzi pasaesaldia", "Confirm passphrase": "Berretsi pasaesaldia", - "Import E2E room keys": "Inportatu E2E geletako gakoak", "Import room keys": "Inportatu gelako gakoak", - "Start authentication": "Hasi autentifikazioa", - "For security, this session has been signed out. Please sign in again.": "Segurtasunagatik saio hau amaitu da. Hasi saioa berriro.", "Moderator": "Moderatzailea", - "Account": "Kontua", "Admin Tools": "Administrazio-tresnak", "No Microphones detected": "Ez da mikrofonorik atzeman", "No Webcams detected": "Ez da kamerarik atzeman", @@ -51,9 +43,6 @@ "Are you sure?": "Ziur zaude?", "Are you sure you want to leave the room '%(roomName)s'?": "Ziur '%(roomName)s' gelatik atera nahi duzula?", "Are you sure you want to reject the invitation?": "Ziur gonbidapena baztertu nahi duzula?", - "Change Password": "Aldatu pasahitza", - "Confirm password": "Berretsi pasahitza", - "Current password": "Oraingo pasahitza", "Custom level": "Maila pertsonalizatua", "Deactivate Account": "Itxi kontua", "Decrypt %(text)s": "Deszifratu %(text)s", @@ -78,17 +67,14 @@ "Invalid Email Address": "E-mail helbide baliogabea", "Invalid file%(extra)s": "Fitxategi %(extra)s baliogabea", "Invited": "Gonbidatuta", - "Sign in with": "Hasi saioa hau erabilita:", "Missing room_id in request": "Gelaren ID-a falta da eskaeran", "Missing user_id in request": "Erabiltzailearen ID-a falta da eskaeran", - "New passwords don't match": "Pasahitz berriak ez datoz bat", "New passwords must match each other.": "Pasahitz berriak berdinak izan behar dira.", "not specified": "zehaztu gabe", "": "", "No display name": "Pantaila izenik ez", "No more results": "Emaitza gehiagorik ez", "Server may be unavailable, overloaded, or you hit a bug.": "Agian zerbitzaria ez dago eskuragarri, edo gainezka dago, edo akats bat aurkitu duzu.", - "Passwords can't be empty": "Pasahitzak ezin dira hutsik egon", "Power level must be positive integer.": "Botere maila osoko zenbaki positibo bat izan behar da.", "Profile": "Profila", "Reason": "Arrazoia", @@ -101,11 +87,9 @@ "%(roomName)s is not accessible at this time.": "%(roomName)s ez dago eskuragarri orain.", "Search failed": "Bilaketak huts egin du", "Server may be unavailable, overloaded, or search timed out :(": "Zerbitzaria eskuraezin edo gainezka egon daiteke, edo bilaketaren denbora muga gainditu da :(", - "Signed Out": "Saioa amaituta", "This email address was not found": "Ez da e-mail helbide hau aurkitu", "This room is not recognised.": "Ez da gela hau ezagutzen.", "This doesn't appear to be a valid email address": "Honek ez du baliozko e-mail baten antzik", - "This room is not accessible by remote Matrix servers": "Gela hau ez dago eskuragarri urruneko zerbitzarietan", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Gela honen denbora-lerroko puntu zehatz bat kargatzen saiatu zara, baina ez duzu mezu zehatz hori ikusteko baimenik.", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Gela honen denbora-lerroko puntu zehatz bat kargatzen saiatu da, baina ezin izan da aurkitu.", "Unable to add email address": "Ezin izan da e-mail helbidea gehitu", @@ -154,7 +138,6 @@ "one": "(~%(count)s emaitza)", "other": "(~%(count)s emaitza)" }, - "New Password": "Pasahitz berria", "Passphrases must match": "Pasaesaldiak bat etorri behar dira", "Passphrase must not be empty": "Pasaesaldia ezin da hutsik egon", "File to import": "Inportatu beharreko fitxategia", @@ -166,18 +149,14 @@ "Unknown error": "Errore ezezaguna", "Unable to restore session": "Ezin izan da saioa berreskuratu", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Aurretik %(brand)s bertsio berriago bat erabili baduzu, zure saioa bertsio honekin bateraezina izan daiteke. Itxi leiho hau eta itzuli bertsio berriagora.", - "Token incorrect": "Token okerra", - "Please enter the code it contains:": "Sartu dakarren kodea:", "Error decrypting image": "Errorea audioa deszifratzean", "Error decrypting video": "Errorea bideoa deszifratzean", "Add an Integration": "Gehitu integrazioa", - "Check for update": "Bilatu ekuneraketa", "Something went wrong!": "Zerk edo zerk huts egin du!", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Kanpo webgune batetara eramango zaizu zure kontua %(integrationsUrl)s helbidearekin erabiltzeko egiaztatzeko. Jarraitu nahi duzu?", "Your browser does not support the required cryptography extensions": "Zure nabigatzaileak ez ditu onartzen beharrezkoak diren kriptografia gehigarriak", "Not a valid %(brand)s keyfile": "Ez da baliozko %(brand)s gako-fitxategia", "Authentication check failed: incorrect password?": "Autentifikazio errorea: pasahitz okerra?", - "Do you want to set an email address?": "E-mail helbidea ezarri nahi duzu?", "This will allow you to reset your password and receive notifications.": "Honek zure pasahitza berrezarri eta jakinarazpenak jasotzea ahalbidetuko dizu.", "and %(count)s others...": { "other": "eta beste %(count)s…", @@ -204,9 +183,7 @@ "%(duration)sh": "%(duration)s h", "%(duration)sd": "%(duration)s e", "Unnamed room": "Izen gabeko gela", - "Old cryptography data detected": "Kriptografia datu zaharrak atzeman dira", "Please note you are logging into the %(hs)s server, not matrix.org.": "Kontuan izan %(hs)s zerbitzarira elkartu zarela, ez matrix.org.", - "A text message has been sent to %(msisdn)s": "Testu mezu bat bidali da hona: %(msisdn)s", "Jump to read receipt": "Saltatu irakurragirira", "collapse": "tolestu", "expand": "hedatu", @@ -219,7 +196,6 @@ "other": "%(items)s eta beste %(count)s", "one": "%(items)s eta beste bat" }, - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "%(brand)s bertsio zahar batek datuak antzeman dira. Honek bertsio zaharrean muturretik muturrerako zifratzea ez funtzionatzea eragingo du. Azkenaldian bertsio zaharrean bidali edo jasotako zifratutako mezuak agian ezin izango dira deszifratu bertsio honetan. Honek ere Bertsio honekin egindako mezu trukeak huts egitea ekar dezake. Arazoak badituzu, amaitu saioa eta hasi berriro saioa. Mezuen historiala gordetzeko, esportatu eta berriro inportatu zure gakoak.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Ezin izango duzu hau aldatu zure burua mailaz jaisten ari zarelako, zu bazara gelan baimenak dituen azken erabiltzailea ezin izango dira baimenak berreskuratu.", "Replying": "Erantzuten", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(fullYear)s(e)ko %(monthName)sk %(day)sa", @@ -236,7 +212,6 @@ "Unavailable": "Eskuraezina", "Source URL": "Iturriaren URLa", "Filter results": "Iragazi emaitzak", - "No update available.": "Ez dago eguneraketarik eskuragarri.", "Tuesday": "Asteartea", "Preparing to send logs": "Egunkariak bidaltzeko prestatzen", "Saturday": "Larunbata", @@ -250,7 +225,6 @@ "Search…": "Bilatu…", "Logs sent": "Egunkariak bidalita", "Yesterday": "Atzo", - "Error encountered (%(errorDetail)s).": "Errorea aurkitu da (%(errorDetail)s).", "Low Priority": "Lehentasun baxua", "Thank you!": "Eskerrik asko!", "Missing roomId.": "Gelaren ID-a falta da.", @@ -260,9 +234,6 @@ "We encountered an error trying to restore your previous session.": "Errore bat aurkitu dugu zure aurreko saioa berrezartzen saiatzean.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Zure nabigatzailearen biltegiratzea garbitzeak arazoa konpon lezake, baina saioa amaituko da eta zifratutako txaten historiala ezin izango da berriro irakurri.", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Ezin izan da erantzundako gertaera kargatu, edo ez dago edo ez duzu ikusteko baimenik.", - "Terms and Conditions": "Termino eta baldintzak", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "%(homeserverDomain)s hasiera-zerbitzaria erabiltzen jarraitzeko gure termino eta baldintzak irakurri eta onartu behar dituzu.", - "Review terms and conditions": "Irakurri termino eta baldintzak", "Can't leave Server Notices room": "Ezin zara Server Notices gelatik atera", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Gela hau mezu hasiera zerbitzariaren garrantzitsuak bidaltzeko erabiltzen da, eta ezin zara atera.", "Share Link to User": "Partekatu esteka erabiltzailearekin", @@ -300,7 +271,6 @@ "Before submitting logs, you must create a GitHub issue to describe your problem.": "Egunkariak bidali aurretik, GitHub arazo bat sortu behar duzu gertatzen zaizuna azaltzeko.", "%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s-ek orain 3-5 aldiz memoria gutxiago darabil, beste erabiltzaileen informazioa behar denean besterik ez kargatzen. Itxaron zerbitzariarekin sinkronizatzen garen bitartean!", "Updating %(brand)s": "%(brand)s eguneratzen", - "Please review and accept the policies of this homeserver:": "Irakurri eta onartu hasiera zerbitzari honen politikak:", "You've previously used %(brand)s on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, %(brand)s needs to resync your account.": "Aurretik %(brand)s erabili duzu %(host)s zerbitzarian kideen karga alferra gaituta zenuela. Bertsio honetan karga alferra desgaituta dago. Katxe lokala bi ezarpen hauen artean bateragarria ez denez, %(brand)sek zure kontua berriro sinkronizatu behar du.", "Incompatible local cache": "Katxe lokal bateraezina", "Clear cache and resync": "Garbitu katxea eta sinkronizatu berriro", @@ -308,7 +278,6 @@ "Unable to load! Check your network connectivity and try again.": "Ezin da kargatu! Egiaztatu sare konexioa eta saiatu berriro.", "Delete Backup": "Ezabatu babes-kopia", "Unable to load key backup status": "Ezin izan da gakoen babes-kopiaren egoera kargatu", - "Please review and accept all of the homeserver's policies": "Berrikusi eta onartu hasiera-zerbitzariaren politika guztiak", "To avoid losing your chat history, you must export your room keys before logging out. You will need to go back to the newer version of %(brand)s to do this": "Zure txaten historiala ez galtzeko, zure gelako gakoak esportatu behar dituzu saioa amaitu aurretik. %(brand)s-en bertsio berriagora bueltatu behar zara hau egiteko", "Incompatible Database": "Datu-base bateraezina", "Continue With Encryption Disabled": "Jarraitu zifratzerik gabe", @@ -337,7 +306,6 @@ "Invite anyway and never warn me again": "Gonbidatu edonola ere eta ez abisatu inoiz gehiago", "Invite anyway": "Gonbidatu hala ere", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "'%(fileName)s' fitxategiak igoerarako hasiera-zerbitzari honek duen tamaina muga gainditzen du", - "Got It": "Ulertuta", "Dog": "Txakurra", "Cat": "Katua", "Lion": "Lehoia", @@ -394,9 +362,7 @@ "Room Addresses": "Gelaren helbideak", "Email addresses": "E-mail helbideak", "Phone numbers": "Telefono zenbakiak", - "Language and region": "Hizkuntza eta eskualdea", "Account management": "Kontuen kudeaketa", - "Encryption": "Zifratzea", "Ignored users": "Ezikusitako erabiltzaileak", "Voice & Video": "Ahotsa eta bideoa", "Main address": "Helbide nagusia", @@ -422,10 +388,6 @@ "Trumpet": "Tronpeta", "Bell": "Kanpaia", "Anchor": "Aingura", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Erabiltzaile honekin dauzkazun mezu seguruak muturretik muturrera zifratuta daude eta ezin ditu beste inork irakurri.", - "Verify this user by confirming the following emoji appear on their screen.": "Egiaztatu erabiltzaile hau beheko emojiak bere pantailan agertzen direla baieztatuz.", - "Verify this user by confirming the following number appears on their screen.": "Egiaztatu erabiltzaile hau honako zenbakia bere pantailan agertzen dela baieztatuz.", - "Unable to find a supported verification method.": "Ezin izan da onartutako egiaztaketa metodorik aurkitu.", "Thumbs up": "Ederto", "Hourglass": "Harea-erlojua", "Paperclip": "Klipa", @@ -439,8 +401,6 @@ "Profile picture": "Profileko irudia", "Display Name": "Pantaila-izena", "Room information": "Gelako informazioa", - "Room version": "Gela bertsioa", - "Room version:": "Gela bertsioa:", "Bulk options": "Aukera masiboak", "Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Egiaztatu erabiltzaile hau fidagarritzat markatzeko. Honek bakea ematen dizu muturretik muturrerako zifratutako mezuak erabiltzean.", "Incoming Verification Request": "Jasotako egiaztaketa eskaria", @@ -460,16 +420,11 @@ "Power level": "Botere maila", "Room Settings - %(roomName)s": "Gelaren ezarpenak - %(roomName)s", "Could not load user profile": "Ezin izan da erabiltzaile-profila kargatu", - "Upgrade this room to the recommended room version": "Bertsio-berritu gela hau aholkatutako bertsiora", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Gela hau bertsio-berritzeak gelaren oraingo instantzia itzaliko du eta izen bereko beste gela berri bat sortuko du.", "Failed to revoke invite": "Gonbidapena indargabetzeak huts egin du", "Revoke invite": "Indargabetu gonbidapena", "Invited by %(sender)s": "%(sender)s erabiltzaileak gonbidatuta", "Remember my selection for this widget": "Gogoratu nire hautua trepeta honentzat", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "Irakurri gabeko %(count)s jakinarazpen dituzu gela honen aurreko bertsio batean.", - "one": "Irakurri gabeko %(count)s jakinarazpen duzu gela honen aurreko bertsio batean." - }, "The file '%(fileName)s' failed to upload.": "Huts egin du '%(fileName)s' fitxategia igotzean.", "The server does not support the room version specified.": "Zerbitzariak ez du emandako gela-bertsioa onartzen.", "Cannot reach homeserver": "Ezin izan da hasiera-zerbitzaria atzitu", @@ -479,7 +434,6 @@ "Unexpected error resolving homeserver configuration": "Ustekabeko errorea hasiera-zerbitzariaren konfigurazioa ebaztean", "Unexpected error resolving identity server configuration": "Ustekabeko errorea identitate-zerbitzariaren konfigurazioa ebaztean", "The user's homeserver does not support the version of the room.": "Erabiltzailearen hasiera-zerbitzariak ez du gelaren bertsioa onartzen.", - "View older messages in %(roomName)s.": "Ikusi %(roomName)s gelako mezu zaharragoak.", "Uploaded sound": "Igotako soinua", "Sounds": "Soinuak", "Notification sound": "Jakinarazpen soinua", @@ -518,16 +472,6 @@ }, "Cancel All": "Ezeztatu dena", "Upload Error": "Igoera errorea", - "Use an email address to recover your account": "Erabili e-mail helbidea zure kontua berreskuratzeko", - "Enter email address (required on this homeserver)": "Sartu zure e-mail helbidea (hasiera-zerbitzari honetan beharrezkoa da)", - "Doesn't look like a valid email address": "Ez dirudi baliozko e-mail helbide bat", - "Enter password": "Sartu pasahitza", - "Password is allowed, but unsafe": "Pasahitza onartzen da, baina ez segurua da", - "Nice, strong password!": "Ongi, pasahitz sendoa!", - "Passwords don't match": "Pasahitzak ez datoz bat", - "Other users can invite you to rooms using your contact details": "Beste erabiltzaileek geletara gonbidatu zaitzakete zure kontaktu-xehetasunak erabiliz", - "Enter phone number (required on this homeserver)": "Sartu telefono zenbakia (hasiera zerbitzari honetan beharrezkoa)", - "Enter username": "Sartu erabiltzaile-izena", "Some characters not allowed": "Karaktere batzuk ez dira onartzen", "Add room": "Gehitu gela", "Homeserver URL does not appear to be a valid Matrix homeserver": "Hasiera-zerbitzariaren URL-a ez dirudi baliozko hasiera-zerbitzari batena", @@ -631,7 +575,6 @@ "Close dialog": "Itxi elkarrizketa-koadroa", "Hide advanced": "Ezkutatu aurreratua", "Show advanced": "Erakutsi aurreratua", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Captcha-ren gako publikoa falta da hasiera-zerbitzariaren konfigurazioan. Eman honen berri hasiera-zerbitzariaren administratzaileari.", "Explore rooms": "Arakatu gelak", "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Zure datu pribatuak kendu beharko zenituzke identitate-zerbitzaritik deskonektatu aurretik. Zoritxarrez identitate-zerbitzaria lineaz kanpo dago eta ezin da atzitu.", "You should:": "Hau egin beharko zenuke:", @@ -660,30 +603,7 @@ "Cannot connect to integration manager": "Ezin da integrazio kudeatzailearekin konektatu", "The integration manager is offline or it cannot reach your homeserver.": "Integrazio kudeatzailea lineaz kanpo dago edo ezin du zure hasiera-zerbitzaria atzitu.", "Manage integrations": "Kudeatu integrazioak", - "Ignored/Blocked": "Ezikusia/Blokeatuta", - "Error adding ignored user/server": "Errorea ezikusitako erabiltzaile edo zerbitzaria gehitzean", - "Something went wrong. Please try again or view your console for hints.": "Okerren bat egon da. Saiatu berriro edo bilatu aztarnak kontsolan.", - "Error subscribing to list": "Errorea zerrendara harpidetzean", - "Error removing ignored user/server": "Errorea ezikusitako erabiltzaile edo zerbitzaria kentzean", - "Error unsubscribing from list": "Errorea zerrendatik harpidetza kentzean", - "Please try again or view your console for hints.": "Saiatu berriro edo bilatu aztarnak kontsolan.", "None": "Bat ere ez", - "Ban list rules - %(roomName)s": "Debeku-zerrendaren arauak - %(roomName)s", - "Server rules": "Zerbitzari-arauak", - "User rules": "Erabiltzaile-arauak", - "You have not ignored anyone.": "Ez duzu inor ezikusi.", - "You are currently ignoring:": "Orain ezikusten dituzu:", - "You are not subscribed to any lists": "Ez zaude inolako zerrendara harpidetuta", - "View rules": "Ikusi arauak", - "You are currently subscribed to:": "Orain hauetara harpidetuta zaude:", - "⚠ These settings are meant for advanced users.": "⚠ Ezarpen hauek erabiltzaile aurreratuei zuzenduta daude.", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Jendea ezikusteko debekuen zerrendak erabiltzen dira, hauek nor debekatzeko arauak dituzte. Debeku zerrenda batera harpidetzean zerrenda horrek debekatzen dituen erabiltzaile eta zerbitzariak ezkutatuko zaizkizu.", - "Personal ban list": "Debeku-zerrenda pertsonala", - "Server or user ID to ignore": "Ezikusi behar den zerbitzari edo erabiltzailearen ID-a", - "eg: @bot:* or example.org": "adib: @bot:* edo adibidea.eus", - "Subscribed lists": "Harpidetutako zerrendak", - "Subscribing to a ban list will cause you to join it!": "Debeku-zerrenda batera harpidetzeak zu elkartzea ekarriko du!", - "If this isn't what you want, please use a different tool to ignore users.": "Hau ez bada zuk nahi duzuna, erabili beste tresnaren bat erabiltzaileak ezikusteko.", "Failed to connect to integration manager": "Huts egin du integrazio kudeatzailera konektatzean", "Messages in this room are end-to-end encrypted.": "Gela honetako mezuak muturretik muturrera zifratuta daude.", "You have ignored this user, so their message is hidden. Show anyways.": "Erabiltzaile hau ezikusi duzu, beraz bere mezua ezkutatuta dago. Erakutsi hala ere.", @@ -705,10 +625,6 @@ "Verification Request": "Egiaztaketa eskaria", "Error upgrading room": "Errorea gela eguneratzean", "Double check that your server supports the room version chosen and try again.": "Egiaztatu zure zerbitzariak aukeratutako gela bertsioa onartzen duela eta saiatu berriro.", - "Cross-signing public keys:": "Zeharkako sinaduraren gako publikoak:", - "not found": "ez da aurkitu", - "Cross-signing private keys:": "Zeharkako sinaduraren gako pribatuak:", - "in secret storage": "biltegi sekretuan", "Secret storage public key:": "Biltegi sekretuko gako publikoa:", "in account data": "kontuaren datuetan", "not stored": "gorde gabe", @@ -728,7 +644,6 @@ "Unable to set up secret storage": "Ezin izan da biltegi sekretua ezarri", "Language Dropdown": "Hizkuntza menua", "Country Dropdown": "Herrialde menua", - "This bridge is managed by .": "Zubi hau erabiltzaileak kudeatzen du.", "Show more": "Erakutsi gehiago", "Recent Conversations": "Azken elkarrizketak", "Direct Messages": "Mezu zuzenak", @@ -756,17 +671,12 @@ "Session already verified!": "Saioa jada egiaztatu da!", "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "ABISUA: GAKO EGIAZTAKETAK HUTS EGIN DU! %(userId)s eta %(deviceId)s saioaren sinatze gakoa %(fprint)s da, eta ez dator bat emandako %(fingerprint)s gakoarekin. Honek esan nahi lezake norbaitek zure komunikazioan esku sartzen ari dela!", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Eman duzun sinatze gakoa bat dator %(userId)s eta %(deviceId)s saioarentzat jaso duzun sinatze-gakoarekin. Saioa egiaztatu gisa markatu da.", - "Waiting for %(displayName)s to verify…": "%(displayName)s egiaztatu bitartean zain…", - "This bridge was provisioned by .": "Zubi hau erabiltzaileak hornitu du.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Zure kontuak zeharkako sinatze identitate bat du biltegi sekretuan, baina saio honek ez du oraindik fidagarritzat.", - "in memory": "memorian", "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Saio honek ez du zure gakoen babes-kopia egiten, baina badago berreskuratu eta gehitu deakezun aurreko babes-kopia bat.", "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Konektatu saio hau gakoen babes-kopiara saioa amaitu aurretik saio honetan bakarrik dauden gakoak ez galtzeko.", "Connect this session to Key Backup": "Konektatu saio hau gakoen babes-kopiara", "This backup is trusted because it has been restored on this session": "Babes-kopia hau fidagarritzat jotzen da saio honetan berrekuratu delako", "Your keys are not being backed up from this session.": "Ez da zure gakoen babes-kopia egiten saio honetatik.", - "Session ID:": "Saioaren ID-a:", - "Session key:": "Saioaren gakoa:", "Message search": "Mezuen bilaketa", "This room is bridging messages to the following platforms. Learn more.": "Gela honek honako plataformetara kopiatzen ditu mezuak. Argibide gehiago.", "Bridges": "Zubiak", @@ -794,7 +704,6 @@ "Session name": "Saioaren izena", "Session key": "Saioaren gakoa", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Erabiltzaile hau egiaztatzean bere saioa fidagarritzat joko da, eta zure saioak beretzat fidagarritzat ere.", - "Confirm your identity by entering your account password below.": "Baieztatu zure identitatea zure kontuaren pasahitza azpian idatziz.", "Cancel entering passphrase?": "Ezeztatu pasa-esaldiaren sarrera?", "Securely cache encrypted messages locally for them to appear in search results.": "Gorde zifratutako mezuak cachean modu seguruan bilaketen emaitzetan agertu daitezen.", "You have verified this user. This user has verified all of their sessions.": "Erabiltzaile hau egiaztatu duzu. Erabiltzaile honek bere saio guztiak egiaztatu ditu.", @@ -803,10 +712,7 @@ "One of the following may be compromised:": "Hauetakoren bat konprometituta egon daiteke:", "Verify this device to mark it as trusted. Trusting this device gives you and other users extra peace of mind when using end-to-end encrypted messages.": "Egiztatu gailu hau fidagarri gisa markatzeko. Gailu hau fidagarritzat jotzeak lasaitasuna ematen du muturretik-muturrera zifratutako mezuak erabiltzean.", "Verifying this device will mark it as trusted, and users who have verified with you will trust this device.": "Gailu hau egiaztatzean fidagarri gisa markatuko da, eta egiaztatu zaituzten erabiltzaileek fidagarri gisa ikusiko dute.", - "Cancelling…": "Ezeztatzen…", "Your homeserver does not support cross-signing.": "Zure hasiera-zerbitzariak ez du zeharkako sinatzea onartzen.", - "Homeserver feature support:": "Hasiera-zerbitzariaren ezaugarrien euskarria:", - "exists": "badago", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s-ek zifratutako mezuak cache lokalean modu seguruan gordetzeko elementu batzuk faltan ditu. Ezaugarri honekin esperimentatu nahi baduzu, konpilatu pertsonalizatutako %(brand)s Desktop bilaketa osagaiekin.", "Accepting…": "Onartzen…", "Not Trusted": "Ez konfiantzazkoa", @@ -853,10 +759,6 @@ "Confirm by comparing the following with the User Settings in your other session:": "Berretsi honako hau zure beste saioaren erabiltzaile-ezarpenetan agertzen denarekin alderatuz:", "Confirm this user's session by comparing the following with their User Settings:": "Egiaztatu erabiltzailearen saio hau, honako hau bestearen erabiltzaile-ezarpenekin alderatuz:", "If they don't match, the security of your communication may be compromised.": "Ez badatoz bat, komunikazioaren segurtasuna konprometitua egon daiteke.", - "Self signing private key:": "Norberak sinatutako gako pribatua:", - "cached locally": "cache lokalean", - "not found locally": "ez da lokalean aurkitu", - "User signing private key:": "Erabiltzaileak sinatzeko gako pribatua:", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Egiaztatu erabiltzaile baten saio bakoitza hau fidagarri gisa markatzeko, ez dira zeharka sinatutako gailuak fidagarritzat jotzen.", "In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "Gela zifratuetan, zuon mezuak babestuta daude, zuk zeuk eta hartzaileak bakarrik duzue hauek deszifratzeko gako bakanak.", "Verify all users in a room to ensure it's secure.": "Egiaztatu gela bateko erabiltzaile guztiak segurua dela baieztatzeko.", @@ -907,9 +809,6 @@ "Your homeserver has exceeded one of its resource limits.": "Zure hasiera-zerbitzariak bere baliabide mugetako bat gainditu du.", "Contact your server admin.": "Jarri kontaktuan zerbitzariaren administratzailearekin.", "Ok": "Ados", - "New version available. Update now.": "Bertsio berri eskuragarri. Eguneratu orain.", - "Please verify the room ID or address and try again.": "Egiaztatu gelaren ID-a edo helbidea eta saiatu berriro.", - "Room ID or address of ban list": "Debeku zerrendaren gelaren IDa edo helbidea", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Zure zerbitzariko administratzaileak muturretik muturrerako zifratzea desgaitu du lehenetsita gela probatuetan eta mezu zuzenetan.", "No recently visited rooms": "Ez dago azkenaldian bisitatutako gelarik", "Message preview": "Mezu-aurrebista", @@ -1096,7 +995,9 @@ "group_profile": "Profila", "group_rooms": "Gelak", "group_voip": "Ahotsa eta bideoa", - "group_encryption": "Zifratzea" + "group_encryption": "Zifratzea", + "bridge_state_creator": "Zubi hau erabiltzaileak hornitu du.", + "bridge_state_manager": "Zubi hau erabiltzaileak kudeatzen du." }, "keyboard": { "home": "Hasiera", @@ -1261,7 +1162,24 @@ "send_analytics": "Bidali datu analitikoak", "strict_encryption": "Ez bidali inoiz zifratutako mezuak egiaztatu gabeko saioetara saio honetatik", "enable_message_search": "Gaitu mezuen bilaketa gela zifratuetan", - "manually_verify_all_sessions": "Egiaztatu eskuz urruneko saio guztiak" + "manually_verify_all_sessions": "Egiaztatu eskuz urruneko saio guztiak", + "cross_signing_public_keys": "Zeharkako sinaduraren gako publikoak:", + "cross_signing_in_memory": "memorian", + "cross_signing_not_found": "ez da aurkitu", + "cross_signing_private_keys": "Zeharkako sinaduraren gako pribatuak:", + "cross_signing_in_4s": "biltegi sekretuan", + "cross_signing_cached": "cache lokalean", + "cross_signing_not_cached": "ez da lokalean aurkitu", + "cross_signing_self_signing_private_key": "Norberak sinatutako gako pribatua:", + "cross_signing_user_signing_private_key": "Erabiltzaileak sinatzeko gako pribatua:", + "cross_signing_homeserver_support": "Hasiera-zerbitzariaren ezaugarrien euskarria:", + "cross_signing_homeserver_support_exists": "badago", + "export_megolm_keys": "Esportatu E2E geletako gakoak", + "import_megolm_keys": "Inportatu E2E geletako gakoak", + "cryptography_section": "Kriptografia", + "session_id": "Saioaren ID-a:", + "session_key": "Saioaren gakoa:", + "encryption_section": "Zifratzea" }, "preferences": { "room_list_heading": "Gelen zerrenda", @@ -1274,6 +1192,10 @@ "sessions": { "session_id": "Saioaren IDa", "verify_session": "Egiaztatu saioa" + }, + "general": { + "account_section": "Kontua", + "language_section": "Hizkuntza eta eskualdea" } }, "devtools": { @@ -1628,6 +1550,13 @@ "url_preview_encryption_warning": "Zifratutako gelatan, honetan esaterako, URL-en aurrebistak lehenetsita desgaituta daude zure hasiera-zerbitzariak gela honetan ikusten dituzun estekei buruzko informaziorik jaso ez dezan, hasiera-zerbitzarian sortzen baitira aurrebistak.", "url_preview_explainer": "Norbaitek mezu batean URL bat jartzen duenean, URL aurrebista bat erakutsi daiteke estekaren informazio gehiago erakusteko, adibidez webgunearen izenburua, deskripzioa eta irudi bat.", "url_previews_section": "URL-en aurrebistak" + }, + "advanced": { + "unfederated": "Gela hau ez dago eskuragarri urruneko zerbitzarietan", + "room_upgrade_button": "Bertsio-berritu gela hau aholkatutako bertsiora", + "room_predecessor": "Ikusi %(roomName)s gelako mezu zaharragoak.", + "room_version_section": "Gela bertsioa", + "room_version": "Gela bertsioa:" } }, "encryption": { @@ -1640,8 +1569,17 @@ "complete_description": "Ongi egiaztatu duzu erabiltzaile hau.", "qr_prompt": "Eskaneatu kode bakan hau", "sas_prompt": "Konparatu emoji bakana", - "sas_description": "Konparatu emoji sorta bakana gailuek kamerarik ez badute" - } + "sas_description": "Konparatu emoji sorta bakana gailuek kamerarik ez badute", + "explainer": "Erabiltzaile honekin dauzkazun mezu seguruak muturretik muturrera zifratuta daude eta ezin ditu beste inork irakurri.", + "complete_action": "Ulertuta", + "sas_emoji_caption_user": "Egiaztatu erabiltzaile hau beheko emojiak bere pantailan agertzen direla baieztatuz.", + "sas_caption_user": "Egiaztatu erabiltzaile hau honako zenbakia bere pantailan agertzen dela baieztatuz.", + "unsupported_method": "Ezin izan da onartutako egiaztaketa metodorik aurkitu.", + "waiting_other_user": "%(displayName)s egiaztatu bitartean zain…", + "cancelling": "Ezeztatzen…" + }, + "old_version_detected_title": "Kriptografia datu zaharrak atzeman dira", + "old_version_detected_description": "%(brand)s bertsio zahar batek datuak antzeman dira. Honek bertsio zaharrean muturretik muturrerako zifratzea ez funtzionatzea eragingo du. Azkenaldian bertsio zaharrean bidali edo jasotako zifratutako mezuak agian ezin izango dira deszifratu bertsio honetan. Honek ere Bertsio honekin egindako mezu trukeak huts egitea ekar dezake. Arazoak badituzu, amaitu saioa eta hasi berriro saioa. Mezuen historiala gordetzeko, esportatu eta berriro inportatu zure gakoak." }, "emoji": { "category_frequently_used": "Maiz erabilia", @@ -1685,7 +1623,39 @@ "account_deactivated": "Kontu hau desaktibatuta dago.", "registration_username_validation": "Erabili letra xeheak, zenbakiak, gidoiak eta azpimarrak, besterik ez", "phone_label": "Telefonoa", - "phone_optional_label": "Telefonoa (aukerakoa)" + "phone_optional_label": "Telefonoa (aukerakoa)", + "session_logged_out_title": "Saioa amaituta", + "session_logged_out_description": "Segurtasunagatik saio hau amaitu da. Hasi saioa berriro.", + "change_password_mismatch": "Pasahitz berriak ez datoz bat", + "change_password_empty": "Pasahitzak ezin dira hutsik egon", + "set_email_prompt": "E-mail helbidea ezarri nahi duzu?", + "change_password_confirm_label": "Berretsi pasahitza", + "change_password_confirm_invalid": "Pasahitzak ez datoz bat", + "change_password_current_label": "Oraingo pasahitza", + "change_password_new_label": "Pasahitz berria", + "change_password_action": "Aldatu pasahitza", + "email_field_label": "E-mail", + "email_field_label_invalid": "Ez dirudi baliozko e-mail helbide bat", + "uia": { + "password_prompt": "Baieztatu zure identitatea zure kontuaren pasahitza azpian idatziz.", + "recaptcha_missing_params": "Captcha-ren gako publikoa falta da hasiera-zerbitzariaren konfigurazioan. Eman honen berri hasiera-zerbitzariaren administratzaileari.", + "terms_invalid": "Berrikusi eta onartu hasiera-zerbitzariaren politika guztiak", + "terms": "Irakurri eta onartu hasiera zerbitzari honen politikak:", + "msisdn_token_incorrect": "Token okerra", + "msisdn": "Testu mezu bat bidali da hona: %(msisdn)s", + "msisdn_token_prompt": "Sartu dakarren kodea:", + "fallback_button": "Hasi autentifikazioa" + }, + "password_field_label": "Sartu pasahitza", + "password_field_strong_label": "Ongi, pasahitz sendoa!", + "password_field_weak_label": "Pasahitza onartzen da, baina ez segurua da", + "username_field_required_invalid": "Sartu erabiltzaile-izena", + "msisdn_field_label": "Telefonoa", + "identifier_label": "Hasi saioa hau erabilita:", + "reset_password_email_field_description": "Erabili e-mail helbidea zure kontua berreskuratzeko", + "reset_password_email_field_required_invalid": "Sartu zure e-mail helbidea (hasiera-zerbitzari honetan beharrezkoa da)", + "msisdn_field_description": "Beste erabiltzaileek geletara gonbidatu zaitzakete zure kontaktu-xehetasunak erabiliz", + "registration_msisdn_field_required_invalid": "Sartu telefono zenbakia (hasiera zerbitzari honetan beharrezkoa)" }, "export_chat": { "messages": "Mezuak" @@ -1761,18 +1731,52 @@ }, "update": { "see_changes_button": "Zer dago berri?", - "release_notes_toast_title": "Zer dago berri" + "release_notes_toast_title": "Zer dago berri", + "error_encountered": "Errorea aurkitu da (%(errorDetail)s).", + "no_update": "Ez dago eguneraketarik eskuragarri.", + "new_version_available": "Bertsio berri eskuragarri. Eguneratu orain.", + "check_action": "Bilatu ekuneraketa" }, "labs_mjolnir": { "room_name": "Nire debeku-zerrenda", - "room_topic": "Hau blokeatu dituzun erabiltzaile edo zerbitzarien zerrenda da, ez atera gelatik!" + "room_topic": "Hau blokeatu dituzun erabiltzaile edo zerbitzarien zerrenda da, ez atera gelatik!", + "ban_reason": "Ezikusia/Blokeatuta", + "error_adding_ignore": "Errorea ezikusitako erabiltzaile edo zerbitzaria gehitzean", + "something_went_wrong": "Okerren bat egon da. Saiatu berriro edo bilatu aztarnak kontsolan.", + "error_adding_list_title": "Errorea zerrendara harpidetzean", + "error_adding_list_description": "Egiaztatu gelaren ID-a edo helbidea eta saiatu berriro.", + "error_removing_ignore": "Errorea ezikusitako erabiltzaile edo zerbitzaria kentzean", + "error_removing_list_title": "Errorea zerrendatik harpidetza kentzean", + "error_removing_list_description": "Saiatu berriro edo bilatu aztarnak kontsolan.", + "rules_title": "Debeku-zerrendaren arauak - %(roomName)s", + "rules_server": "Zerbitzari-arauak", + "rules_user": "Erabiltzaile-arauak", + "personal_empty": "Ez duzu inor ezikusi.", + "personal_section": "Orain ezikusten dituzu:", + "no_lists": "Ez zaude inolako zerrendara harpidetuta", + "view_rules": "Ikusi arauak", + "lists": "Orain hauetara harpidetuta zaude:", + "title": "Ezikusitako erabiltzaileak", + "advanced_warning": "⚠ Ezarpen hauek erabiltzaile aurreratuei zuzenduta daude.", + "explainer_2": "Jendea ezikusteko debekuen zerrendak erabiltzen dira, hauek nor debekatzeko arauak dituzte. Debeku zerrenda batera harpidetzean zerrenda horrek debekatzen dituen erabiltzaile eta zerbitzariak ezkutatuko zaizkizu.", + "personal_heading": "Debeku-zerrenda pertsonala", + "personal_new_label": "Ezikusi behar den zerbitzari edo erabiltzailearen ID-a", + "personal_new_placeholder": "adib: @bot:* edo adibidea.eus", + "lists_heading": "Harpidetutako zerrendak", + "lists_description_1": "Debeku-zerrenda batera harpidetzeak zu elkartzea ekarriko du!", + "lists_description_2": "Hau ez bada zuk nahi duzuna, erabili beste tresnaren bat erabiltzaileak ezikusteko.", + "lists_new_label": "Debeku zerrendaren gelaren IDa edo helbidea" }, "user_menu": { "switch_theme_light": "Aldatu modu argira", "switch_theme_dark": "Aldatu modu ilunera" }, "room": { - "drop_file_prompt": "Jaregin fitxategia hona igotzeko" + "drop_file_prompt": "Jaregin fitxategia hona igotzeko", + "unread_notifications_predecessor": { + "other": "Irakurri gabeko %(count)s jakinarazpen dituzu gela honen aurreko bertsio batean.", + "one": "Irakurri gabeko %(count)s jakinarazpen duzu gela honen aurreko bertsio batean." + } }, "file_panel": { "guest_note": "Funtzionaltasun hau erabiltzeko erregistratu", @@ -1789,6 +1793,9 @@ "intro": "Jarraitzeko erabilera baldintzak onartu behar dituzu.", "column_service": "Zerbitzua", "column_summary": "Laburpena", - "column_document": "Dokumentua" + "column_document": "Dokumentua", + "tac_title": "Termino eta baldintzak", + "tac_description": "%(homeserverDomain)s hasiera-zerbitzaria erabiltzen jarraitzeko gure termino eta baldintzak irakurri eta onartu behar dituzu.", + "tac_button": "Irakurri termino eta baldintzak" } } diff --git a/src/i18n/strings/fa.json b/src/i18n/strings/fa.json index c925889fe8..1e499530c3 100644 --- a/src/i18n/strings/fa.json +++ b/src/i18n/strings/fa.json @@ -11,7 +11,6 @@ "Favourite": "علاقه‌مندی‌ها", "All Rooms": "همه‌ی گپ‌ها", "Source URL": "آدرس مبدا", - "No update available.": "هیچ به روزرسانی جدیدی موجود نیست.", "Tuesday": "سه‌شنبه", "Unnamed room": "گپ نام‌گذاری نشده", "Saturday": "شنبه", @@ -26,7 +25,6 @@ "Thursday": "پنج‌شنبه", "Search…": "جستجو…", "Yesterday": "دیروز", - "Error encountered (%(errorDetail)s).": "خطای رخ داده (%(errorDetail)s).", "Low Priority": "کم اهمیت", "Failed to change password. Is your password correct?": "خطا در تغییر گذرواژه. آیا از درستی گذرواژه‌تان اطمینان دارید؟", "This email address is already in use": "این آدرس ایمیل در حال حاضر در حال استفاده است", @@ -56,15 +54,10 @@ "Failed to ban user": "کاربر مسدود نشد", "Error decrypting attachment": "خطا در رمزگشایی پیوست", "Email address": "آدرس ایمیل", - "Email": "ایمیل", "Download %(text)s": "دانلود 2%(text)s", "Default": "پیشفرض", "Decrypt %(text)s": "رمزگشایی %(text)s", "Deactivate Account": "غیرفعال کردن حساب", - "Current password": "گذرواژه فعلی", - "Cryptography": "رمزنگاری", - "Confirm password": "تأیید گذرواژه", - "Change Password": "تغییر گذواژه", "Are you sure you want to reject the invitation?": "آیا مطمئن هستید که می خواهید دعوت را رد کنید؟", "Are you sure you want to leave the room '%(roomName)s'?": "آیا مطمئن هستید که می خواهید از اتاق '2%(roomName)s' خارج شوید؟", "Are you sure?": "مطمئنی؟", @@ -75,10 +68,8 @@ "No media permissions": "عدم مجوز رسانه", "No Webcams detected": "هیچ وبکمی شناسایی نشد", "No Microphones detected": "هیچ میکروفونی شناسایی نشد", - "Account": "حساب کابری", "Incorrect verification code": "کد فعال‌سازی اشتباه است", "Home": "خانه", - "For security, this session has been signed out. Please sign in again.": "برای امنیت، این نشست نامعتبر شده است. لطفاً دوباره وارد سیستم شوید.", "We couldn't log you in": "نتوانستیم شما را وارد کنیم", "Only continue if you trust the owner of the server.": "تنها در صورتی که به صاحب سرور اطمینان دارید، ادامه دهید.", "Identity server has no terms of service": "سرور هویت هیچگونه شرایط خدمات ندارد", @@ -423,7 +414,6 @@ "Remember my selection for this widget": "انتخاب من برای این ابزارک را بخاطر بسپار", "I don't want my encrypted messages": "پیام‌های رمزشده‌ی خود را نمی‌خواهم", "Upgrade this room to version %(version)s": "این اتاق را به نسخه %(version)s ارتقا دهید", - "Please enter the code it contains:": "لطفا کدی را که در آن وجود دارد وارد کنید:", "Failed to save space settings.": "تنظیمات فضای کاری ذخیره نشد.", "Not a valid Security Key": "کلید امنیتی معتبری نیست", "This widget would like to:": "این ابزارک تمایل دارد:", @@ -431,7 +421,6 @@ "%(completed)s of %(total)s keys restored": "%(completed)s از %(total)s کلید بازیابی شدند", "a new cross-signing key signature": "یک کلید امضای متقابل جدید", "a new master key signature": "یک شاه‌کلید جدید", - "Password is allowed, but unsafe": "گذرواژه مجاز است ، اما ناامن است", "Upload files (%(current)s of %(total)s)": "بارگذاری فایل‌ها (%(current)s از %(total)s)", "Failed to decrypt %(failedCount)s sessions!": "رمزگشایی %(failedCount)s نشست موفقیت‌آمیز نبود!", "Unable to load backup status": "بارگیری و نمایش وضعیت نسخه‌ی پشتیبان امکان‌پذیر نیست", @@ -642,10 +631,6 @@ "You can select all or individual messages to retry or delete": "شما می‌توانید یک یا همه‌ی پیام‌ها را برای تلاش مجدد یا حذف انتخاب کنید", "Sent messages will be stored until your connection has returned.": "پیام‌های ارسالی تا زمان بازگشت اتصال شما ذخیره خواهند ماند.", "Server may be unavailable, overloaded, or search timed out :(": "سرور ممکن است در دسترس نباشد ، بار زیادی روی آن قرار گرفته یا زمان جستجو به پایان رسیده‌باشد :(", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "شما %(count)s اعلان خوانده‌نشده در نسخه‌ی قبلی این اتاق دارید.", - "one": "شما %(count)s اعلان خوانده‌نشده در نسخه‌ی قبلی این اتاق دارید." - }, "%(count)s members": { "other": "%(count)s عضو", "one": "%(count)s عضو" @@ -917,25 +902,13 @@ "Error changing power level requirement": "خطا در تغییر الزامات سطح دسترسی", "Banned by %(displayName)s": "توسط %(displayName)s تحریم شد", "This room is bridging messages to the following platforms. Learn more.": "این اتاق، ارتباط بین پیام‌ها و پلتفورم‌های زیر را ایجاد می‌کند. بیشتر بدانید.", - "View older messages in %(roomName)s.": "پیام‌های قدیمی اتاق %(roomName)s را مشاهده کنید.", "You may need to manually permit %(brand)s to access your microphone/webcam": "ممکن است لازم باشد دسترسی %(brand)s به میکروفون/دوربین را به صورت دستی فعال کنید", "Accept all %(invitedRooms)s invites": "همه‌ی دعوت‌های %(invitedRooms)s را قبول کن", "Reject all %(invitedRooms)s invites": "همه‌ی دعوت‌های %(invitedRooms)s را رد کن", "Bulk options": "گزینه‌های دسته‌جمعی", - "Room ID or address of ban list": "شناسه‌ی اتاق یا آدرس لیست تحریم", - "If this isn't what you want, please use a different tool to ignore users.": "اگر این چیزی نیست که شما می‌خواهید، از یک ابزار دیگر برای نادیده‌گرفتن کاربران استفاده نمائيد.", - "Subscribing to a ban list will cause you to join it!": "ثبت‌نام کردن در یک لیست تحریم باعث می‌شود شما هم عضو آن شوید!", - "eg: @bot:* or example.org": "برای مثال: @bot:* یا example.org", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "نادیده‌گرفتن افراد توسط لیست تحریم صورت می‌گیرد که حاوی قوانینی برای تشخیص این است که چه کسی را تحریم کند. اضافه‌شدن به لیست تحریم به این معناست که کاربر/سرور بلاک شده و از دید شما پنهان خواهد بود.", "You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "شما می‌توانید گذرواژه‌ی خود را تغییر دهید، اما برخی از قابلیت ها تا زمان بازگشت سرور هویت‌سنجی در دسترس نخواهند بود. اگر مدام این هشدار را می‌بینید، پیکربندی خود را بررسی کرده یا با مدیر سرور تماس بگیرید.", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "کاربران و سرورهایی که قصد نادیده گرفتن آن‌ها را دارید در این‌جا اضافه کنید. در %(brand)s از ستاره (*) برای مچ‌شدن با هر کاراکتری استفاده کنید. برای مثال، @bot:* همه‌ی کاربران یا سرورهایی را که نام 'bot' در آن‌ها وجود دارد، نادیده می‌گیرد.", - "⚠ These settings are meant for advanced users.": "⚠ این تنظیمات برای کاربران حرفه‌ای قرار داده شده‌است.", - "You are currently subscribed to:": "شما هم‌اکنون مشترک شده‌اید در:", - "You are currently ignoring:": "شما در حال حاضر این موارد را نادیده گرفته‌اید:", - "Ban list rules - %(roomName)s": "قوانین لیست تحریم - %(roomName)s", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "برای گزارش مشکلات امنیتی مربوط به ماتریکس، لطفا سایت Matrix.org بخش Security Disclosure Policy را مطالعه فرمائید.", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "با شرایط و ضوایط سرویس سرور هویت‌سنجی (%(serverName)s) موافقت کرده تا بتوانید از طریق آدرس ایمیل و شماره تلفن قابل یافته‌شدن باشید.", - "New version available. Update now.": "نسخه‌ی جدید موجود است. هم‌اکنون به‌روزرسانی کنید.", "Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "استفاده از سرور هویت‌سنجی اختیاری است. اگر تصمیم بگیرید از سرور هویت‌سنجی استفاده نکنید، شما با استفاده از آدرس ایمیل و شماره تلفن قابل یافته‌شدن و دعوت‌شدن توسط سایر کاربران نخواهید بود.", "Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.": "قطع ارتباط با سرور هویت‌سنجی به این معناست که شما از طریق ادرس ایمیل و شماره تلفن، بیش از این قابل یافته‌شدن و دعوت‌شدن توسط کاربران دیگر نیستید.", "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "در حال حاضر از سرور هویت‌سنجی استفاده نمی‌کنید. برای یافتن و یافته‌شدن توسط مخاطبان موجود که شما آن‌ها را می‌شناسید، یک مورد در پایین اضافه کنید.", @@ -996,7 +969,6 @@ }, "Securely cache encrypted messages locally for them to appear in search results.": "پیام‌های رمزشده را به صورتی محلی و امن ذخیره کرده تا در نتایج جستجو ظاهر شوند.", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "به صورت جداگانه هر نشستی که با بقیه‌ی کاربران دارید را تائید کنید تا به عنوان نشست قابل اعتماد نشانه‌گذاری شود، با این کار می‌توانید به دستگاه‌های امضاء متقابل اعتماد نکنید.", - "Encryption": "رمزنگاری", "You'll need to authenticate with the server to confirm the upgrade.": "برای تائید ارتقاء، نیاز به احراز هویت نزد سرور خواهید داشت.", "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "برای اینکه بتوانید بقیه‌ی نشست‌ها را تائید کرده و به آن‌ها امکان مشاهده‌ی پیام‌های رمزشده را بدهید، ابتدا باید این نشست را ارتقاء دهید. بعد از تائیدشدن، به عنوان نشست‌ّای تائید‌شده به سایر کاربران نمایش داده خواهند شد.", "Unable to query secret storage status": "امکان جستجو و کنکاش وضعیت حافظه‌ی مخفی میسر نیست", @@ -1050,19 +1022,6 @@ "Room options": "تنظیمات اتاق", "Favourited": "مورد علاقه", "Forget Room": "اتاق را فراموش کن", - "exists": "وجود دارد", - "Homeserver feature support:": "قابلیت‌های پشتیبانی‌شده سمت سرور:", - "User signing private key:": "کلید امضاء خصوصی کاربر:", - "Self signing private key:": "کلید خصوصی self-sign:", - "not found locally": "به صورت محلی یافت نشد", - "cached locally": "به صورت محلی کش شده‌است", - "Master private key:": "شاه‌کلید خصوصی:", - "not found in storage": "در حافظه یافت نشد", - "in secret storage": "بر روی حافظه نهان", - "Cross-signing private keys:": "کلیدهای خصوصی امضاء متقابل:", - "not found": "یافت نشد", - "in memory": "بر روی حافظه", - "Cross-signing public keys:": "کلیدهای عمومی امضاء متقابل:", "Create a space": "ساختن یک محیط", "Accept to continue:": "برای ادامه را بپذیرید:", "Your server isn't responding to some requests.": "سرور شما به بعضی درخواست‌ها پاسخ نمی‌دهد.", @@ -1129,13 +1088,6 @@ "Lion": "شیر", "Cat": "گربه", "Dog": "سگ", - "Cancelling…": "در حال لغو…", - "Waiting for %(displayName)s to verify…": "منتظر %(displayName)s برای تائید کردن…", - "Unable to find a supported verification method.": "روش پشتیبانی‌شده‌ای برای تائید پیدا نشد.", - "Verify this user by confirming the following number appears on their screen.": "در صورتی که عدد بعدی بر روی صفحه‌ی کاربر نمایش داده می‌شود، او را تائید نمائید.", - "Verify this user by confirming the following emoji appear on their screen.": "در صورتی که همه‌ی شکلک‌های موجود بر روی صفحه‌ی دستگاه کاربر ظاهر شده‌اند، او را تائید نمائید.", - "Got It": "متوجه شدم", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "پیام‌های رد و بدل شده با این کاربر به صورت سرتاسر رمزشده و هیچ نفر سومی امکان مشاهده و خواندن آن‌ها را ندارد.", "Dial pad": "صفحه شماره‌گیری", "There was an error looking up the phone number": "هنگام یافتن شماره تلفن خطایی رخ داد", "Unable to look up phone number": "امکان یافتن شماره تلفن میسر نیست", @@ -1177,9 +1129,7 @@ "Create account": "ساختن حساب کاربری", "Return to login screen": "بازگشت به صفحه‌ی ورود", "Your password has been reset.": "گذرواژه‌ی شما با موفقیت تغییر کرد.", - "New Password": "گذرواژه جدید", "New passwords must match each other.": "گذرواژه‌ی جدید باید مطابقت داشته باشند.", - "Original event source": "منبع اصلی رخداد", "Could not load user profile": "امکان نمایش پروفایل کاربر میسر نیست", "Switch theme": "تعویض پوسته", "All settings": "همه تنظیمات", @@ -1197,11 +1147,6 @@ "Sending": "در حال ارسال", "Retry all": "همه را دوباره امتحان کنید", "Delete all": "حذف همه", - "Verification requested": "درخواست تائید", - "Old cryptography data detected": "داده‌های رمزنگاری قدیمی شناسایی شد", - "Review terms and conditions": "مرور شرایط و ضوابط", - "Terms and Conditions": "شرایط و ضوابط", - "Signed Out": "از حساب کاربری خارج شدید", "Are you sure you want to leave the space '%(spaceName)s'?": "آیا از ترک فضای '%(spaceName)s' اطمینان دارید؟", "This room is not public. You will not be able to rejoin without an invite.": "این اتاق عمومی نیست. پیوستن مجدد بدون دعوتنامه امکان‌پذیر نخواهد بود.", "This space is not public. You will not be able to rejoin without an invite.": "این فضا عمومی نیست. امکان پیوستن مجدد بدون دعوتنامه امکان‌پذیر نخواهد بود.", @@ -1211,17 +1156,8 @@ "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "حساب کاربری شما یک هویت برای امضاء متقابل در حافظه‌ی نهان دارد، اما این هویت هنوز توسط این نشست تائید نشده‌است.", "Cross-signing is ready for use.": "امضاء متقابل برای استفاده در دسترس است.", "Your homeserver does not support cross-signing.": "سرور شما امضاء متقابل را پشتیبانی نمی‌کند.", - "Passwords don't match": "گذرواژه‌ها مطابقت ندارند", - "Do you want to set an email address?": "آیا تمایل به تنظیم یک ادرس ایمیل دارید؟", - "Export E2E room keys": "استخراج (Export) کلیدهای رمزنگاری اتاق‌ها", "Warning!": "هشدار!", - "Passwords can't be empty": "گذرواژه‌ها نمی‌توانند خالی باشند", - "New passwords don't match": "گذرواژه‌های جدید مطابقت ندارند", "No display name": "هیچ نامی برای نمایش وجود ندارد", - "Channel: ": "کانال:", - "Workspace: ": "فضای کار:", - "This bridge is managed by .": "این پل ارتباطی توسط مدیریت می‌شود.", - "This bridge was provisioned by .": "این پل ارتباطی توسط ارائه شده‌است.", "Space options": "گزینه‌های انتخابی محیط", "Add existing room": "اضافه‌کردن اتاق موجود", "Create new room": "ایجاد اتاق جدید", @@ -1236,16 +1172,6 @@ "Upload avatar": "بارگذاری نمایه", "Couldn't load page": "نمایش صفحه امکان‌پذیر نبود", "Sign in with SSO": "ورود با استفاده از احراز هویت یکپارچه", - "Sign in with": "نحوه ورود", - "Phone": "شماره تلفن", - "That phone number doesn't look quite right, please check and try again": "به نظر شماره تلفن صحیح نمی‌باشد، لطفا بررسی کرده و مجددا تلاش فرمائید", - "Enter phone number": "شماره تلفن را وارد کنید", - "Enter email address": "آدرس ایمیل را وارد کنید", - "Enter username": "نام کاربری را وارد کنید", - "Nice, strong password!": "احسنت، گذرواژه‌ی انتخابی قوی است!", - "Enter password": "گذرواژه را وارد کنید", - "Start authentication": "آغاز فرآیند احراز هویت", - "Something went wrong in confirming your identity. Cancel and try again.": "تائید هویت شما با مشکل مواجه شد. لطفا فرآیند را لغو کرده و مجددا اقدام نمائید.", "This room is public": "این اتاق عمومی است", "Avatar": "نمایه", "Move right": "به سمت راست ببر", @@ -1278,11 +1204,7 @@ "Uploaded sound": "صدای بارگذاری‌شده", "Room Addresses": "آدرس‌های اتاق", "Bridges": "پل‌ها", - "Room version:": "نسخه‌ی اتاق:", - "Room version": "نسخه‌ی اتاق", "Room information": "اطلاعات اتاق", - "Upgrade this room to the recommended room version": "نسخه‌ی این اتاق را به نسخه‌ی توصیه‌شده ارتقاء دهید", - "This room is not accessible by remote Matrix servers": "این اتاق توسط سرورهای ماتریکس در دسترس نیست", "Voice & Video": "صدا و تصویر", "Audio Output": "خروجی صدا", "No Audio Outputs detected": "هیچ خروجی صدایی یافت نشد", @@ -1290,29 +1212,10 @@ "Missing media permissions, click the button below to request.": "دسترسی به رسانه از دست رفت، برای درخواست مجدد بر روی دکمه‌ی زیر کلیک نمائید.", "Message search": "جستجوی پیام‌ها", "You have no ignored users.": "شما هیچ کاربری را نادیده نگرفته‌اید.", - "Session key:": "کلید نشست:", - "Session ID:": "شناسه‌ی نشست:", - "Import E2E room keys": "واردکردن کلیدهای رمزنگاری اتاق‌ها", "": "<پشتیبانی نمی‌شود>", "Unignore": "لغو نادیده‌گرفتن", - "Subscribed lists": "لیست‌هایی که در آن‌ها ثبت‌نام کرده‌اید", - "Server or user ID to ignore": "شناسه‌ی سرور یا کاربر مورد نظر برای نادیده‌گرفتن", - "Personal ban list": "لیست تحریم شخصی", "Ignored users": "کاربران نادیده‌گرفته‌شده", - "View rules": "مشاهده قوانین", - "You are not subscribed to any lists": "شما در هیچ لیستی ثبت‌نام نکرده‌اید", - "You have not ignored anyone.": "شما هیچ‌کس را نادیده نگرفته‌اید.", - "User rules": "قوانین کاربر", - "Server rules": "قوانین سرور", "None": "هیچ‌کدام", - "Please try again or view your console for hints.": "لطفا مجددا اقدام کرده و برای کسب اطلاعات بیشتر کنسول مرورگر خود را مشاهده نمائید.", - "Error unsubscribing from list": "لغو اشتراک از لیست با خطا همراه بود", - "Error removing ignored user/server": "حذف کاربر/سرور نادیده‌گرفته‌شده با خطا همراه بود", - "Please verify the room ID or address and try again.": "لطفا شناسه یا آدرس اتاق را تائید کرده و مجددا اقدام نمائید.", - "Error subscribing to list": "ثبت‌نام در لیست با خطا همراه بود", - "Something went wrong. Please try again or view your console for hints.": "مشکلی پیش آمد. لطفا مجددا تلاش کرده و در صورت نیاز، کنسول مرورگر خود را برای کسب اطلاعات بیشتر مشاهده نمائید.", - "Error adding ignored user/server": "افزودن کاربر/سرور به لیست نادیده‌گرفته‌ها با خطا همراه بود", - "Ignored/Blocked": "نادیده گرفته‌شده/بلاک‌شده", "General": "عمومی", "Discovery": "کاوش", "Deactivate account": "غیرفعال‌کردن حساب کاربری", @@ -1335,12 +1238,10 @@ "Unknown App": "برنامه ناشناخته", "Share your public space": "محیط عمومی خود را به اشتراک بگذارید", "Invite to %(spaceName)s": "دعوت به %(spaceName)s", - "Language and region": "زبان و جغرافیا", "Phone numbers": "شماره تلفن", "Email addresses": "آدرس ایمیل", "Show advanced": "نمایش بخش پیشرفته", "Hide advanced": "پنهان‌کردن بخش پیشرفته", - "Check for update": "بررسی برای به‌روزرسانی جدید", "Manage integrations": "مدیریت پکپارچه‌سازی‌ها", "Enter a new identity server": "یک سرور هویت‌سنجی جدید وارد کنید", "Do not use an identity server": "از سرور هویت‌سنجی استفاده نکن", @@ -1367,20 +1268,10 @@ "Ask this user to verify their session, or manually verify it below.": "از این کاربر بخواهید نشست خود را تأیید کرده و یا آن را به صورت دستی تأیید کنید.", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) وارد یک نشست جدید شد بدون اینکه آن را تائید کند:", "This homeserver would like to make sure you are not a robot.": "این سرور می خواهد مطمئن شود که شما یک ربات نیستید.", - "Confirm your identity by entering your account password below.": "با وارد کردن رمز ورود حساب خود در زیر ، هویت خود را تأیید کنید.", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "کلید عمومی captcha در پیکربندی سرور خانگی وجود ندارد. لطفاً این را به ادمین سرور خود گزارش دهید.", "Verify your other session using one of the options below.": "نست دیگر خود را با استفاده از یکی از راهکارهای زیر تأیید کنید.", "You signed in to a new session without verifying it:": "شما وارد یک نشست جدید شده‌اید بدون اینکه آن را تائید کنید:", - "Please review and accept all of the homeserver's policies": "لطفاً کلیه خط مشی‌های سرور را مرور و قبول کنید", - "Please review and accept the policies of this homeserver:": "لطفاً خط مشی‌های این سرور را مرور و قبول کنید:", - "Token incorrect": "کد نامعتبر است", - "A text message has been sent to %(msisdn)s": "کد فعال‌سازی به %(msisdn)s ارسال شد", "Your browser likely removed this data when running low on disk space.": "هنگام کمبود فضای دیسک ، مرورگر شما این داده ها را حذف می کند.", - "Use an email address to recover your account": "برای بازیابی حساب خود از آدرس ایمیل استفاده کنید", "Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "برخی از داده‌های نشست ، از جمله کلیدهای رمزنگاری پیام‌ها موجود نیست. برای برطرف کردن این مشکل از برنامه خارج شده و مجددا وارد شوید و از کلیدها را از نسخه‌ی پشتیبان بازیابی نمائيد.", - "Enter email address (required on this homeserver)": "آدرس ایمیل را وارد کنید (در این سرور اجباری است)", - "Other users can invite you to rooms using your contact details": "سایر کاربران می توانند شما را با استفاده از اطلاعات تماستان به اتاق ها دعوت کنند", - "Enter phone number (required on this homeserver)": "شماره تلفن را وارد کنید (در این سرور اجباری است)", "To help us prevent this in future, please send us logs.": "برای کمک به ما در جلوگیری از این امر در آینده ، لطفا لاگ‌ها را برای ما ارسال کنید.", "Edit settings relating to your space.": "تنظیمات مربوط به فضای کاری خود را ویرایش کنید.", "This will allow you to reset your password and receive notifications.": "با این کار می‌توانید گذرواژه خود را تغییر داده و اعلان‌ها را دریافت کنید.", @@ -1396,9 +1287,7 @@ "Your area is experiencing difficulties connecting to the internet.": "منطقه شما در اتصال به اینترنت با مشکل روبرو است.", "A browser extension is preventing the request.": "پلاگینی در مرورگر مانع از ارسال درخواست می‌گردد.", "Your firewall or anti-virus is blocking the request.": "دیوار آتش یا آنتی‌ویروس شما مانع از ارسال درخواست می‌شود.", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "برای ادامه استفاده از سرور %(homeserverDomain)s باید شرایط و ضوابط ما را بررسی کرده و موافقت کنید.", "The server (%(serverName)s) took too long to respond.": "زمان پاسخگویی سرور (%(serverName)s) بسیار طولانی شده‌است.", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "داده هایی از نسخه قدیمی %(brand)s شناسایی شده است. این امر باعث اختلال در رمزنگاری سرتاسر در نسخه قدیمی شده است. پیام های رمزگذاری شده سرتاسر که اخیراً رد و بدل شده اند ممکن است با استفاده از نسخه قدیمی رمزگشایی نشوند. همچنین ممکن است پیام های رد و بدل شده با این نسخه با مشکل مواجه شود. اگر مشکلی رخ داد، از سیستم خارج شوید و مجددا وارد شوید. برای حفظ سابقه پیام، کلیدهای خود را خروجی گرفته و دوباره وارد کنید.", "Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "سرور شما به برخی از درخواست‌ها پاسخ نمی‌دهد. در ادامه برخی از دلایل محتمل آن ذکر شده است.", "You'll upgrade this room from to .": "این اتاق را از به ارتقا خواهید داد.", "Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "به‌روزرسانی اتاق اقدامی پیشرفته بوده و معمولاً در صورتی توصیه می‌شود که اتاق به دلیل اشکالات، فقدان قابلیت‌ها یا آسیب پذیری‌های امنیتی، پایدار و قابل استفاده نباشد.", @@ -1411,7 +1300,6 @@ "Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "ارتقاء این اتاق نیازمند بستن نسخه‌ی فعلی و ساختن درجای یک اتاق جدید است. برای داشتن بهترین تجربه‌ی کاربری ممکن، ما:", "The room upgrade could not be completed": "متاسفانه فرآیند ارتقاء اتاق به پایان نرسید", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "حواستان را جمع کنید، اگر ایمیلی اضافه نکرده و گذرواژه‌ی خود را فراموش کنید ، ممکن است دسترسی به حساب کاربری خود را برای همیشه از دست دهید.", - "Doesn't look like a valid email address": "به نظر نمی‌رسد یک آدرس ایمیل معتبر باشد", "If they don't match, the security of your communication may be compromised.": "اگر آنها مطابقت نداشته‌باشند ، ممکن است امنیت ارتباطات شما به خطر افتاده باشد.", "Data on this screen is shared with %(widgetDomain)s": "داده‌های این صفحه با %(widgetDomain)s به اشتراک گذاشته می‌شود", "Your homeserver doesn't seem to support this feature.": "به نظر نمی‌رسد که سرور شما از این قابلیت پشتیبانی کند.", @@ -1519,18 +1407,13 @@ "Database unexpectedly closed": "پایگاه داده به طور غیرمنتظره ای بسته شد", "This may be caused by having the app open in multiple tabs or due to clearing browser data.": "این ممکن است به دلیل باز بودن برنامه در چندین برگه یا به دلیل پاک کردن داده های مرورگر باشد.", "Your email address does not appear to be associated with a Matrix ID on this homeserver.": "به نظر نمی رسد آدرس ایمیل شما با شناسه Matrix در این سرور خانگی مرتبط باشد.", - "Failed to post poll": "ارسال نظرسنجی انجام نشد", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "وقتی از سیستم خارج می‌شوید، این کلیدها از این دستگاه حذف می‌شوند، به این معنی که نمی‌توانید پیام‌های رمزگذاری‌شده را بخوانید مگر اینکه کلیدهای آن‌ها را در دستگاه‌های دیگر خود داشته باشید یا از آنها در سرور نسخه پشتیبان تهیه کنید.", "Home is useful for getting an overview of everything.": "خانه برای داشتن یک نمای کلی از همه چیز مفید است.", "%(senderName)s started a voice broadcast": "%(senderName)s یک پخش صوتی را شروع کرد", - "Closed poll": "نظرسنجی بسته", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "بدون سرور احراز هویت نمی توان کاربر را از طریق ایمیل دعوت کرد. می توانید در قسمت «تنظیمات» به یکی متصل شوید.", - "Sorry, the poll you tried to create was not posted.": "با عرض پوزش، نظرسنجی که سعی کردید ایجاد کنید پست نشد.", - "Open poll": "باز کردن نظرسنجی", "Identity server not set": "سرور هویت تنظیم نشده است", "Alternatively, you can try to use the public server at , but this will not be as reliable, and it will share your IP address with that server. You can also manage this in Settings.": "از طرف دیگر، می‌توانید سعی کنید از سرور عمومی در استفاده کنید، اما این به آن اندازه قابل اعتماد نخواهد بود و آدرس IP شما را با آن سرور به اشتراک می‌گذارد. شما همچنین می توانید این قابلیت را در تنظیمات مدیریت کنید.", "Try using %(server)s": "سعی کنید از %(server)s استفاده کنید", - "Poll type": "نوع نظرسنجی", "common": { "about": "درباره", "analytics": "تجزیه و تحلیل", @@ -1729,7 +1612,11 @@ "group_experimental": "تجربی", "group_developer": "توسعه دهنده", "leave_beta": "ترک نسخه‌ی بتا", - "join_beta": "اضافه‌شدن به نسخه‌ی بتا" + "join_beta": "اضافه‌شدن به نسخه‌ی بتا", + "bridge_state_creator": "این پل ارتباطی توسط ارائه شده‌است.", + "bridge_state_manager": "این پل ارتباطی توسط مدیریت می‌شود.", + "bridge_state_workspace": "فضای کار:", + "bridge_state_channel": "کانال:" }, "keyboard": { "home": "خانه", @@ -1952,7 +1839,26 @@ "send_analytics": "ارسال داده‌های تجزیه و تحلیلی", "strict_encryption": "هرگز از این نشست، پیام‌های رمزشده را به نشست‌های تائید نشده ارسال مکن", "enable_message_search": "فعال‌سازی قابلیت جستجو در اتاق‌های رمزشده", - "manually_verify_all_sessions": "به صورت دستی همه‌ی نشست‌ها را تائید نمائید" + "manually_verify_all_sessions": "به صورت دستی همه‌ی نشست‌ها را تائید نمائید", + "cross_signing_public_keys": "کلیدهای عمومی امضاء متقابل:", + "cross_signing_in_memory": "بر روی حافظه", + "cross_signing_not_found": "یافت نشد", + "cross_signing_private_keys": "کلیدهای خصوصی امضاء متقابل:", + "cross_signing_in_4s": "بر روی حافظه نهان", + "cross_signing_not_in_4s": "در حافظه یافت نشد", + "cross_signing_master_private_Key": "شاه‌کلید خصوصی:", + "cross_signing_cached": "به صورت محلی کش شده‌است", + "cross_signing_not_cached": "به صورت محلی یافت نشد", + "cross_signing_self_signing_private_key": "کلید خصوصی self-sign:", + "cross_signing_user_signing_private_key": "کلید امضاء خصوصی کاربر:", + "cross_signing_homeserver_support": "قابلیت‌های پشتیبانی‌شده سمت سرور:", + "cross_signing_homeserver_support_exists": "وجود دارد", + "export_megolm_keys": "استخراج (Export) کلیدهای رمزنگاری اتاق‌ها", + "import_megolm_keys": "واردکردن کلیدهای رمزنگاری اتاق‌ها", + "cryptography_section": "رمزنگاری", + "session_id": "شناسه‌ی نشست:", + "session_key": "کلید نشست:", + "encryption_section": "رمزنگاری" }, "preferences": { "room_list_heading": "لیست اتاق‌ها", @@ -1969,6 +1875,10 @@ "sessions": { "session_id": "شناسه‌ی نشست", "verify_session": "تائید نشست" + }, + "general": { + "account_section": "حساب کابری", + "language_section": "زبان و جغرافیا" } }, "devtools": { @@ -2001,7 +1911,8 @@ "category_other": "دیگر", "widget_screenshots": "فعال‌سازی امکان اسکرین‌شات برای ویجت‌های پشتیبانی‌شده", "show_hidden_events": "نمایش رخدادهای مخفی در گفتگو‌ها", - "view_source_decrypted_event_source": "رمزگشایی منبع رخداد" + "view_source_decrypted_event_source": "رمزگشایی منبع رخداد", + "original_event_source": "منبع اصلی رخداد" }, "export_chat": { "html": "HTML", @@ -2466,6 +2377,13 @@ "url_preview_encryption_warning": "در اتاق های رمزگذاری شده، مانند این اتاق، پیش نمایش URL به طور پیش فرض غیرفعال است تا اطمینان حاصل شود که سرور شما (جایی که پیش نمایش ها ایجاد می شود) نمی تواند اطلاعات مربوط به پیوندهایی را که در این اتاق مشاهده می کنید جمع آوری کند.", "url_preview_explainer": "هنگامی که فردی یک URL را در پیام خود قرار می دهد، می توان با مشاهده پیش نمایش آن URL، اطلاعات بیشتری در مورد آن پیوند مانند عنوان ، توضیحات و یک تصویر از وب سایت دریافت کرد.", "url_previews_section": "پیش‌نمایش URL" + }, + "advanced": { + "unfederated": "این اتاق توسط سرورهای ماتریکس در دسترس نیست", + "room_upgrade_button": "نسخه‌ی این اتاق را به نسخه‌ی توصیه‌شده ارتقاء دهید", + "room_predecessor": "پیام‌های قدیمی اتاق %(roomName)s را مشاهده کنید.", + "room_version_section": "نسخه‌ی اتاق", + "room_version": "نسخه‌ی اتاق:" } }, "encryption": { @@ -2478,8 +2396,18 @@ "complete_description": "شما با موفقیت این کاربر را تائید کردید.", "qr_prompt": "این QR-code منحصر به فرد را اسکن کنید", "sas_prompt": "شکلک‌های منحصر به فرد را مقایسه کنید", - "sas_description": "اگر بر روی دستگاه خود دوربین ندارید، از تطابق شکلک‌های منحصر به فرد استفاده نمائید" - } + "sas_description": "اگر بر روی دستگاه خود دوربین ندارید، از تطابق شکلک‌های منحصر به فرد استفاده نمائید", + "explainer": "پیام‌های رد و بدل شده با این کاربر به صورت سرتاسر رمزشده و هیچ نفر سومی امکان مشاهده و خواندن آن‌ها را ندارد.", + "complete_action": "متوجه شدم", + "sas_emoji_caption_user": "در صورتی که همه‌ی شکلک‌های موجود بر روی صفحه‌ی دستگاه کاربر ظاهر شده‌اند، او را تائید نمائید.", + "sas_caption_user": "در صورتی که عدد بعدی بر روی صفحه‌ی کاربر نمایش داده می‌شود، او را تائید نمائید.", + "unsupported_method": "روش پشتیبانی‌شده‌ای برای تائید پیدا نشد.", + "waiting_other_user": "منتظر %(displayName)s برای تائید کردن…", + "cancelling": "در حال لغو…" + }, + "old_version_detected_title": "داده‌های رمزنگاری قدیمی شناسایی شد", + "old_version_detected_description": "داده هایی از نسخه قدیمی %(brand)s شناسایی شده است. این امر باعث اختلال در رمزنگاری سرتاسر در نسخه قدیمی شده است. پیام های رمزگذاری شده سرتاسر که اخیراً رد و بدل شده اند ممکن است با استفاده از نسخه قدیمی رمزگشایی نشوند. همچنین ممکن است پیام های رد و بدل شده با این نسخه با مشکل مواجه شود. اگر مشکلی رخ داد، از سیستم خارج شوید و مجددا وارد شوید. برای حفظ سابقه پیام، کلیدهای خود را خروجی گرفته و دوباره وارد کنید.", + "verification_requested_toast_title": "درخواست تائید" }, "emoji": { "category_frequently_used": "متداول", @@ -2561,7 +2489,43 @@ "phone_optional_label": "شماره تلفن (اختیاری)", "email_help_text": "برای داشتن امکان تغییر گذرواژه در صورت فراموش‌کردن آن، لطفا یک آدرس ایمیل وارد نمائید.", "email_phone_discovery_text": "از ایمیل یا تلفن استفاده کنید تا به طور اختیاری توسط مخاطبین موجود قابل کشف باشید.", - "email_discovery_text": "از ایمیل استفاده کنید تا به طور اختیاری توسط مخاطبین موجود قابل کشف باشید." + "email_discovery_text": "از ایمیل استفاده کنید تا به طور اختیاری توسط مخاطبین موجود قابل کشف باشید.", + "session_logged_out_title": "از حساب کاربری خارج شدید", + "session_logged_out_description": "برای امنیت، این نشست نامعتبر شده است. لطفاً دوباره وارد سیستم شوید.", + "change_password_mismatch": "گذرواژه‌های جدید مطابقت ندارند", + "change_password_empty": "گذرواژه‌ها نمی‌توانند خالی باشند", + "set_email_prompt": "آیا تمایل به تنظیم یک ادرس ایمیل دارید؟", + "change_password_confirm_label": "تأیید گذرواژه", + "change_password_confirm_invalid": "گذرواژه‌ها مطابقت ندارند", + "change_password_current_label": "گذرواژه فعلی", + "change_password_new_label": "گذرواژه جدید", + "change_password_action": "تغییر گذواژه", + "email_field_label": "ایمیل", + "email_field_label_required": "آدرس ایمیل را وارد کنید", + "email_field_label_invalid": "به نظر نمی‌رسد یک آدرس ایمیل معتبر باشد", + "uia": { + "password_prompt": "با وارد کردن رمز ورود حساب خود در زیر ، هویت خود را تأیید کنید.", + "recaptcha_missing_params": "کلید عمومی captcha در پیکربندی سرور خانگی وجود ندارد. لطفاً این را به ادمین سرور خود گزارش دهید.", + "terms_invalid": "لطفاً کلیه خط مشی‌های سرور را مرور و قبول کنید", + "terms": "لطفاً خط مشی‌های این سرور را مرور و قبول کنید:", + "msisdn_token_incorrect": "کد نامعتبر است", + "msisdn": "کد فعال‌سازی به %(msisdn)s ارسال شد", + "msisdn_token_prompt": "لطفا کدی را که در آن وجود دارد وارد کنید:", + "sso_failed": "تائید هویت شما با مشکل مواجه شد. لطفا فرآیند را لغو کرده و مجددا اقدام نمائید.", + "fallback_button": "آغاز فرآیند احراز هویت" + }, + "password_field_label": "گذرواژه را وارد کنید", + "password_field_strong_label": "احسنت، گذرواژه‌ی انتخابی قوی است!", + "password_field_weak_label": "گذرواژه مجاز است ، اما ناامن است", + "username_field_required_invalid": "نام کاربری را وارد کنید", + "msisdn_field_required_invalid": "شماره تلفن را وارد کنید", + "msisdn_field_number_invalid": "به نظر شماره تلفن صحیح نمی‌باشد، لطفا بررسی کرده و مجددا تلاش فرمائید", + "msisdn_field_label": "شماره تلفن", + "identifier_label": "نحوه ورود", + "reset_password_email_field_description": "برای بازیابی حساب خود از آدرس ایمیل استفاده کنید", + "reset_password_email_field_required_invalid": "آدرس ایمیل را وارد کنید (در این سرور اجباری است)", + "msisdn_field_description": "سایر کاربران می توانند شما را با استفاده از اطلاعات تماستان به اتاق ها دعوت کنند", + "registration_msisdn_field_required_invalid": "شماره تلفن را وارد کنید (در این سرور اجباری است)" }, "room_list": { "sort_unread_first": "ابتدا اتاق های با پیام خوانده نشده را نمایش بده", @@ -2732,7 +2696,11 @@ "see_changes_button": "چه خبر؟", "release_notes_toast_title": "چه خبر", "toast_title": "%(brand)s را به‌روزرسانی کنید", - "toast_description": "نسخه‌ی جدید %(brand)s وجود است" + "toast_description": "نسخه‌ی جدید %(brand)s وجود است", + "error_encountered": "خطای رخ داده (%(errorDetail)s).", + "no_update": "هیچ به روزرسانی جدیدی موجود نیست.", + "new_version_available": "نسخه‌ی جدید موجود است. هم‌اکنون به‌روزرسانی کنید.", + "check_action": "بررسی برای به‌روزرسانی جدید" }, "theme": { "light_high_contrast": "بالاترین کنتراست قالب روشن" @@ -2763,7 +2731,34 @@ }, "labs_mjolnir": { "room_name": "لیست تحریم‌های من", - "room_topic": "این لیست کاربران/اتاق‌هایی است که شما آن‌ها را بلاک کرده‌اید - اتاق را ترک نکنید!" + "room_topic": "این لیست کاربران/اتاق‌هایی است که شما آن‌ها را بلاک کرده‌اید - اتاق را ترک نکنید!", + "ban_reason": "نادیده گرفته‌شده/بلاک‌شده", + "error_adding_ignore": "افزودن کاربر/سرور به لیست نادیده‌گرفته‌ها با خطا همراه بود", + "something_went_wrong": "مشکلی پیش آمد. لطفا مجددا تلاش کرده و در صورت نیاز، کنسول مرورگر خود را برای کسب اطلاعات بیشتر مشاهده نمائید.", + "error_adding_list_title": "ثبت‌نام در لیست با خطا همراه بود", + "error_adding_list_description": "لطفا شناسه یا آدرس اتاق را تائید کرده و مجددا اقدام نمائید.", + "error_removing_ignore": "حذف کاربر/سرور نادیده‌گرفته‌شده با خطا همراه بود", + "error_removing_list_title": "لغو اشتراک از لیست با خطا همراه بود", + "error_removing_list_description": "لطفا مجددا اقدام کرده و برای کسب اطلاعات بیشتر کنسول مرورگر خود را مشاهده نمائید.", + "rules_title": "قوانین لیست تحریم - %(roomName)s", + "rules_server": "قوانین سرور", + "rules_user": "قوانین کاربر", + "personal_empty": "شما هیچ‌کس را نادیده نگرفته‌اید.", + "personal_section": "شما در حال حاضر این موارد را نادیده گرفته‌اید:", + "no_lists": "شما در هیچ لیستی ثبت‌نام نکرده‌اید", + "view_rules": "مشاهده قوانین", + "lists": "شما هم‌اکنون مشترک شده‌اید در:", + "title": "کاربران نادیده‌گرفته‌شده", + "advanced_warning": "⚠ این تنظیمات برای کاربران حرفه‌ای قرار داده شده‌است.", + "explainer_1": "کاربران و سرورهایی که قصد نادیده گرفتن آن‌ها را دارید در این‌جا اضافه کنید. در %(brand)s از ستاره (*) برای مچ‌شدن با هر کاراکتری استفاده کنید. برای مثال، @bot:* همه‌ی کاربران یا سرورهایی را که نام 'bot' در آن‌ها وجود دارد، نادیده می‌گیرد.", + "explainer_2": "نادیده‌گرفتن افراد توسط لیست تحریم صورت می‌گیرد که حاوی قوانینی برای تشخیص این است که چه کسی را تحریم کند. اضافه‌شدن به لیست تحریم به این معناست که کاربر/سرور بلاک شده و از دید شما پنهان خواهد بود.", + "personal_heading": "لیست تحریم شخصی", + "personal_new_label": "شناسه‌ی سرور یا کاربر مورد نظر برای نادیده‌گرفتن", + "personal_new_placeholder": "برای مثال: @bot:* یا example.org", + "lists_heading": "لیست‌هایی که در آن‌ها ثبت‌نام کرده‌اید", + "lists_description_1": "ثبت‌نام کردن در یک لیست تحریم باعث می‌شود شما هم عضو آن شوید!", + "lists_description_2": "اگر این چیزی نیست که شما می‌خواهید، از یک ابزار دیگر برای نادیده‌گرفتن کاربران استفاده نمائيد.", + "lists_new_label": "شناسه‌ی اتاق یا آدرس لیست تحریم" }, "create_space": { "name_required": "لطفا یک نام برای محیط وارد کنید", @@ -2814,6 +2809,10 @@ "room_invite": "فقط به این اتاق دعوت کنید", "no_avatar_label": "عکس اضافه کنید تا افراد بتوانند به راحتی اتاق شما را ببینند.", "start_of_room": "این شروع است." + }, + "unread_notifications_predecessor": { + "other": "شما %(count)s اعلان خوانده‌نشده در نسخه‌ی قبلی این اتاق دارید.", + "one": "شما %(count)s اعلان خوانده‌نشده در نسخه‌ی قبلی این اتاق دارید." } }, "file_panel": { @@ -2828,6 +2827,16 @@ "intro": "برای ادامه باید شرایط این سرویس را بپذیرید.", "column_service": "سرویس", "column_summary": "خلاصه", - "column_document": "سند" + "column_document": "سند", + "tac_title": "شرایط و ضوابط", + "tac_description": "برای ادامه استفاده از سرور %(homeserverDomain)s باید شرایط و ضوابط ما را بررسی کرده و موافقت کنید.", + "tac_button": "مرور شرایط و ضوابط" + }, + "poll": { + "failed_send_poll_title": "ارسال نظرسنجی انجام نشد", + "failed_send_poll_description": "با عرض پوزش، نظرسنجی که سعی کردید ایجاد کنید پست نشد.", + "type_heading": "نوع نظرسنجی", + "type_open": "باز کردن نظرسنجی", + "type_closed": "نظرسنجی بسته" } } diff --git a/src/i18n/strings/fi.json b/src/i18n/strings/fi.json index bed9c1a1b9..5e5a1790b6 100644 --- a/src/i18n/strings/fi.json +++ b/src/i18n/strings/fi.json @@ -20,24 +20,17 @@ "Are you sure you want to reject the invitation?": "Oletko varma että haluat hylätä kutsun?", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Kotipalvelimeen ei saada yhteyttä. Tarkista verkkoyhteytesi, varmista että kotipalvelimesi SSL-sertifikaatti on luotettu, ja että mikään selaimen lisäosa ei estä pyyntöjen lähettämistä.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Yhdistäminen kotipalvelimeen HTTP:n avulla ei ole mahdollista, kun selaimen osoitepalkissa on HTTPS-osoite. Käytä joko HTTPS:ää tai salli turvattomat komentosarjat.", - "Change Password": "Vaihda salasana", - "Account": "Tili", "and %(count)s others...": { "other": "ja %(count)s muuta...", "one": "ja yksi muu..." }, - "Confirm password": "Varmista salasana", - "Cryptography": "Salaus", - "Current password": "Nykyinen salasana", "Custom level": "Mukautettu taso", "Deactivate Account": "Poista tili pysyvästi", "Default": "Oletus", "Download %(text)s": "Lataa %(text)s", - "Email": "Sähköposti", "Email address": "Sähköpostiosoite", "Enter passphrase": "Syötä salalause", "Error decrypting attachment": "Virhe purettaessa liitteen salausta", - "Export E2E room keys": "Tallenna osapuolten välisen salauksen huoneavaimet", "Failed to ban user": "Porttikiellon antaminen epäonnistui", "Failed to load timeline position": "Aikajanapaikan lataaminen epäonnistui", "Failed to mute user": "Käyttäjän mykistäminen epäonnistui", @@ -50,17 +43,13 @@ "Failure to create room": "Huoneen luominen epäonnistui", "Filter room members": "Suodata huoneen jäseniä", "Forget room": "Unohda huone", - "For security, this session has been signed out. Please sign in again.": "Turvallisuussyistä tämä istunto on kirjattu ulos. Ole hyvä ja kirjaudu uudestaan.", - "Import E2E room keys": "Tuo olemassaolevat osapuolten välisen salauksen huoneavaimet", "Incorrect verification code": "Virheellinen varmennuskoodi", "Invalid Email Address": "Virheellinen sähköpostiosoite", "Invited": "Kutsuttu", - "Sign in with": "Tunnistus", "Join Room": "Liity huoneeseen", "Jump to first unread message.": "Hyppää ensimmäiseen lukemattomaan viestiin.", "Low priority": "Matala prioriteetti", "Moderator": "Valvoja", - "New passwords don't match": "Uudet salasanat eivät täsmää", "New passwords must match each other.": "Uusien salasanojen on vastattava toisiaan.", "not specified": "ei määritetty", "": "", @@ -68,8 +57,6 @@ "PM": "ip.", "No display name": "Ei näyttönimeä", "No more results": "Ei enempää tuloksia", - "Passwords can't be empty": "Salasanat eivät voi olla tyhjiä", - "Phone": "Puhelin", "Profile": "Profiili", "Reason": "Syy", "Reject invitation": "Hylkää kutsu", @@ -80,7 +67,6 @@ "This email address is already in use": "Tämä sähköpostiosoite on jo käytössä", "This email address was not found": "Sähköpostiosoitetta ei löytynyt", "This room has no local addresses": "Tällä huoneella ei ole paikallista osoitetta", - "This room is not accessible by remote Matrix servers": "Tähän huoneeseen ei pääse ulkopuolisilta Matrix-palvelimilta", "Unban": "Poista porttikielto", "Uploading %(filename)s": "Lähetetään %(filename)s", "Uploading %(filename)s and %(count)s others": { @@ -116,7 +102,6 @@ "one": "(~%(count)s tulos)", "other": "(~%(count)s tulosta)" }, - "New Password": "Uusi salasana", "Passphrases must match": "Salasanojen on täsmättävä", "Passphrase must not be empty": "Salasana ei saa olla tyhjä", "Export room keys": "Vie huoneen avaimet", @@ -136,8 +121,6 @@ "Room %(roomId)s not visible": "Huone %(roomId)s ei ole näkyvissä", "%(roomName)s does not exist.": "Huonetta %(roomName)s ei ole olemassa.", "%(roomName)s is not accessible at this time.": "%(roomName)s ei ole saatavilla tällä hetkellä.", - "Signed Out": "Uloskirjautunut", - "Start authentication": "Aloita tunnistus", "Unable to add email address": "Sähköpostiosoitteen lisääminen epäonnistui", "Unable to remove contact information": "Yhteystietojen poistaminen epäonnistui", "Unable to verify email address.": "Sähköpostin vahvistaminen epäonnistui.", @@ -166,16 +149,13 @@ "Oct": "loka", "Nov": "marras", "Dec": "joulu", - "Please enter the code it contains:": "Ole hyvä ja syötä sen sisältämä koodi:", "Error decrypting image": "Virhe purettaessa kuvan salausta", "Error decrypting video": "Virhe purettaessa videon salausta", "Add an Integration": "Lisää integraatio", - "Check for update": "Tarkista päivitykset", "Something went wrong!": "Jokin meni vikaan!", "Your browser does not support the required cryptography extensions": "Selaimesi ei tue vaadittuja kryptografisia laajennuksia", "Not a valid %(brand)s keyfile": "Ei kelvollinen %(brand)s-avaintiedosto", "Authentication check failed: incorrect password?": "Autentikointi epäonnistui: virheellinen salasana?", - "Do you want to set an email address?": "Haluatko asettaa sähköpostiosoitteen?", "This will allow you to reset your password and receive notifications.": "Tämä sallii sinun uudelleenalustaa salasanasi ja vastaanottaa ilmoituksia.", "Delete widget": "Poista sovelma", "Unable to create widget.": "Sovelman luominen epäonnistui.", @@ -192,7 +172,6 @@ "Upload avatar": "Lähetä profiilikuva", "Banned by %(displayName)s": "%(displayName)s antoi porttikiellon", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Sinut ohjataan kolmannen osapuolen sivustolle, jotta voit autentikoida tilisi käyttääksesi palvelua %(integrationsUrl)s. Haluatko jatkaa?", - "A text message has been sent to %(msisdn)s": "Tekstiviesti lähetetty numeroon %(msisdn)s", "And %(count)s more...": { "other": "Ja %(count)s muuta..." }, @@ -207,7 +186,6 @@ "%(duration)sm": "%(duration)s m", "%(duration)sh": "%(duration)s h", "%(duration)sd": "%(duration)s pv", - "Token incorrect": "Väärä tunniste", "Delete Widget": "Poista sovelma", "expand": "laajenna", "collapse": "supista", @@ -216,7 +194,6 @@ "other": "%(items)s ja %(count)s muuta", "one": "%(items)s ja yksi muu" }, - "Old cryptography data detected": "Vanhaa salaustietoa havaittu", "Sunday": "Sunnuntai", "Notification targets": "Ilmoituksen kohteet", "Today": "Tänään", @@ -226,7 +203,6 @@ "Unavailable": "Ei saatavilla", "Source URL": "Lähdeosoite", "Filter results": "Suodata tuloksia", - "No update available.": "Ei päivityksiä saatavilla.", "Tuesday": "Tiistai", "Search…": "Haku…", "Saturday": "Lauantai", @@ -237,7 +213,6 @@ "You cannot delete this message. (%(code)s)": "Et voi poistaa tätä viestiä. (%(code)s)", "Thursday": "Torstai", "Yesterday": "Eilen", - "Error encountered (%(errorDetail)s).": "Virhe: %(errorDetail)s.", "Low Priority": "Matala prioriteetti", "Wednesday": "Keskiviikko", "Thank you!": "Kiitos!", @@ -245,9 +220,6 @@ "This room is not public. You will not be able to rejoin without an invite.": "Tämä huone ei ole julkinen. Et voi liittyä uudelleen ilman kutsua.", "You do not have permission to start a conference call in this room": "Sinulla ei ole oikeutta aloittaa ryhmäpuhelua tässä huoneessa", "Please contact your homeserver administrator.": "Ota yhteyttä kotipalvelimesi ylläpitäjään.", - "Verify this user by confirming the following emoji appear on their screen.": "Varmenna tämä käyttäjä varmistamalla, että seuraava emoji ilmestyy hänen ruudulleen.", - "Verify this user by confirming the following number appears on their screen.": "Varmenna tämä käyttäjä varmistamalla, että seuraava luku ilmestyy hänen ruudulleen.", - "Unable to find a supported verification method.": "Tuettua varmennustapaa ei löydy.", "Dog": "Koira", "Cat": "Kissa", "Lion": "Leijona", @@ -310,8 +282,6 @@ "General": "Yleiset", "Room Name": "Huoneen nimi", "Room Topic": "Huoneen aihe", - "Room version": "Huoneen versio", - "Room version:": "Huoneen versio:", "Room information": "Huoneen tiedot", "Room Addresses": "Huoneen osoitteet", "Share room": "Jaa huone", @@ -319,13 +289,11 @@ "Room avatar": "Huoneen kuva", "Main address": "Pääosoite", "Link to most recent message": "Linkitä viimeisimpään viestiin", - "Encryption": "Salaus", "Continue With Encryption Disabled": "Jatka salaus poistettuna käytöstä", "You don't currently have any stickerpacks enabled": "Sinulla ei ole tarrapaketteja käytössä", "Profile picture": "Profiilikuva", "Email addresses": "Sähköpostiosoitteet", "Phone numbers": "Puhelinnumerot", - "Language and region": "Kieli ja alue", "Account management": "Tilin hallinta", "Voice & Video": "Ääni ja video", "No Audio Outputs detected": "Äänen ulostuloja ei havaittu", @@ -333,7 +301,6 @@ "Go to Settings": "Siirry asetuksiin", "Success!": "Onnistui!", "Create account": "Luo tili", - "Terms and Conditions": "Käyttöehdot", "Couldn't load page": "Sivun lataaminen ei onnistunut", "Email (optional)": "Sähköposti (valinnainen)", "This homeserver would like to make sure you are not a robot.": "Tämä kotipalvelin haluaa varmistaa, ettet ole robotti.", @@ -376,7 +343,6 @@ "Unrecognised address": "Osoitetta ei tunnistettu", "You do not have permission to invite people to this room.": "Sinulla ei ole oikeuksia kutsua henkilöitä tähän huoneeseen.", "Unknown server error": "Tuntematon palvelinvirhe", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Turvalliset viestit tämän käyttäjän kanssa ovat salattuja päästä päähän, eivätkä kolmannet osapuolet voi lukea niitä.", "Thumbs up": "Peukut ylös", "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Lähetimme sinulle sähköpostin osoitteesi vahvistamiseksi. Noudata sähköpostissa olevia ohjeita, ja napsauta sen jälkeen alla olevaa painiketta.", "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Oletko varma? Et voi lukea salattuja viestejäsi, mikäli avaimesi eivät ole kunnolla varmuuskopioituna.", @@ -394,7 +360,6 @@ "Manually export keys": "Vie avaimet käsin", "Share User": "Jaa käyttäjä", "Share Room Message": "Jaa huoneviesti", - "Got It": "Ymmärretty", "Scissors": "Sakset", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s %(day)s. %(monthName)s %(fullYear)s", "Missing roomId.": "roomId puuttuu.", @@ -432,13 +397,9 @@ "Unable to load backup status": "Varmuuskopioinnin tilan lataaminen epäonnistui", "Failed to decrypt %(failedCount)s sessions!": "%(failedCount)s istunnon purkaminen epäonnistui!", "Warning: you should only set up key backup from a trusted computer.": "Varoitus: sinun pitäisi ottaa avainvarmuuskopio käyttöön vain luotetulla tietokoneella.", - "Please review and accept all of the homeserver's policies": "Tarkistathan tämän kotipalvelimen käytännöt", - "Please review and accept the policies of this homeserver:": "Tarkistathan tämän kotipalvelimen käytännöt:", "Join millions for free on the largest public server": "Liity ilmaiseksi miljoonien joukkoon suurimmalla julkisella palvelimella", "Can't leave Server Notices room": "Palvelinilmoitushuonetta ei voitu jättää", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Tämä huone on kotipalvelimen tärkeille viesteille, joten ei voi poistua siitä.", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Jatkaaksesi kotipalvelimen %(homeserverDomain)s käyttöä, sinun täytyy lukea ja hyväksyä käyttöehtomme.", - "Review terms and conditions": "Lue käyttöehdot", "You can't send any messages until you review and agree to our terms and conditions.": "Et voi lähettää viestejä ennen kuin luet ja hyväksyt käyttöehtomme.", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Viestiäsi ei lähetetty, koska tämä kotipalvelin on saavuttanut kuukausittaisten aktiivisten käyttäjien rajan. Ota yhteyttä palvelun ylläpitäjään jatkaaksesi palvelun käyttämistä.", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Viestiäsi ei lähetetty, koska tämä kotipalvelin on ylittänyt resurssirajan. Ota yhteyttä palvelun ylläpitäjään jatkaaksesi palvelun käyttämistä.", @@ -451,7 +412,6 @@ "Go back to set it again.": "Palaa asettamaan se uudelleen.", "Your keys are being backed up (the first backup could take a few minutes).": "Avaimiasi varmuuskopioidaan (ensimmäinen varmuuskopio voi viedä muutaman minuutin).", "Unable to create key backup": "Avaimen varmuuskopiota ei voi luoda", - "Upgrade this room to the recommended room version": "Päivitä tämä huone suositeltuun huoneversioon", "This room is running room version , which this homeserver has marked as unstable.": "Tämä huone pyörii versiolla , jonka tämä kotipalvelin on merkannut epävakaaksi.", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Huoneen päivittäminen sulkee huoneen nykyisen instanssin ja luo päivitetyn huoneen samalla nimellä.", "Failed to revoke invite": "Kutsun kumoaminen epäonnistui", @@ -459,11 +419,6 @@ "Revoke invite": "Kumoa kutsu", "Invited by %(sender)s": "Kutsuttu henkilön %(sender)s toimesta", "Remember my selection for this widget": "Muista valintani tälle sovelmalle", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Tunnistimme dataa, joka on lähtöisin vanhasta %(brand)sin versiosta. Tämä aiheuttaa toimintahäiriöitä päästä päähän -salauksessa vanhassa versiossa. Viestejä, jotka on salattu päästä päähän -salauksella vanhalla versiolla, ei välttämättä voida purkaa tällä versiolla. Tämä voi myös aiheuttaa epäonnistumisia viestien välityksessä tämän version kanssa. Jos kohtaat ongelmia, kirjaudu ulos ja takaisin sisään. Säilyttääksesi viestihistoriasi, vie salausavaimesi ja tuo ne uudelleen.", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "Sinulla on %(count)s lukematonta ilmoitusta huoneen edellisessä versiossa.", - "one": "Sinulla on %(count)s lukematon ilmoitus huoneen edellisessä versiossa." - }, "Your password has been reset.": "Salasanasi on nollattu.", "Invalid homeserver discovery response": "Epäkelpo kotipalvelimen etsinnän vastaus", "Invalid identity server discovery response": "Epäkelpo identiteettipalvelimen etsinnän vastaus", @@ -476,7 +431,6 @@ "The file '%(fileName)s' failed to upload.": "Tiedoston '%(fileName)s' lähettäminen ei onnistunut.", "The server does not support the room version specified.": "Palvelin ei tue määritettyä huoneversiota.", "The user's homeserver does not support the version of the room.": "Käyttäjän kotipalvelin ei tue huoneen versiota.", - "View older messages in %(roomName)s.": "Näytä vanhemmat viestit huoneessa %(roomName)s.", "Join the conversation with an account": "Liity keskusteluun tilin avulla", "Sign Up": "Rekisteröidy", "Reason: %(reason)s": "Syy: %(reason)s", @@ -509,16 +463,6 @@ }, "Cancel All": "Peruuta kaikki", "Upload Error": "Lähetysvirhe", - "Use an email address to recover your account": "Voit palauttaa tilisi sähköpostiosoitteen avulla", - "Enter email address (required on this homeserver)": "Syötä sähköpostiosoite (vaaditaan tällä kotipalvelimella)", - "Doesn't look like a valid email address": "Ei näytä kelvolliselta sähköpostiosoitteelta", - "Enter password": "Syötä salasana", - "Password is allowed, but unsafe": "Salasana on sallittu, mutta turvaton", - "Nice, strong password!": "Hyvä, vahva salasana!", - "Passwords don't match": "Salasanat eivät täsmää", - "Other users can invite you to rooms using your contact details": "Muut voivat kutsua sinut huoneisiin yhteystietojesi avulla", - "Enter phone number (required on this homeserver)": "Syötä puhelinnumero (vaaditaan tällä kotipalvelimella)", - "Enter username": "Syötä käyttäjätunnus", "Some characters not allowed": "Osaa merkeistä ei sallita", "Homeserver URL does not appear to be a valid Matrix homeserver": "Kotipalvelimen osoite ei näytä olevan kelvollinen Matrix-kotipalvelin", "Identity server URL does not appear to be a valid identity server": "Identiteettipalvelimen osoite ei näytä olevan kelvollinen identiteettipalvelin", @@ -630,18 +574,12 @@ "Failed to deactivate user": "Käyttäjän poistaminen epäonnistui", "Hide advanced": "Piilota lisäasetukset", "Show advanced": "Näytä lisäasetukset", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Captchan julkinen avain puuttuu kotipalvelimen asetuksista. Ilmoita tämä kotipalvelimesi ylläpitäjälle.", "This action requires accessing the default identity server to validate an email address or phone number, but the server does not have any terms of service.": "Tämä toiminto vaatii oletusidentiteettipalvelimen käyttämistä sähköpostiosoitteen tai puhelinnumeron validointiin, mutta palvelimella ei ole käyttöehtoja.", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)", - "Something went wrong. Please try again or view your console for hints.": "Jotain meni vikaan. Yritä uudelleen tai katso vihjeitä konsolista.", - "Please try again or view your console for hints.": "Yritä uudelleen tai katso vihjeitä konsolista.", - "⚠ These settings are meant for advanced users.": "⚠ Nämä asetukset on tarkoitettu edistyneille käyttäjille.", - "eg: @bot:* or example.org": "esim. @bot:* tai esimerkki.org", "Your email address hasn't been verified yet": "Sähköpostiosoitettasi ei ole vielä varmistettu", "Verify the link in your inbox": "Varmista sähköpostiisi saapunut linkki", "Message Actions": "Viestitoiminnot", "None": "Ei mitään", - "View rules": "Näytä säännöt", "Any of the following data may be shared:": "Seuraavat tiedot saatetaan jakaa:", "Your display name": "Näyttönimesi", "Your user ID": "Käyttäjätunnuksesi", @@ -658,24 +596,6 @@ "The integration manager is offline or it cannot reach your homeserver.": "Integraatioiden lähde on poissa verkosta, tai siihen ei voida yhdistää kotipalvelimeltasi.", "Manage integrations": "Integraatioiden hallinta", "Discovery": "Käyttäjien etsintä", - "Ignored/Blocked": "Sivuutettu/estetty", - "Error adding ignored user/server": "Virhe sivuutetun käyttäjän/palvelimen lisäämisessä", - "Error subscribing to list": "Virhe listalle liityttäessä", - "Error removing ignored user/server": "Virhe sivuutetun käyttäjän/palvelimen poistamisessa", - "Error unsubscribing from list": "Virhe listalta poistuttaessa", - "Ban list rules - %(roomName)s": "Estolistan säännöt - %(roomName)s", - "Server rules": "Palvelinehdot", - "User rules": "Käyttäjäehdot", - "You have not ignored anyone.": "Et ole sivuuttanut ketään.", - "You are currently ignoring:": "Jätät tällä hetkellä huomiotta:", - "You are not subscribed to any lists": "Et ole liittynyt yhteenkään listaan", - "You are currently subscribed to:": "Olet tällä hetkellä liittynyt:", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Käyttäjien huomiotta jättäminen tapahtuu estolistojen kautta, joissa on tieto siitä, kenet pitää estää. Estolistalle liittyminen tarkoittaa, että ne käyttäjät/palvelimet, jotka tämä lista estää, eivät näy sinulle.", - "Personal ban list": "Henkilökohtainen estolista", - "Server or user ID to ignore": "Sivuutettava palvelin tai käyttäjätunnus", - "Subscribed lists": "Tilatut listat", - "Subscribing to a ban list will cause you to join it!": "Estolistan käyttäminen saa sinut liittymään listalle!", - "If this isn't what you want, please use a different tool to ignore users.": "Jos et halua tätä, käytä eri työkalua käyttäjien sivuuttamiseen.", "Click the link in the email you received to verify and then click continue again.": "Napsauta lähettämässämme sähköpostissa olevaa linkkiä vahvistaaksesi tunnuksesi. Napsauta sen jälkeen tällä sivulla olevaa painiketta ”Jatka”.", "Discovery options will appear once you have added an email above.": "Etsinnän asetukset näkyvät sen jälkeen, kun olet lisännyt sähköpostin.", "Please enter verification code sent via text.": "Syötä tekstiviestillä saamasi varmennuskoodi.", @@ -707,10 +627,6 @@ "Invalid base_url for m.identity_server": "Epäkelpo base_url palvelimelle m.identity_server", "Error upgrading room": "Virhe päivitettäessä huonetta", "Double check that your server supports the room version chosen and try again.": "Tarkista, että palvelimesi tukee valittua huoneversiota ja yritä uudelleen.", - "Cross-signing public keys:": "Ristiinvarmennuksen julkiset avaimet:", - "not found": "ei löydetty", - "Cross-signing private keys:": "Ristiinvarmennuksen salaiset avaimet:", - "in secret storage": "salavarastossa", "Secret storage public key:": "Salavaraston julkinen avain:", "in account data": "tilin tiedoissa", "not stored": "ei tallennettu", @@ -738,7 +654,6 @@ "Cancel entering passphrase?": "Peruuta salasanan syöttäminen?", "Encryption upgrade available": "Salauksen päivitys saatavilla", "Later": "Myöhemmin", - "in memory": "muistissa", "Bridges": "Sillat", "Waiting for %(displayName)s to accept…": "Odotetaan, että %(displayName)s hyväksyy…", "Failed to find the following users": "Seuraavia käyttäjiä ei löytynyt", @@ -765,7 +680,6 @@ "%(name)s declined": "%(name)s kieltäytyi", "Something went wrong trying to invite the users.": "Käyttäjien kutsumisessa meni jotain pieleen.", "We couldn't invite those users. Please check the users you want to invite and try again.": "Emme voineet kutsua kyseisiä käyttäjiä. Tarkista käyttäjät, jotka haluat kutsua ja yritä uudelleen.", - "Confirm your identity by entering your account password below.": "Vahvista henkilöllisyytesi syöttämällä tilisi salasana alle.", "Enter your account password to confirm the upgrade:": "Syötä tilisi salasana vahvistaaksesi päivityksen:", "Verify this session": "Vahvista tämä istunto", "Session already verified!": "Istunto on jo vahvistettu!", @@ -776,11 +690,7 @@ "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "VAROITUS: AVAIMEN VARMENTAMINEN EPÄONNISTUI! Käyttäjän %(userId)s ja laitteen %(deviceId)s istunnon allekirjoitusavain on ”%(fprint)s”, mikä ei täsmää annettuun avaimeen ”%(fingerprint)s”. Tämä voi tarkoittaa, että viestintäänne siepataan!", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Antamasi allekirjoitusavain täsmää käyttäjältä %(userId)s saamaasi istunnon %(deviceId)s allekirjoitusavaimeen. Istunto on varmennettu.", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) kirjautui uudella istunnolla varmentamatta sitä:", - "Waiting for %(displayName)s to verify…": "Odotetaan käyttäjän %(displayName)s varmennusta…", - "Cancelling…": "Peruutetaan…", "Other users may not trust it": "Muut eivät välttämättä luota siihen", - "This bridge was provisioned by .": "Tämän sillan tarjoaa käyttäjä .", - "This bridge is managed by .": "Tätä siltaa hallinnoi käyttäjä .", "Scroll to most recent messages": "Vieritä tuoreimpiin viesteihin", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Huoneen vaihtoehtoisten osoitteiden päivittämisessä tapahtui virhe. Palvelin ei ehkä salli sitä tai kyseessä oli tilapäinen virhe.", "Local address": "Paikallinen osoite", @@ -798,9 +708,6 @@ "Confirm adding email": "Vahvista sähköpostin lisääminen", "Confirm adding this phone number by using Single Sign On to prove your identity.": "Vahvista tämän puhelinnumeron lisääminen todistamalla henkilöllisyytesi kertakirjautumista käyttäen.", "Confirm adding phone number": "Vahvista puhelinnumeron lisääminen", - "cached locally": "paikallisessa välimuistissa", - "not found locally": "ei paikallisessa välimuistissa", - "exists": "on olemassa", "Published Addresses": "Julkaistut osoitteet", "Other published addresses:": "Muut julkaistut osoitteet:", "No other published addresses yet, add one below": "Toistaiseksi ei muita julkaistuja osoitteita, lisää alle", @@ -835,8 +742,6 @@ "Connect this session to Key Backup": "Yhdistä tämä istunto avainten varmuuskopiointiin", "This backup is trusted because it has been restored on this session": "Tähän varmuuskopioon luotetaan, koska se on palautettu tässä istunnossa", "Your keys are not being backed up from this session.": "Avaimiasi ei varmuuskopioida tästä istunnosta.", - "Session ID:": "Istunnon tunnus:", - "Session key:": "Istunnon avain:", "This user has not verified all of their sessions.": "Tämä käyttäjä ei ole varmentanut kaikkia istuntojaan.", "You have not verified this user.": "Et ole varmentanut tätä käyttäjää.", "You have verified this user. This user has verified all of their sessions.": "Olet varmentanut tämän käyttäjän. Tämä käyttäjä on varmentanut kaikki istuntonsa.", @@ -885,7 +790,6 @@ "Your homeserver has exceeded one of its resource limits.": "Kotipalvelimesi on ylittänyt jonkin resurssirajansa.", "Contact your server admin.": "Ota yhteyttä palvelimesi ylläpitäjään.", "Ok": "OK", - "New version available. Update now.": "Uusi versio saatavilla. Päivitä nyt.", "Error creating address": "Virhe osoitetta luotaessa", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Osoitetta luotaessa tapahtui virhe. Voi olla, että palvelin ei salli sitä tai kyseessä oli tilapäinen virhe.", "You don't have permission to delete the address.": "Sinulla ei ole oikeutta poistaa osoitetta.", @@ -930,8 +834,6 @@ "Failed to save your profile": "Profiilisi tallentaminen ei onnistunut", "Your server isn't responding to some requests.": "Palvelimesi ei vastaa joihinkin pyyntöihin.", "Enable desktop notifications": "Ota työpöytäilmoitukset käyttöön", - "Enter email address": "Syötä sähköpostiosoite", - "Enter phone number": "Syötä puhelinnumero", "Decline All": "Kieltäydy kaikista", "Your area is experiencing difficulties connecting to the internet.": "Alueellasi on ongelmia internet-yhteyksissä.", "The server is offline.": "Palvelin ei ole verkossa.", @@ -1098,7 +1000,6 @@ "Backup key stored:": "Varmuuskopioavain tallennettu:", "Backup key cached:": "Välimuistissa oleva varmuuskopioavain:", "Secret storage:": "Salainen tallennus:", - "Room ID or address of ban list": "Huonetunnus tai -osoite on estolistalla", "Hide Widgets": "Piilota sovelmat", "Show Widgets": "Näytä sovelmat", "Explore public rooms": "Selaa julkisia huoneita", @@ -1206,9 +1107,7 @@ "Montenegro": "Montenegro", "Mongolia": "Mongolia", "Monaco": "Monaco", - "not found in storage": "ei löytynyt muistista", "Not encrypted": "Ei salattu", - "That phone number doesn't look quite right, please check and try again": "Tämä puhelinnumero ei näytä oikealta, tarkista se ja yritä uudelleen", "Move right": "Siirry oikealle", "Move left": "Siirry vasemmalle", "Revoke permissions": "Peruuta käyttöoikeudet", @@ -1235,14 +1134,12 @@ "Confirm encryption setup": "Vahvista salauksen asetukset", "Confirm account deactivation": "Vahvista tilin deaktivointi", "a key signature": "avaimen allekirjoitus", - "Homeserver feature support:": "Kotipalvelimen ominaisuuksien tuki:", "Create key backup": "Luo avaimen varmuuskopio", "Reason (optional)": "Syy (valinnainen)", "Security Phrase": "Turvalause", "Security Key": "Turva-avain", "Hold": "Pidä", "Resume": "Jatka", - "Please verify the room ID or address and try again.": "Tarkista huonetunnus ja yritä uudelleen.", "Are you sure you want to deactivate your account? This is irreversible.": "Haluatko varmasti poistaa tilisi pysyvästi?", "Data on this screen is shared with %(widgetDomain)s": "Tällä näytöllä olevaa tietoa jaetaan verkkotunnuksen %(widgetDomain)s kanssa", "A browser extension is preventing the request.": "Selainlaajennus estää pyynnön.", @@ -1263,11 +1160,9 @@ "Unable to look up phone number": "Puhelinnumeroa ei voi hakea", "Use app": "Käytä sovellusta", "Use app for a better experience": "Parempi kokemus sovelluksella", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Lisää tähän käyttäjät ja palvelimet, jotka haluat sivuuttaa. Asteriski täsmää mihin tahansa merkkiin. Esimerkiksi @bot:* sivuuttaa kaikki käyttäjät, joiden nimessä on \"bot\".", "Recently visited rooms": "Hiljattain vieraillut huoneet", "Recent changes that have not yet been received": "Tuoreet muutokset, joita ei ole vielä otettu vastaan", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Pyysimme selainta muistamaan kirjautumista varten mitä kotipalvelinta käytät, mutta selain on unohtanut sen. Mene kirjautumissivulle ja yritä uudelleen.", - "Channel: ": "Kanava: ", " invites you": " kutsuu sinut", "You may want to try a different search or check for typos.": "Kokeile eri hakua tai tarkista haku kirjoitusvirheiden varalta.", "No results found": "Tuloksia ei löytynyt", @@ -1446,7 +1341,6 @@ "Call back": "Soita takaisin", "Role in ": "Rooli huoneessa ", "There was an error loading your notification settings.": "Virhe ladatessa ilmoitusasetuksia.", - "Workspace: ": "Työtila: ", "This may be useful for public spaces.": "Tämä voi olla hyödyllinen julkisille avaruuksille.", "Invite with email or username": "Kutsu sähköpostiosoitteella tai käyttäjänimellä", "Don't miss a reply": "Älä jätä vastauksia huomiotta", @@ -1598,20 +1492,6 @@ "Back to chat": "Takaisin keskusteluun", "That's fine": "Sopii", "In reply to this message": "Vastauksena tähän viestiin", - "Results are only revealed when you end the poll": "Tulokset paljastetaan vasta kun päätät kyselyn", - "Voters see results as soon as they have voted": "Äänestäjät näkevät tulokset heti äänestettyään", - "Add option": "Lisää vaihtoehto", - "Write an option": "Kirjoita vaihtoehto", - "Option %(number)s": "Vaihtoehto %(number)s", - "Create options": "Luo vaihtoehdot", - "Question or topic": "Kysymys tai aihe", - "What is your poll question or topic?": "Mikä on kyselysi kysymys tai aihe?", - "Closed poll": "Suljettu kysely", - "Open poll": "Avoin kysely", - "Poll type": "Kyselyn tyyppi", - "Edit poll": "Muokkaa kyselyä", - "Create Poll": "Luo kysely", - "Create poll": "Luo kysely", "My current location": "Tämänhetkinen sijaintini", "%(brand)s could not send your location. Please try again later.": "%(brand)s ei voinut lähettää sijaintiasi. Yritä myöhemmin uudelleen.", "Share location": "Jaa sijainti", @@ -1638,8 +1518,6 @@ "To leave the beta, visit your settings.": "Poistu beetasta asetuksista.", "This address does not point at this room": "Tämä osoite ei osoita tähän huoneeseen", "Missing room name or separator e.g. (my-room:domain.org)": "Puuttuva huoneen nimi tai erotin, esim. (oma-huone:verkkotunnus.org)", - "Sorry, the poll you tried to create was not posted.": "Kyselyä, jota yritit luoda, ei valitettavasti julkaistu.", - "Failed to post poll": "Kyselyn julkaiseminen epäonnistui", "We couldn't send your location": "Emme voineet lähettää sijaintiasi", "Are you sure you're at the right place?": "Oletko varma, että olet oikeassa paikassa?", "There's no preview, would you like to join?": "Esikatselua ei ole. Haluaisitko liittyä?", @@ -1652,7 +1530,6 @@ "other": "Poistetaan parhaillaan viestejä %(count)s huoneesta" }, "The authenticity of this encrypted message can't be guaranteed on this device.": "Tämän salatun viestin aitoutta ei voida taata tällä laitteella.", - "Confirm the emoji below are displayed on both devices, in the same order:": "Varmista, että alla olevat emojit näkyvät molemmilla laitteilla samassa järjestyksessä:", "Failed to join": "Liittyminen epäonnistui", "The person who invited you has already left.": "Henkilö, joka kutsui sinut on jo poistunut.", "The person who invited you has already left, or their server is offline.": "Henkilö, joka kutsui sinut on jo poistunut tai hänen palvelimensa on poissa verkosta.", @@ -1702,8 +1579,6 @@ "You will no longer be able to log in": "Et voi enää kirjautua", "To continue, please enter your account password:": "Jatka kirjoittamalla tilisi salasana:", "Preserve system messages": "Säilytä järjestelmän viestit", - "Click to read topic": "Lue aihe napsauttamalla", - "Edit topic": "Muokkaa aihetta", "What location type do you want to share?": "Minkä sijaintityypin haluat jakaa?", "Call declined": "Puhelu hylätty", "Ban from room": "Anna porttikielto huoneeseen", @@ -1729,10 +1604,6 @@ "Developer": "Kehittäjä", "Connection lost": "Yhteys menetettiin", "Sorry, your homeserver is too old to participate here.": "Kotipalvelimesi on liian vanha osallistumaan tänne.", - "Verification requested": "Vahvistus pyydetty", - "Resent!": "Lähetetty uudelleen!", - "Did not receive it? Resend it": "Etkö saanut sitä? Lähetä uudelleen", - "Check your email to continue": "Tarkista sähköpostisi jatkaaksesi", "Close sidebar": "Sulje sivupalkki", "Updated %(humanizedUpdateTime)s": "Päivitetty %(humanizedUpdateTime)s", "Mentions only": "Vain maininnat", @@ -1757,8 +1628,6 @@ "%(members)s and more": "%(members)s ja enemmän", "Copy link to thread": "Kopioi linkki ketjuun", "From a thread": "Ketjusta", - "View older version of %(spaceName)s.": "Näe avaruuden %(spaceName)s vanhempi versio.", - "Upgrade this space to the recommended room version": "Päivitä tämä avaruus suositeltuun huoneversioon", "Group all your favourite rooms and people in one place.": "Ryhmitä kaikki suosimasi huoneet ja henkilöt yhteen paikkaan.", "Home is useful for getting an overview of everything.": "Koti on hyödyllinen, sillä sieltä näet yleisnäkymän kaikkeen.", "Deactivating your account is a permanent action — be careful!": "Tilin deaktivointi on peruuttamaton toiminto — ole varovainen!", @@ -1787,13 +1656,8 @@ "Invalid Security Key": "Virheellinen turva-avain", "Wrong Security Key": "Väärä turva-avain", "Verify with Security Key": "Vahvista turva-avaimella", - "Waiting for you to verify on your other device…": "Odotetaan vahvistustasi toiselta laitteelta…", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Odotetaan vahvistustasi toiselta laitteelta, %(deviceName)s (%(deviceId)s)…", - "Verify this device by confirming the following number appears on its screen.": "Vahvista tämä laite toteamalla, että seuraava numero näkyy sen näytöllä.", "To proceed, please accept the verification request on your other device.": "Jatka hyväksymällä vahvistuspyyntö toisella laitteella.", - "Something went wrong in confirming your identity. Cancel and try again.": "Jokin meni pieleen henkilöllisyyttä vahvistaessa. Peruuta ja yritä uudelleen.", "Confirm your account deactivation by using Single Sign On to prove your identity.": "Vahvista tilin deaktivointi todistamalla henkilöllisyytesi kertakirjautumista käyttäen.", - "To create your account, open the link in the email we just sent to %(emailAddress)s.": "Luo tili avaamalla osoitteeseen %(emailAddress)s lähetetyssä viestissä oleva linkki.", "Thread options": "Ketjun valinnat", "Start a group chat": "Aloita ryhmäkeskustelu", "Other options": "Muut vaihtoehdot", @@ -1856,7 +1720,6 @@ "Group all your people in one place.": "Ryhmitä kaikki ihmiset yhteen paikkaan.", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Parhaan turvallisuuden varmistamiseksi vahvista istuntosi ja kirjaudu ulos istunnoista, joita et tunnista tai et enää käytä.", "Sessions": "Istunnot", - "Spell check": "Oikeinkirjoituksen tarkistus", "Sorry — this call is currently full": "Pahoittelut — tämä puhelu on täynnä", "Unknown room": "Tuntematon huone", "In %(spaceName)s.": "Avaruudessa %(spaceName)s.", @@ -1887,7 +1750,6 @@ "Search for": "Etsittävät kohteet", "To join, please enable video rooms in Labs first": "Liittyäksesi ota videohuoneet käyttöön laboratorion kautta", "Home options": "Etusivun valinnat", - "Internal room ID": "Sisäinen huoneen ID-tunniste", "Show Labs settings": "Näytä laboratorion asetukset", "You have been logged out of all devices and will no longer receive push notifications. To re-enable notifications, sign in again on each device.": "Sinut on kirjattu ulos kaikilta laitteilta, etkä enää vastaanota push-ilmoituksia. Ota ilmoitukset uudelleen käyttöön kirjautumalla jokaiselle haluamallesi laitteelle.", "Invite someone using their name, email address, username (like ) or share this room.": "Kutsu käyttäen nimeä, sähköpostiosoitetta, käyttäjänimeä (kuten ) tai jaa tämä huone.", @@ -1913,7 +1775,6 @@ }, "Reply in thread": "Vastaa ketjuun", "This address had invalid server or is already in use": "Tässä osoitteessa on virheellinen palvelin tai se on jo käytössä", - "Original event source": "Alkuperäinen tapahtumalähde", "Sign in new device": "Kirjaa sisään uusi laite", "Drop a Pin": "Sijoita karttaneula", "Click to drop a pin": "Napsauta sijoittaaksesi karttaneulan", @@ -1926,7 +1787,6 @@ "Unable to decrypt message": "Viestin salauksen purkaminen ei onnistu", "Change layout": "Vaihda asettelua", "This message could not be decrypted": "Tämän viestin salausta ei voitu purkaa", - "Upcoming features": "Tulevat ominaisuudet", "Search users in this room…": "Etsi käyttäjiä tästä huoneesta…", "You have unverified sessions": "Sinulla on vahvistamattomia istuntoja", "Can’t start a call": "Puhelua ei voi aloittaa", @@ -1942,7 +1802,6 @@ "Freedom": "Vapaus", "There's no one here to call": "Täällä ei ole ketään, jolle voisi soittaa", "Enable %(brand)s as an additional calling option in this room": "Ota %(brand)s käyttöön puheluiden lisävaihtoehtona tässä huoneessa", - "Early previews": "Ennakot", "View List": "Näytä luettelo", "View list": "Näytä luettelo", "Mark as read": "Merkitse luetuksi", @@ -1963,14 +1822,12 @@ "Unable to connect to Homeserver. Retrying…": "Kotipalvelimeen yhdistäminen ei onnistunut. Yritetään uudelleen…", "WARNING: session already verified, but keys do NOT MATCH!": "VAROITUS: istunto on jo vahvistettu, mutta avaimet EIVÄT TÄSMÄÄ!", "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Suojaudu salattuihin viesteihin ja tietoihin pääsyn menettämiseltä varmuuskopioimalla salausavaimesi palvelimellesi.", - "Keep going…": "Jatka…", "Connecting…": "Yhdistetään…", "Mute room": "Mykistä huone", "Fetching keys from server…": "Noudetaan avaimia palvelimelta…", "Checking…": "Tarkistetaan…", "Invites by email can only be sent one at a time": "Sähköpostikutsuja voi lähettää vain yhden kerrallaan", "Adding…": "Lisätään…", - "Write something…": "Kirjoita joitain…", "Message from %(user)s": "Viesti käyttäjältä %(user)s", "Message in %(room)s": "Viesti huoneessa %(room)s", "Answered elsewhere": "Vastattu muualla", @@ -2004,12 +1861,8 @@ "Joining room…": "Liitytään huoneeseen…", "Formatting": "Muotoilu", "You do not have permission to invite users": "Sinulla ei ole lupaa kutsua käyttäjiä", - "Manage account": "Hallitse tiliä", "Error changing password": "Virhe salasanan vaihtamisessa", "Unknown password change error (%(stringifiedError)s)": "Tuntematon salasananvaihtovirhe (%(stringifiedError)s)", - "Downloading update…": "Ladataan päivitystä…", - "Checking for an update…": "Tarkistetaan päivityksiä…", - "Error while changing password: %(error)s": "Virhe salasanan vaihtamisessa: %(error)s", "Ignore (%(counter)s)": "Sivuuta (%(counter)s)", "Requires your server to support the stable version of MSC3827": "Edellyttää palvelimesi tukevan MSC3827:n vakaata versiota", "If you know a room address, try joining through that instead.": "Jos tiedät huoneen osoitteen, yritä liittyä sen kautta.", @@ -2288,7 +2141,13 @@ "sliding_sync_configuration": "Liukuvan synkronoinnin asetukset", "sliding_sync_proxy_url_optional_label": "Välityspalvelimen URL-osoite (valinnainen)", "sliding_sync_proxy_url_label": "Välityspalvelimen URL-osoite", - "video_rooms_beta": "Videohuoneet ovat beetaominaisuus" + "video_rooms_beta": "Videohuoneet ovat beetaominaisuus", + "bridge_state_creator": "Tämän sillan tarjoaa käyttäjä .", + "bridge_state_manager": "Tätä siltaa hallinnoi käyttäjä .", + "bridge_state_workspace": "Työtila: ", + "bridge_state_channel": "Kanava: ", + "beta_section": "Tulevat ominaisuudet", + "experimental_section": "Ennakot" }, "keyboard": { "home": "Etusivu", @@ -2614,7 +2473,23 @@ "record_session_details": "Talleta asiakasohjelmiston nimi, versio ja URL-osoite tunnistaaksesi istunnot istuntohallinnassa", "strict_encryption": "Älä koskaan lähetä salattuja viestejä vahvistamattomiin istuntoihin tästä istunnosta", "enable_message_search": "Ota viestihaku salausta käyttävissä huoneissa käyttöön", - "manually_verify_all_sessions": "Varmenna kaikki etäistunnot käsin" + "manually_verify_all_sessions": "Varmenna kaikki etäistunnot käsin", + "cross_signing_public_keys": "Ristiinvarmennuksen julkiset avaimet:", + "cross_signing_in_memory": "muistissa", + "cross_signing_not_found": "ei löydetty", + "cross_signing_private_keys": "Ristiinvarmennuksen salaiset avaimet:", + "cross_signing_in_4s": "salavarastossa", + "cross_signing_not_in_4s": "ei löytynyt muistista", + "cross_signing_cached": "paikallisessa välimuistissa", + "cross_signing_not_cached": "ei paikallisessa välimuistissa", + "cross_signing_homeserver_support": "Kotipalvelimen ominaisuuksien tuki:", + "cross_signing_homeserver_support_exists": "on olemassa", + "export_megolm_keys": "Tallenna osapuolten välisen salauksen huoneavaimet", + "import_megolm_keys": "Tuo olemassaolevat osapuolten välisen salauksen huoneavaimet", + "cryptography_section": "Salaus", + "session_id": "Istunnon tunnus:", + "session_key": "Istunnon avain:", + "encryption_section": "Salaus" }, "preferences": { "room_list_heading": "Huoneluettelo", @@ -2717,6 +2592,12 @@ }, "security_recommendations": "Turvallisuussuositukset", "security_recommendations_description": "Paranna tilisi tietoturvaa seuraamalla näitä suosituksia." + }, + "general": { + "oidc_manage_button": "Hallitse tiliä", + "account_section": "Tili", + "language_section": "Kieli ja alue", + "spell_check_section": "Oikeinkirjoituksen tarkistus" } }, "devtools": { @@ -2774,7 +2655,8 @@ "title": "Kehittäjätyökalut", "show_hidden_events": "Näytä piilotetut tapahtumat aikajanalla", "low_bandwidth_mode_description": "Vaatii yhteensopivan kotipalvelimen.", - "developer_mode": "Kehittäjätila" + "developer_mode": "Kehittäjätila", + "original_event_source": "Alkuperäinen tapahtumalähde" }, "export_chat": { "html": "HTML", @@ -3377,6 +3259,16 @@ "url_preview_encryption_warning": "Salatuissa huoneissa, kuten tässä, osoitteiden esikatselut ovat oletuksena pois käytöstä, jotta kotipalvelimesi (missä osoitteiden esikatselut luodaan) ei voi kerätä tietoa siitä, mitä linkkejä näet tässä huoneessa.", "url_preview_explainer": "Kun joku asettaa osoitteen linkiksi viestiinsä, URL-esikatselu voi näyttää tietoja linkistä kuten otsikon, kuvauksen ja kuvan verkkosivulta.", "url_previews_section": "URL-esikatselut" + }, + "advanced": { + "unfederated": "Tähän huoneeseen ei pääse ulkopuolisilta Matrix-palvelimilta", + "space_upgrade_button": "Päivitä tämä avaruus suositeltuun huoneversioon", + "room_upgrade_button": "Päivitä tämä huone suositeltuun huoneversioon", + "space_predecessor": "Näe avaruuden %(spaceName)s vanhempi versio.", + "room_predecessor": "Näytä vanhemmat viestit huoneessa %(roomName)s.", + "room_id": "Sisäinen huoneen ID-tunniste", + "room_version_section": "Huoneen versio", + "room_version": "Huoneen versio:" } }, "encryption": { @@ -3391,8 +3283,22 @@ "sas_prompt": "Vertaa uniikkia emojia", "sas_description": "Vertaa kokoelmaa uniikkeja emojeja, jos kummassakaan laitteessa ei ole kameraa", "qr_or_sas": "%(qrCode)s tai %(emojiCompare)s", - "qr_or_sas_header": "Vahvista tämä laite suorittamalla yksi seuraavista:" - } + "qr_or_sas_header": "Vahvista tämä laite suorittamalla yksi seuraavista:", + "explainer": "Turvalliset viestit tämän käyttäjän kanssa ovat salattuja päästä päähän, eivätkä kolmannet osapuolet voi lukea niitä.", + "complete_action": "Ymmärretty", + "sas_emoji_caption_self": "Varmista, että alla olevat emojit näkyvät molemmilla laitteilla samassa järjestyksessä:", + "sas_emoji_caption_user": "Varmenna tämä käyttäjä varmistamalla, että seuraava emoji ilmestyy hänen ruudulleen.", + "sas_caption_self": "Vahvista tämä laite toteamalla, että seuraava numero näkyy sen näytöllä.", + "sas_caption_user": "Varmenna tämä käyttäjä varmistamalla, että seuraava luku ilmestyy hänen ruudulleen.", + "unsupported_method": "Tuettua varmennustapaa ei löydy.", + "waiting_other_device_details": "Odotetaan vahvistustasi toiselta laitteelta, %(deviceName)s (%(deviceId)s)…", + "waiting_other_device": "Odotetaan vahvistustasi toiselta laitteelta…", + "waiting_other_user": "Odotetaan käyttäjän %(displayName)s varmennusta…", + "cancelling": "Peruutetaan…" + }, + "old_version_detected_title": "Vanhaa salaustietoa havaittu", + "old_version_detected_description": "Tunnistimme dataa, joka on lähtöisin vanhasta %(brand)sin versiosta. Tämä aiheuttaa toimintahäiriöitä päästä päähän -salauksessa vanhassa versiossa. Viestejä, jotka on salattu päästä päähän -salauksella vanhalla versiolla, ei välttämättä voida purkaa tällä versiolla. Tämä voi myös aiheuttaa epäonnistumisia viestien välityksessä tämän version kanssa. Jos kohtaat ongelmia, kirjaudu ulos ja takaisin sisään. Säilyttääksesi viestihistoriasi, vie salausavaimesi ja tuo ne uudelleen.", + "verification_requested_toast_title": "Vahvistus pyydetty" }, "emoji": { "category_frequently_used": "Usein käytetyt", @@ -3502,7 +3408,49 @@ "phone_optional_label": "Puhelin (valinnainen)", "email_help_text": "Lisää sähköpostiosoite, jotta voit palauttaa salasanasi.", "email_phone_discovery_text": "Käytä sähköpostiosoitetta tai puhelinnumeroa, jos haluat olla löydettävissä nykyisille yhteystiedoille.", - "email_discovery_text": "Käytä sähköpostiosoitetta, jos haluat olla löydettävissä nykyisille yhteystiedoille." + "email_discovery_text": "Käytä sähköpostiosoitetta, jos haluat olla löydettävissä nykyisille yhteystiedoille.", + "session_logged_out_title": "Uloskirjautunut", + "session_logged_out_description": "Turvallisuussyistä tämä istunto on kirjattu ulos. Ole hyvä ja kirjaudu uudestaan.", + "change_password_error": "Virhe salasanan vaihtamisessa: %(error)s", + "change_password_mismatch": "Uudet salasanat eivät täsmää", + "change_password_empty": "Salasanat eivät voi olla tyhjiä", + "set_email_prompt": "Haluatko asettaa sähköpostiosoitteen?", + "change_password_confirm_label": "Varmista salasana", + "change_password_confirm_invalid": "Salasanat eivät täsmää", + "change_password_current_label": "Nykyinen salasana", + "change_password_new_label": "Uusi salasana", + "change_password_action": "Vaihda salasana", + "email_field_label": "Sähköposti", + "email_field_label_required": "Syötä sähköpostiosoite", + "email_field_label_invalid": "Ei näytä kelvolliselta sähköpostiosoitteelta", + "uia": { + "password_prompt": "Vahvista henkilöllisyytesi syöttämällä tilisi salasana alle.", + "recaptcha_missing_params": "Captchan julkinen avain puuttuu kotipalvelimen asetuksista. Ilmoita tämä kotipalvelimesi ylläpitäjälle.", + "terms_invalid": "Tarkistathan tämän kotipalvelimen käytännöt", + "terms": "Tarkistathan tämän kotipalvelimen käytännöt:", + "email_auth_header": "Tarkista sähköpostisi jatkaaksesi", + "email": "Luo tili avaamalla osoitteeseen %(emailAddress)s lähetetyssä viestissä oleva linkki.", + "email_resend_prompt": "Etkö saanut sitä? Lähetä uudelleen", + "email_resent": "Lähetetty uudelleen!", + "msisdn_token_incorrect": "Väärä tunniste", + "msisdn": "Tekstiviesti lähetetty numeroon %(msisdn)s", + "msisdn_token_prompt": "Ole hyvä ja syötä sen sisältämä koodi:", + "sso_failed": "Jokin meni pieleen henkilöllisyyttä vahvistaessa. Peruuta ja yritä uudelleen.", + "fallback_button": "Aloita tunnistus" + }, + "password_field_label": "Syötä salasana", + "password_field_strong_label": "Hyvä, vahva salasana!", + "password_field_weak_label": "Salasana on sallittu, mutta turvaton", + "password_field_keep_going_prompt": "Jatka…", + "username_field_required_invalid": "Syötä käyttäjätunnus", + "msisdn_field_required_invalid": "Syötä puhelinnumero", + "msisdn_field_number_invalid": "Tämä puhelinnumero ei näytä oikealta, tarkista se ja yritä uudelleen", + "msisdn_field_label": "Puhelin", + "identifier_label": "Tunnistus", + "reset_password_email_field_description": "Voit palauttaa tilisi sähköpostiosoitteen avulla", + "reset_password_email_field_required_invalid": "Syötä sähköpostiosoite (vaaditaan tällä kotipalvelimella)", + "msisdn_field_description": "Muut voivat kutsua sinut huoneisiin yhteystietojesi avulla", + "registration_msisdn_field_required_invalid": "Syötä puhelinnumero (vaaditaan tällä kotipalvelimella)" }, "room_list": { "sort_unread_first": "Näytä ensimmäisenä huoneet, joissa on lukemattomia viestejä", @@ -3657,7 +3605,13 @@ "see_changes_button": "Mitä uutta?", "release_notes_toast_title": "Mitä uutta", "toast_title": "Päivitä %(brand)s", - "toast_description": "%(brand)s-sovelluksesta on saatavilla uusi versio" + "toast_description": "%(brand)s-sovelluksesta on saatavilla uusi versio", + "error_encountered": "Virhe: %(errorDetail)s.", + "checking": "Tarkistetaan päivityksiä…", + "no_update": "Ei päivityksiä saatavilla.", + "downloading": "Ladataan päivitystä…", + "new_version_available": "Uusi versio saatavilla. Päivitä nyt.", + "check_action": "Tarkista päivitykset" }, "threads": { "all_threads": "Kaikki ketjut", @@ -3706,7 +3660,34 @@ }, "labs_mjolnir": { "room_name": "Tekemäni estot", - "room_topic": "Tämä on luettelo käyttäjistä ja palvelimista, jotka olet estänyt - älä poistu huoneesta!" + "room_topic": "Tämä on luettelo käyttäjistä ja palvelimista, jotka olet estänyt - älä poistu huoneesta!", + "ban_reason": "Sivuutettu/estetty", + "error_adding_ignore": "Virhe sivuutetun käyttäjän/palvelimen lisäämisessä", + "something_went_wrong": "Jotain meni vikaan. Yritä uudelleen tai katso vihjeitä konsolista.", + "error_adding_list_title": "Virhe listalle liityttäessä", + "error_adding_list_description": "Tarkista huonetunnus ja yritä uudelleen.", + "error_removing_ignore": "Virhe sivuutetun käyttäjän/palvelimen poistamisessa", + "error_removing_list_title": "Virhe listalta poistuttaessa", + "error_removing_list_description": "Yritä uudelleen tai katso vihjeitä konsolista.", + "rules_title": "Estolistan säännöt - %(roomName)s", + "rules_server": "Palvelinehdot", + "rules_user": "Käyttäjäehdot", + "personal_empty": "Et ole sivuuttanut ketään.", + "personal_section": "Jätät tällä hetkellä huomiotta:", + "no_lists": "Et ole liittynyt yhteenkään listaan", + "view_rules": "Näytä säännöt", + "lists": "Olet tällä hetkellä liittynyt:", + "title": "Sivuutetut käyttäjät", + "advanced_warning": "⚠ Nämä asetukset on tarkoitettu edistyneille käyttäjille.", + "explainer_1": "Lisää tähän käyttäjät ja palvelimet, jotka haluat sivuuttaa. Asteriski täsmää mihin tahansa merkkiin. Esimerkiksi @bot:* sivuuttaa kaikki käyttäjät, joiden nimessä on \"bot\".", + "explainer_2": "Käyttäjien huomiotta jättäminen tapahtuu estolistojen kautta, joissa on tieto siitä, kenet pitää estää. Estolistalle liittyminen tarkoittaa, että ne käyttäjät/palvelimet, jotka tämä lista estää, eivät näy sinulle.", + "personal_heading": "Henkilökohtainen estolista", + "personal_new_label": "Sivuutettava palvelin tai käyttäjätunnus", + "personal_new_placeholder": "esim. @bot:* tai esimerkki.org", + "lists_heading": "Tilatut listat", + "lists_description_1": "Estolistan käyttäminen saa sinut liittymään listalle!", + "lists_description_2": "Jos et halua tätä, käytä eri työkalua käyttäjien sivuuttamiseen.", + "lists_new_label": "Huonetunnus tai -osoite on estolistalla" }, "create_space": { "name_required": "Anna nimi avaruudelle", @@ -3767,6 +3748,12 @@ "private_unencrypted_warning": "Yksityiset viestisi salataan normaalisti, mutta tämä huone ei ole salattu. Yleensä tämä johtuu laitteesta, jota ei tueta, tai käytetystä tavasta, kuten sähköpostikutsuista.", "enable_encryption_prompt": "Ota salaus käyttöön asetuksissa.", "unencrypted_warning": "Päästä päähän -salaus ei ole käytössä" + }, + "edit_topic": "Muokkaa aihetta", + "read_topic": "Lue aihe napsauttamalla", + "unread_notifications_predecessor": { + "other": "Sinulla on %(count)s lukematonta ilmoitusta huoneen edellisessä versiossa.", + "one": "Sinulla on %(count)s lukematon ilmoitus huoneen edellisessä versiossa." } }, "file_panel": { @@ -3781,9 +3768,31 @@ "intro": "Sinun täytyy hyväksyä palvelun käyttöehdot jatkaaksesi.", "column_service": "Palvelu", "column_summary": "Yhteenveto", - "column_document": "Asiakirja" + "column_document": "Asiakirja", + "tac_title": "Käyttöehdot", + "tac_description": "Jatkaaksesi kotipalvelimen %(homeserverDomain)s käyttöä, sinun täytyy lukea ja hyväksyä käyttöehtomme.", + "tac_button": "Lue käyttöehdot" }, "space_settings": { "title": "Asetukset - %(spaceName)s" + }, + "poll": { + "create_poll_title": "Luo kysely", + "create_poll_action": "Luo kysely", + "edit_poll_title": "Muokkaa kyselyä", + "failed_send_poll_title": "Kyselyn julkaiseminen epäonnistui", + "failed_send_poll_description": "Kyselyä, jota yritit luoda, ei valitettavasti julkaistu.", + "type_heading": "Kyselyn tyyppi", + "type_open": "Avoin kysely", + "type_closed": "Suljettu kysely", + "topic_heading": "Mikä on kyselysi kysymys tai aihe?", + "topic_label": "Kysymys tai aihe", + "topic_placeholder": "Kirjoita joitain…", + "options_heading": "Luo vaihtoehdot", + "options_label": "Vaihtoehto %(number)s", + "options_placeholder": "Kirjoita vaihtoehto", + "options_add_button": "Lisää vaihtoehto", + "disclosed_notes": "Äänestäjät näkevät tulokset heti äänestettyään", + "notes": "Tulokset paljastetaan vasta kun päätät kyselyn" } } diff --git a/src/i18n/strings/fr.json b/src/i18n/strings/fr.json index 7c998436fb..61ed2662cb 100644 --- a/src/i18n/strings/fr.json +++ b/src/i18n/strings/fr.json @@ -1,13 +1,11 @@ { "Download %(text)s": "Télécharger %(text)s", - "Export E2E room keys": "Exporter les clés de chiffrement de salon", "Failed to ban user": "Échec du bannissement de l’utilisateur", "Failed to change password. Is your password correct?": "Échec du changement de mot de passe. Votre mot de passe est-il correct ?", "Failed to change power level": "Échec du changement de rang", "Failed to forget room %(errCode)s": "Échec de l’oubli du salon %(errCode)s", "Favourite": "Favoris", "Notifications": "Notifications", - "Account": "Compte", "%(items)s and %(lastItem)s": "%(items)s et %(lastItem)s", "and %(count)s others...": { "other": "et %(count)s autres…", @@ -17,10 +15,6 @@ "Are you sure?": "Êtes-vous sûr ?", "Are you sure you want to reject the invitation?": "Voulez-vous vraiment rejeter l’invitation ?", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Impossible de se connecter au serveur d'accueil en HTTP si l’URL dans la barre de votre explorateur est en HTTPS. Utilisez HTTPS ou activez la prise en charge des scripts non-vérifiés.", - "Change Password": "Changer le mot de passe", - "Confirm password": "Confirmer le mot de passe", - "Cryptography": "Chiffrement", - "Current password": "Mot de passe actuel", "Deactivate Account": "Fermer le compte", "Decrypt %(text)s": "Déchiffrer %(text)s", "Failed to load timeline position": "Échec du chargement de la position dans le fil de discussion", @@ -31,32 +25,25 @@ "Failed to set display name": "Échec de l’enregistrement du nom d’affichage", "Authentication": "Authentification", "An error has occurred.": "Une erreur est survenue.", - "Email": "E-mail", "Failed to unban": "Échec de la révocation du bannissement", "Failed to verify email address: make sure you clicked the link in the email": "La vérification de l’adresse e-mail a échoué : vérifiez que vous avez bien cliqué sur le lien dans l’e-mail", "Failure to create room": "Échec de création du salon", "Filter room members": "Filtrer les membres du salon", "Forget room": "Oublier le salon", - "For security, this session has been signed out. Please sign in again.": "Par mesure de sécurité, la session a expiré. Merci de vous authentifier à nouveau.", "Historical": "Historique", - "Import E2E room keys": "Importer les clés de chiffrement de bout en bout", "Incorrect verification code": "Code de vérification incorrect", "Invalid Email Address": "Adresse e-mail non valide", "Invited": "Invités", - "Sign in with": "Se connecter avec", "Join Room": "Rejoindre le salon", "Low priority": "Priorité basse", "Missing room_id in request": "Absence du room_id dans la requête", "Missing user_id in request": "Absence du user_id dans la requête", "Moderator": "Modérateur", - "New passwords don't match": "Les mots de passe ne correspondent pas", "New passwords must match each other.": "Les nouveaux mots de passe doivent être identiques.", "not specified": "non spécifié", "": "", "No more results": "Fin des résultats", "unknown error code": "code d’erreur inconnu", - "Passwords can't be empty": "Le mot de passe ne peut pas être vide", - "Phone": "Numéro de téléphone", "Operation failed": "L’opération a échoué", "Default": "Par défaut", "Email address": "Adresse e-mail", @@ -76,14 +63,12 @@ "Server may be unavailable, overloaded, or search timed out :(": "Le serveur semble être inaccessible, surchargé ou la recherche a expiré :(", "Server may be unavailable, overloaded, or you hit a bug.": "Le serveur semble être indisponible, surchargé ou vous êtes tombé sur un bug.", "Session ID": "Identifiant de session", - "Signed Out": "Déconnecté", "This email address is already in use": "Cette adresse e-mail est déjà utilisée", "This email address was not found": "Cette adresse e-mail n’a pas été trouvée", "This room has no local addresses": "Ce salon n’a pas d’adresse locale", "This room is not recognised.": "Ce salon n’est pas reconnu.", "This doesn't appear to be a valid email address": "Cette adresse e-mail ne semble pas valide", "This phone number is already in use": "Ce numéro de téléphone est déjà utilisé", - "This room is not accessible by remote Matrix servers": "Ce salon n’est pas accessible par les serveurs Matrix distants", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Un instant donné du fil de discussion n’a pu être chargé car vous n’avez pas la permission de le visualiser.", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Un instant donné du fil de discussion n’a pu être chargé car il n’a pas pu être trouvé.", "Unable to add email address": "Impossible d'ajouter l’adresse e-mail", @@ -142,8 +127,6 @@ "Unknown error": "Erreur inconnue", "Unable to restore session": "Impossible de restaurer la session", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Si vous avez utilisé une version plus récente de %(brand)s précédemment, votre session risque d’être incompatible avec cette version. Fermez cette fenêtre et retournez à la version plus récente.", - "Token incorrect": "Jeton incorrect", - "Please enter the code it contains:": "Merci de saisir le code qu’il contient :", "Error decrypting image": "Erreur lors du déchiffrement de l’image", "Error decrypting video": "Erreur lors du déchiffrement de la vidéo", "Add an Integration": "Ajouter une intégration", @@ -163,13 +146,11 @@ "other": "Envoi de %(filename)s et %(count)s autres" }, "Create new room": "Créer un nouveau salon", - "New Password": "Nouveau mot de passe", "Something went wrong!": "Quelque chose s’est mal déroulé !", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Impossible de se connecter au serveur d’accueil - veuillez vérifier votre connexion, assurez-vous que le certificat SSL de votre serveur d’accueil est un certificat de confiance, et qu’aucune extension du navigateur ne bloque les requêtes.", "No display name": "Pas de nom d’affichage", "%(roomName)s does not exist.": "%(roomName)s n’existe pas.", "%(roomName)s is not accessible at this time.": "%(roomName)s n’est pas joignable pour le moment.", - "Start authentication": "Commencer l’authentification", "(~%(count)s results)": { "one": "(~%(count)s résultat)", "other": "(~%(count)s résultats)" @@ -179,9 +160,7 @@ "Your browser does not support the required cryptography extensions": "Votre navigateur ne prend pas en charge les extensions cryptographiques nécessaires", "Not a valid %(brand)s keyfile": "Fichier de clé %(brand)s non valide", "Authentication check failed: incorrect password?": "Erreur d’authentification : mot de passe incorrect ?", - "Do you want to set an email address?": "Souhaitez-vous configurer une adresse e-mail ?", "This will allow you to reset your password and receive notifications.": "Ceci vous permettra de réinitialiser votre mot de passe et de recevoir des notifications.", - "Check for update": "Rechercher une mise à jour", "Delete widget": "Supprimer le widget", "Unable to create widget.": "Impossible de créer le widget.", "You are not in this room.": "Vous n’êtes pas dans ce salon.", @@ -199,7 +178,6 @@ "Unnamed room": "Salon sans nom", "Banned by %(displayName)s": "Banni par %(displayName)s", "Jump to read receipt": "Aller à l’accusé de lecture", - "A text message has been sent to %(msisdn)s": "Un message a été envoyé à %(msisdn)s", "Delete Widget": "Supprimer le widget", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Supprimer un widget le supprime pour tous les utilisateurs du salon. Voulez-vous vraiment supprimer ce widget ?", "%(items)s and %(count)s others": { @@ -218,8 +196,6 @@ "expand": "développer", "collapse": "réduire", "Send": "Envoyer", - "Old cryptography data detected": "Anciennes données de chiffrement détectées", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Nous avons détecté des données d’une ancienne version de %(brand)s. Le chiffrement de bout en bout n’aura pas fonctionné correctement sur l’ancienne version. Les messages chiffrés échangés récemment dans l’ancienne version ne sont peut-être pas déchiffrables dans cette version. Les échanges de message avec cette version peuvent aussi échouer. Si vous rencontrez des problèmes, déconnectez-vous puis reconnectez-vous. Pour conserver l’historique des messages, exportez puis réimportez vos clés de chiffrement.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Vous ne pourrez pas annuler cette modification car vous vous rétrogradez. Si vous êtes le dernier utilisateur privilégié de ce salon, il sera impossible de récupérer les privilèges.", "Replying": "Répond", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s %(day)s %(monthName)s %(fullYear)s", @@ -235,7 +211,6 @@ "Unavailable": "Indisponible", "Source URL": "URL de la source", "Filter results": "Filtrer les résultats", - "No update available.": "Aucune mise à jour disponible.", "Tuesday": "Mardi", "Search…": "Rechercher…", "Saturday": "Samedi", @@ -247,7 +222,6 @@ "All Rooms": "Tous les salons", "Thursday": "Jeudi", "Yesterday": "Hier", - "Error encountered (%(errorDetail)s).": "Erreur rencontrée (%(errorDetail)s).", "Low Priority": "Priorité basse", "Thank you!": "Merci !", "Logs sent": "Journaux envoyés", @@ -260,9 +234,6 @@ "We encountered an error trying to restore your previous session.": "Une erreur est survenue lors de la restauration de la dernière session.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Effacer le stockage de votre navigateur peut résoudre le problème. Ceci vous déconnectera et tous les historiques de conversations chiffrées seront illisibles.", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Impossible de charger l’évènement auquel il a été répondu, soit il n’existe pas, soit vous n'avez pas l’autorisation de le voir.", - "Terms and Conditions": "Conditions générales", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Pour continuer à utiliser le serveur d’accueil %(homeserverDomain)s, vous devez lire et accepter nos conditions générales.", - "Review terms and conditions": "Voir les conditions générales", "Can't leave Server Notices room": "Impossible de quitter le salon des Annonces du Serveur", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Ce salon est utilisé pour les messages importants du serveur d’accueil, vous ne pouvez donc pas en partir.", "No Audio Outputs detected": "Aucune sortie audio détectée", @@ -304,9 +275,7 @@ "If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Si l’autre version de %(brand)s est encore ouverte dans un autre onglet, merci de le fermer car l’utilisation de %(brand)s sur le même hôte avec le chargement différé activé et désactivé à la fois causera des problèmes.", "Incompatible local cache": "Cache local incompatible", "Clear cache and resync": "Vider le cache et resynchroniser", - "Please review and accept the policies of this homeserver:": "Veuillez lire et accepter les politiques de ce serveur d’accueil :", "Add some now": "En ajouter maintenant", - "Please review and accept all of the homeserver's policies": "Veuillez lire et accepter toutes les politiques du serveur d’accueil", "To avoid losing your chat history, you must export your room keys before logging out. You will need to go back to the newer version of %(brand)s to do this": "Pour éviter de perdre l’historique de vos discussions, vous devez exporter vos clés avant de vous déconnecter. Vous devez revenir à une version plus récente de %(brand)s pour pouvoir le faire", "Incompatible Database": "Base de données incompatible", "Continue With Encryption Disabled": "Continuer avec le chiffrement désactivé", @@ -337,9 +306,6 @@ "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Impossible de trouver les profils pour les identifiants Matrix listés ci-dessous. Voulez-vous quand même les inviter ?", "Invite anyway and never warn me again": "Inviter quand même et ne plus me prévenir", "Invite anyway": "Inviter quand même", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Les messages sécurisés avec cet utilisateur sont chiffrés de bout en bout et ne peuvent être lus par d’autres personnes.", - "Got It": "Compris", - "Verify this user by confirming the following number appears on their screen.": "Vérifier cet utilisateur en confirmant que le nombre suivant apparaît sur leur écran.", "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Nous vous avons envoyé un e-mail pour vérifier votre adresse. Veuillez suivre les instructions qu’il contient puis cliquer sur le bouton ci-dessous.", "Email Address": "Adresse e-mail", "All keys backed up": "Toutes les clés ont été sauvegardées", @@ -349,15 +315,11 @@ "Profile picture": "Image de profil", "Display Name": "Nom d’affichage", "Room information": "Information du salon", - "Room version": "Version du salon", - "Room version:": "Version du salon :", "General": "Général", "Room Addresses": "Adresses du salon", "Email addresses": "Adresses e-mail", "Phone numbers": "Numéros de téléphone", - "Language and region": "Langue et région", "Account management": "Gestion du compte", - "Encryption": "Chiffrement", "Ignored users": "Utilisateurs ignorés", "Bulk options": "Options de groupe", "Missing media permissions, click the button below to request.": "Permissions multimédia manquantes, cliquez sur le bouton ci-dessous pour la demander.", @@ -375,8 +337,6 @@ "Recovery Method Removed": "Méthode de récupération supprimée", "If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Si vous n’avez pas supprimé la méthode de récupération, un attaquant peut être en train d’essayer d’accéder à votre compte. Modifiez le mot de passe de votre compte et configurez une nouvelle méthode de récupération dans les réglages.", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "Le fichier « %(fileName)s » dépasse la taille limite autorisée par ce serveur pour les envois", - "Verify this user by confirming the following emoji appear on their screen.": "Vérifier cet utilisateur en confirmant que les émojis suivant apparaissent sur son écran.", - "Unable to find a supported verification method.": "Impossible de trouver une méthode de vérification prise en charge.", "Dog": "Chien", "Cat": "Chat", "Lion": "Lion", @@ -461,7 +421,6 @@ "The user must be unbanned before they can be invited.": "Le bannissement de l’utilisateur doit être révoqué avant de pouvoir l’inviter.", "Accept all %(invitedRooms)s invites": "Accepter les %(invitedRooms)s invitations", "Power level": "Rang", - "Upgrade this room to the recommended room version": "Mettre à niveau ce salon vers la version recommandée", "This room is running room version , which this homeserver has marked as unstable.": "Ce salon utilise la version , que ce serveur d’accueil a marqué comme instable.", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "La mise à niveau du salon désactivera cette instance du salon et créera un salon mis à niveau avec le même nom.", "Failed to revoke invite": "Échec de la révocation de l’invitation", @@ -469,10 +428,6 @@ "Revoke invite": "Révoquer l’invitation", "Invited by %(sender)s": "Invité par %(sender)s", "Remember my selection for this widget": "Se souvenir de mon choix pour ce widget", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "Vous avez %(count)s notifications non lues dans une version précédente de ce salon.", - "one": "Vous avez %(count)s notification non lue dans une version précédente de ce salon." - }, "The file '%(fileName)s' failed to upload.": "Le fichier « %(fileName)s » n’a pas pu être envoyé.", "Notes": "Notes", "Sign out and remove encryption keys?": "Se déconnecter et supprimer les clés de chiffrement ?", @@ -493,7 +448,6 @@ "Upload Error": "Erreur d’envoi", "The server does not support the room version specified.": "Le serveur ne prend pas en charge la version de salon spécifiée.", "The user's homeserver does not support the version of the room.": "Le serveur d’accueil de l’utilisateur ne prend pas en charge la version de ce salon.", - "View older messages in %(roomName)s.": "Voir les messages plus anciens dans %(roomName)s.", "Join the conversation with an account": "Rejoindre la conversation avec un compte", "Sign Up": "S’inscrire", "Reason: %(reason)s": "Motif : %(reason)s", @@ -513,16 +467,6 @@ "edited": "modifié", "Rotate Left": "Tourner à gauche", "Rotate Right": "Tourner à droite", - "Use an email address to recover your account": "Utiliser une adresse e-mail pour récupérer votre compte", - "Enter email address (required on this homeserver)": "Saisir l’adresse e-mail (obligatoire sur ce serveur d’accueil)", - "Doesn't look like a valid email address": "Cela ne ressemble pas a une adresse e-mail valide", - "Enter password": "Saisir le mot de passe", - "Password is allowed, but unsafe": "Ce mot de passe est autorisé, mais peu sûr", - "Nice, strong password!": "Bien joué, un mot de passe robuste !", - "Passwords don't match": "Les mots de passe ne correspondent pas", - "Other users can invite you to rooms using your contact details": "D’autres utilisateurs peuvent vous inviter à des salons grâce à vos informations de contact", - "Enter phone number (required on this homeserver)": "Saisir le numéro de téléphone (obligatoire sur ce serveur d’accueil)", - "Enter username": "Saisir le nom d’utilisateur", "Some characters not allowed": "Certains caractères ne sont pas autorisés", "Failed to get autodiscovery configuration from server": "Échec de la découverte automatique de la configuration depuis le serveur", "Invalid base_url for m.homeserver": "base_url pour m.homeserver non valide", @@ -630,7 +574,6 @@ "Hide advanced": "Masquer les paramètres avancés", "Show advanced": "Afficher les paramètres avancés", "Show image": "Afficher l’image", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Clé public du captcha manquante dans la configuration du serveur d’accueil. Veuillez le signaler à l’administrateur de votre serveur d’accueil.", "Your email address hasn't been verified yet": "Votre adresse e-mail n’a pas encore été vérifiée", "Click the link in the email you received to verify and then click continue again.": "Cliquez sur le lien dans l’e-mail que vous avez reçu pour la vérifier et cliquez encore sur continuer.", "Add Email Address": "Ajouter une adresse e-mail", @@ -659,30 +602,7 @@ "%(name)s cancelled": "%(name)s a annulé", "%(name)s wants to verify": "%(name)s veut vérifier", "You sent a verification request": "Vous avez envoyé une demande de vérification", - "Ignored/Blocked": "Ignoré/bloqué", - "Error adding ignored user/server": "Erreur lors de l’ajout de l’utilisateur/du serveur ignoré", - "Something went wrong. Please try again or view your console for hints.": "Une erreur est survenue. Réessayez ou consultez votre console pour des indices.", - "Error subscribing to list": "Erreur lors de l’inscription à la liste", - "Error removing ignored user/server": "Erreur lors de la suppression de l’utilisateur/du serveur ignoré", - "Error unsubscribing from list": "Erreur lors de la désinscription de la liste", - "Please try again or view your console for hints.": "Réessayez ou consultez votre console pour des indices.", "None": "Aucun", - "Ban list rules - %(roomName)s": "Règles de la liste de bannissement − %(roomName)s", - "Server rules": "Règles de serveur", - "User rules": "Règles d’utilisateur", - "You have not ignored anyone.": "Vous n’avez ignoré personne.", - "You are currently ignoring:": "Vous ignorez actuellement :", - "You are not subscribed to any lists": "Vous n’êtes inscrit à aucune liste", - "View rules": "Voir les règles", - "You are currently subscribed to:": "Vous êtes actuellement inscrit à :", - "⚠ These settings are meant for advanced users.": "⚠ Ces paramètres sont prévus pour les utilisateurs avancés.", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Ignorer les gens est possible grâce à des listes de bannissement qui contiennent des règles sur les personnes à bannir. L’inscription à une liste de bannissement signifie que les utilisateurs/serveurs bloqués par cette liste seront cachés pour vous.", - "Personal ban list": "Liste de bannissement personnelle", - "Server or user ID to ignore": "Serveur ou identifiant d’utilisateur à ignorer", - "eg: @bot:* or example.org": "par ex. : @bot:* ou exemple.org", - "Subscribed lists": "Listes souscrites", - "Subscribing to a ban list will cause you to join it!": "En vous inscrivant à une liste de bannissement, vous la rejoindrez !", - "If this isn't what you want, please use a different tool to ignore users.": "Si ce n’est pas ce que vous voulez, utilisez un autre outil pour ignorer les utilisateurs.", "You have ignored this user, so their message is hidden. Show anyways.": "Vous avez ignoré cet utilisateur, donc ses messages sont cachés. Les montrer quand même.", "Messages in this room are end-to-end encrypted.": "Les messages dans ce salon sont chiffrés de bout en bout.", "Any of the following data may be shared:": "Les données suivants peuvent être partagées :", @@ -715,10 +635,6 @@ "You'll upgrade this room from to .": "Vous allez mettre à niveau ce salon de vers .", " wants to chat": " veut discuter", "Start chatting": "Commencer à discuter", - "Cross-signing public keys:": "Clés publiques de signature croisée :", - "not found": "non trouvé", - "Cross-signing private keys:": "Clés privées de signature croisée :", - "in secret storage": "dans le coffre secret", "Secret storage public key:": "Clé publique du coffre secret :", "in account data": "dans les données du compte", "Unable to set up secret storage": "Impossible de configurer le coffre secret", @@ -734,7 +650,6 @@ "Show more": "En voir plus", "Recent Conversations": "Conversations récentes", "Direct Messages": "Conversations privées", - "This bridge is managed by .": "Cette passerelle est gérée par .", "Failed to find the following users": "Impossible de trouver les utilisateurs suivants", "The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Les utilisateurs suivant n’existent peut-être pas ou ne sont pas valides, et ne peuvent pas être invités : %(csvNames)s", "Lock": "Cadenas", @@ -757,8 +672,6 @@ "Securely cache encrypted messages locally for them to appear in search results.": "Mettre en cache les messages chiffrés localement et de manière sécurisée pour qu’ils apparaissent dans les résultats de recherche.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "Il manque quelques composants à %(brand)s pour mettre en cache les messages chiffrés localement de manière sécurisée. Si vous voulez essayer cette fonctionnalité, construisez %(brand)s Desktop vous-même en ajoutant les composants de recherche.", "Message search": "Recherche de message", - "Waiting for %(displayName)s to verify…": "En attente de la vérification de %(displayName)s…", - "This bridge was provisioned by .": "Cette passerelle a été fournie par .", "This room is bridging messages to the following platforms. Learn more.": "Ce salon transmet les messages vers les plateformes suivantes. En savoir plus.", "Bridges": "Passerelles", "Waiting for %(displayName)s to accept…": "En attente d’acceptation par %(displayName)s…", @@ -777,14 +690,11 @@ "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "ATTENTION : ÉCHEC DE LA VÉRIFICATION DE CLÉ ! La clé de signature pour %(userId)s et la session %(deviceId)s est « %(fprint)s  ce qui ne correspond pas à la clé fournie « %(fingerprint)s ». Cela pourrait signifier que vos communications sont interceptées !", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "La clé de signature que vous avez fournie correspond à celle que vous avez reçue de la session %(deviceId)s de %(userId)s. Session marquée comme vérifiée.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Votre compte a une identité de signature croisée dans le coffre secret, mais cette session ne lui fait pas encore confiance.", - "in memory": "en mémoire", "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Cette session ne sauvegarde pas vos clés, mais vous n’avez pas de sauvegarde existante que vous pouvez restaurer ou compléter à l’avenir.", "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Connectez cette session à la sauvegarde de clés avant de vous déconnecter pour éviter de perdre des clés qui seraient uniquement dans cette session.", "Connect this session to Key Backup": "Connecter cette session à la sauvegarde de clés", "This backup is trusted because it has been restored on this session": "Cette sauvegarde est fiable car elle a été restaurée sur cette session", "Your keys are not being backed up from this session.": "Vos clés ne sont pas sauvegardées sur cette session.", - "Session ID:": "Identifiant de session :", - "Session key:": "Clé de session :", "This user has not verified all of their sessions.": "Cet utilisateur n’a pas vérifié toutes ses sessions.", "You have verified this user. This user has verified all of their sessions.": "Vous avez vérifié cet utilisateur. Cet utilisateur a vérifié toutes ses sessions.", "Someone is using an unknown session": "Quelqu’un utilise une session inconnue", @@ -808,7 +718,6 @@ "This session is encrypting history using the new recovery method.": "Cette session chiffre l’historique en utilisant la nouvelle méthode de récupération.", "Setting up keys": "Configuration des clés", "You have not verified this user.": "Vous n’avez pas vérifié cet utilisateur.", - "Confirm your identity by entering your account password below.": "Confirmez votre identité en saisissant le mot de passe de votre compte ci-dessous.", "Create key backup": "Créer une sauvegarde de clé", "If you did this accidentally, you can setup Secure Messages on this session which will re-encrypt this session's message history with a new recovery method.": "Si vous l’avez fait accidentellement, vous pouvez configurer les messages sécurisés sur cette session ce qui re-chiffrera l’historique des messages de cette session avec une nouvelle méthode de récupération.", "Cancel entering passphrase?": "Annuler la saisie du mot de passe ?", @@ -822,9 +731,6 @@ "You declined": "Vous avez refusé", "%(name)s declined": "%(name)s a refusé", "Your homeserver does not support cross-signing.": "Votre serveur d’accueil ne prend pas en charge la signature croisée.", - "Homeserver feature support:": "Prise en charge de la fonctionnalité par le serveur d’accueil :", - "exists": "existant", - "Cancelling…": "Annulation…", "Accepting…": "Acceptation…", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Pour signaler un problème de sécurité lié à Matrix, consultez la politique de divulgation de sécurité de Matrix.org.", "Mark all as read": "Tout marquer comme lu", @@ -856,10 +762,6 @@ "Confirm by comparing the following with the User Settings in your other session:": "Confirmez en comparant ceci avec les paramètres utilisateurs de votre autre session :", "Confirm this user's session by comparing the following with their User Settings:": "Confirmez la session de cet utilisateur en comparant ceci avec ses paramètres utilisateur :", "If they don't match, the security of your communication may be compromised.": "S’ils ne correspondent pas, la sécurité de vos communications est peut-être compromise.", - "Self signing private key:": "Clé privée d’auto-signature :", - "cached locally": "mise en cache localement", - "not found locally": "non trouvée localement", - "User signing private key:": "Clé privée de signature de l’utilisateur :", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Vérifiez individuellement chaque session utilisée par un utilisateur pour la marquer comme fiable, sans faire confiance aux appareils signés avec la signature croisée.", "In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "Dans les salons chiffrés, vos messages sont sécurisés et seuls vous et le destinataire avez les clés uniques pour les déchiffrer.", "Verify all users in a room to ensure it's secure.": "Vérifiez tous les utilisateurs d’un salon pour vous assurer qu’il est sécurisé.", @@ -906,8 +808,6 @@ "Confirm encryption setup": "Confirmer la configuration du chiffrement", "Click the button below to confirm setting up encryption.": "Cliquez sur le bouton ci-dessous pour confirmer la configuration du chiffrement.", "IRC display name width": "Largeur du nom d’affichage IRC", - "Please verify the room ID or address and try again.": "Vérifiez l’identifiant ou l’adresse du salon et réessayez.", - "Room ID or address of ban list": "Identifiant du salon ou adresse de la liste de bannissement", "Error creating address": "Erreur lors de la création de l’adresse", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Une erreur est survenue lors de la création de l’adresse. Ce n’est peut-être pas autorisé par le serveur ou une erreur temporaire est survenue.", "You don't have permission to delete the address.": "Vous n’avez pas la permission de supprimer cette adresse.", @@ -922,7 +822,6 @@ "Your homeserver has exceeded one of its resource limits.": "Votre serveur d’accueil a dépassé une de ses limites de ressources.", "Contact your server admin.": "Contactez l’administrateur de votre serveur.", "Ok": "OK", - "New version available. Update now.": "Nouvelle version disponible. Faire la mise à niveau maintenant.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "L’administrateur de votre serveur a désactivé le chiffrement de bout en bout par défaut dans les salons privés et les conversations privées.", "Switch theme": "Changer le thème", "All settings": "Tous les paramètres", @@ -954,7 +853,6 @@ "Error leaving room": "Erreur en essayant de quitter le salon", "Change notification settings": "Modifier les paramètres de notification", "Your server isn't responding to some requests.": "Votre serveur ne répond pas à certaines requêtes.", - "Master private key:": "Clé privée maîtresse :", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s ne peut actuellement mettre en cache vos messages chiffrés localement de manière sécurisée via le navigateur Web. Utilisez %(brand)s Desktop pour que les messages chiffrés apparaissent dans vos résultats de recherche.", "ready": "prêt", "The operation could not be completed": "L’opération n’a pas pu être terminée", @@ -964,13 +862,11 @@ "Answered Elsewhere": "Répondu autre-part", "The call could not be established": "L’appel n’a pas pu être établi", "Ignored attempt to disable encryption": "Essai de désactiver le chiffrement ignoré", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Ajoutez les utilisateurs et les serveurs que vous voulez ignorer ici. Utilisez des astérisques pour que %(brand)s comprenne tous les caractères. Par exemple, @bot:* va ignorer tous les utilisateurs ayant le nom « bot » sur n’importe quel serveur.", "not ready": "pas prêt", "Secret storage:": "Coffre secret :", "Backup key cached:": "Clé de sauvegarde mise en cache :", "Backup key stored:": "Clé de sauvegarde enregistrée :", "Backup version:": "Version de la sauvegarde :", - "not found in storage": "non trouvé dans le coffre", "Cross-signing is not set up.": "La signature croisée n’est pas configurée.", "Cross-signing is ready for use.": "La signature croisée est prête à être utilisée.", "Safeguard against losing access to encrypted messages & data": "Sécurité contre la perte d’accès aux messages et données chiffrées", @@ -1287,10 +1183,6 @@ "A new Security Phrase and key for Secure Messages have been detected.": "Une nouvelle phrase secrète et clé de sécurité pour les messages sécurisés ont été détectées.", "Confirm your Security Phrase": "Confirmez votre phrase secrète", "Great! This Security Phrase looks strong enough.": "Super ! Cette phrase secrète a l’air assez solide.", - "That phone number doesn't look quite right, please check and try again": "Ce numéro de téléphone ne semble pas correct, merci de vérifier et réessayer", - "Enter email address": "Saisir l’adresse e-mail", - "Enter phone number": "Saisir le numéro de téléphone", - "Something went wrong in confirming your identity. Cancel and try again.": "Une erreur s’est produite lors de la vérification de votre identité. Annulez et réessayez.", "Hold": "Mettre en pause", "Resume": "Reprendre", "If you've forgotten your Security Key you can ": "Si vous avez oublié votre clé de sécurité, vous pouvez ", @@ -1322,8 +1214,6 @@ "one": "Mettre en cache localement et de manière sécurisée les messages chiffrés pour qu’ils apparaissent dans les résultats de recherche, en utilisant %(size)s pour stocker les messages de %(rooms)s salons.", "other": "Mettre en cache localement et de manière sécurisée les messages chiffrés pour qu’ils apparaissent dans les résultats de recherche. Actuellement %(size)s sont utilisé pour stocker les messages de %(rooms)s salons." }, - "Channel: ": "Canal : ", - "Workspace: ": "Espace de travail : ", "Dial pad": "Pavé de numérotation", "There was an error looking up the phone number": "Erreur lors de la recherche de votre numéro de téléphone", "Unable to look up phone number": "Impossible de trouver votre numéro de téléphone", @@ -1333,7 +1223,6 @@ "We couldn't log you in": "Nous n’avons pas pu vous connecter", "Invite someone using their name, username (like ) or share this space.": "Invitez quelqu’un grâce à son nom, nom d’utilisateur (tel que ) ou partagez cet espace.", "Invite someone using their name, email address, username (like ) or share this space.": "Invitez quelqu’un grâce à son nom, adresse e-mail, nom d’utilisateur (tel que ) ou partagez cet espace.", - "Original event source": "Évènement source original", "%(count)s members": { "one": "%(count)s membre", "other": "%(count)s membres" @@ -1381,7 +1270,6 @@ "Invite with email or username": "Inviter par e-mail ou nom d’utilisateur", "You can change these anytime.": "Vous pouvez les changer à n’importe quel moment.", "Verify your identity to access encrypted messages and prove your identity to others.": "Vérifiez votre identité pour accéder aux messages chiffrés et prouver votre identité aux autres.", - "Verification requested": "Vérification requise", "Avatar": "Avatar", "Reset event store": "Réinitialiser le magasin d’évènements", "You most likely do not want to reset your event index store": "Il est probable que vous ne vouliez pas réinitialiser votre magasin d’index d’évènements", @@ -1604,7 +1492,6 @@ "Unban from %(roomName)s": "Annuler le bannissement de %(roomName)s", "They'll still be able to access whatever you're not an admin of.": "Ils pourront toujours accéder aux endroits dans lesquels vous n’êtes pas administrateur.", "Disinvite from %(roomName)s": "Annuler l’invitation à %(roomName)s", - "Create poll": "Créer un sondage", "Updating spaces... (%(progress)s out of %(count)s)": { "one": "Mise-à-jour de l’espace…", "other": "Mise-à-jour des espaces… (%(progress)s sur %(count)s)" @@ -1637,13 +1524,6 @@ "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Ce salon se trouve dans certains espaces pour lesquels vous n’êtes pas administrateur. Dans ces espaces, l’ancien salon sera toujours disponible, mais un message sera affiché pour inciter les personnes à rejoindre le nouveau salon.", "Copy link to thread": "Copier le lien du fil de discussion", "Thread options": "Options des fils de discussion", - "Add option": "Ajouter un choix", - "Option %(number)s": "Choix %(number)s", - "Create options": "Créer des choix", - "Write an option": "Écrivez un choix", - "Question or topic": "Question ou sujet", - "What is your poll question or topic?": "Quelle est la question ou le sujet de votre sondage ?", - "Create Poll": "Créer un sondage", "You do not have permission to start polls in this room.": "Vous n’avez pas la permission de démarrer un sondage dans ce salon.", "Mentions only": "Seulement les mentions", "Forget": "Oublier", @@ -1662,8 +1542,6 @@ "Spaces to show": "Espaces à afficher", "Sidebar": "Barre latérale", "Spaces you know that contain this space": "Les espaces connus qui contiennent cet espace", - "Sorry, the poll you tried to create was not posted.": "Désolé, le sondage que vous avez essayé de créer n’a pas été envoyé.", - "Failed to post poll": "Échec lors de la soumission du sondage", "Based on %(count)s votes": { "one": "Sur la base de %(count)s vote", "other": "Sur la base de %(count)s votes" @@ -1741,10 +1619,6 @@ "Almost there! Is your other device showing the same shield?": "On y est presque ! Votre autre appareil affiche-t-il le même bouclier ?", "To proceed, please accept the verification request on your other device.": "Pour continuer, veuillez accepter la demande de vérification sur votre autre appareil.", "From a thread": "Depuis un fil de discussion", - "Waiting for you to verify on your other device…": "En attente de votre vérification sur votre autre appareil…", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "En attente de votre vérification sur votre autre appareil, %(deviceName)s (%(deviceId)s)…", - "Verify this device by confirming the following number appears on its screen.": "Vérifiez cet appareil en confirmant que le nombre suivant s’affiche sur son écran.", - "Confirm the emoji below are displayed on both devices, in the same order:": "Confirmez que les émojis ci-dessous s’affichent sur les deux appareils et dans le même ordre :", "Back to thread": "Retour au fil de discussion", "Room members": "Membres du salon", "Back to chat": "Retour à la conversation", @@ -1762,7 +1636,6 @@ "Group all your people in one place.": "Regrouper toutes vos connaissances au même endroit.", "Group all your favourite rooms and people in one place.": "Regroupez tous vos salons et personnes préférés au même endroit.", "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Les espaces permettent de regrouper des salons et des personnes. En plus de ceux auxquels vous participez, vous pouvez également utiliser des espaces prédéfinis.", - "Internal room ID": "Identifiant interne du salon", "Group all your rooms that aren't part of a space in one place.": "Regroupe tous les salons n’appartenant pas à un espace au même endroit.", "Pick a date to jump to": "Choisissez vers quelle date aller", "Jump to date": "Aller à la date", @@ -1787,12 +1660,6 @@ "Search Dialog": "Fenêtre de recherche", "Use to scroll": "Utilisez pour faire défiler", "Join %(roomAddress)s": "Rejoindre %(roomAddress)s", - "Results are only revealed when you end the poll": "Les résultats ne sont révélés que lorsque vous terminez le sondage", - "Voters see results as soon as they have voted": "Les participants voient les résultats dès qu'ils ont voté", - "Closed poll": "Sondage terminé", - "Open poll": "Ouvrir le sondage", - "Poll type": "Type de sondage", - "Edit poll": "Modifier le sondage", "%(brand)s could not send your location. Please try again later.": "%(brand)s n'a pas pu envoyer votre position. Veuillez réessayer plus tard.", "We couldn't send your location": "Nous n'avons pas pu envoyer votre position", "Match system": "S’adapter au système", @@ -1841,8 +1708,6 @@ "Loading preview": "Chargement de l’aperçu", "New video room": "Nouveau salon visio", "New room": "Nouveau salon", - "View older version of %(spaceName)s.": "Voir l’ancienne version de %(spaceName)s.", - "Upgrade this space to the recommended room version": "Mettre à niveau cet espace vers la version recommandée", "Failed to join": "Impossible de rejoindre", "The person who invited you has already left, or their server is offline.": "La personne qui vous a invité(e) a déjà quitté le salon, ou son serveur est hors-ligne.", "The person who invited you has already left.": "La personne qui vous a invité(e) a déjà quitté le salon.", @@ -1908,16 +1773,10 @@ "Private room": "Salon privé", "Video room": "Salon vidéo", "%(members)s and %(last)s": "%(members)s et %(last)s", - "Resent!": "Ré-envoyé !", - "Did not receive it? Resend it": "Vous ne l’avez pas reçu ? Le renvoyer", - "To create your account, open the link in the email we just sent to %(emailAddress)s.": "Pour créer un compte, cliquez sur le lien dans l’e-mail que nous venons d’envoyer à %(emailAddress)s.", "Unread email icon": "Icone d’e-mail non lu", - "Check your email to continue": "Vérifiez vos e-mail avant de continuer", "An error occurred whilst sharing your live location, please try again": "Une erreur s’est produite pendant le partage de votre position, veuillez réessayer plus tard", "An error occurred whilst sharing your live location": "Une erreur s’est produite pendant le partage de votre position", "View related event": "Afficher les événements liés", - "Click to read topic": "Cliquer pour lire le sujet", - "Edit topic": "Modifier le sujet", "Joining…": "En train de rejoindre…", "Read receipts": "Accusés de réception", "%(count)s people joined": { @@ -1969,7 +1828,6 @@ "Messages in this chat will be end-to-end encrypted.": "Les messages de cette conversation seront chiffrés de bout en bout.", "Saved Items": "Éléments sauvegardés", "Choose a locale": "Choisir une langue", - "Spell check": "Vérificateur orthographique", "We're creating a room with %(names)s": "Nous créons un salon avec %(names)s", "Sessions": "Sessions", "Interactively verify by emoji": "Vérifier de façon interactive avec des émojis", @@ -2051,10 +1909,6 @@ "We were unable to start a chat with the other user.": "Nous n’avons pas pu démarrer une conversation avec l’autre utilisateur.", "Error starting verification": "Erreur en démarrant la vérification", "WARNING: ": "ATTENTION : ", - "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.": "Envie d’expériences ? Essayez nos dernières idées en développement. Ces fonctionnalités ne sont pas terminées ; elles peuvent changer, être instables, ou être complètement abandonnées. En savoir plus.", - "Early previews": "Avant-premières", - "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "Que va-t-il se passer dans %(brand)s ? La section expérimentale est la meilleure manière d’avoir des choses en avance, tester les nouvelles fonctionnalités et d’aider à les affiner avant leur lancement officiel.", - "Upcoming features": "Fonctionnalités à venir", "Change layout": "Changer la disposition", "You have unverified sessions": "Vous avez des sessions non vérifiées", "Search users in this room…": "Chercher des utilisateurs dans ce salon…", @@ -2075,9 +1929,6 @@ "Edit link": "Éditer le lien", "%(senderName)s started a voice broadcast": "%(senderName)s a démarré une diffusion audio", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", - "Registration token": "Jeton d’enregistrement", - "Enter a registration token provided by the homeserver administrator.": "Saisissez un jeton d’enregistrement fourni par l’administrateur du serveur d’accueil.", - "Manage account": "Gérer le compte", "Your account details are managed separately at %(hostname)s.": "Les détails de votre compte sont gérés séparément sur %(hostname)s.", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Tous les messages et invitations de cette utilisateur seront cachés. Êtes-vous sûr de vouloir les ignorer ?", "Ignore %(user)s": "Ignorer %(user)s", @@ -2093,28 +1944,22 @@ "Scan QR code": "Scanner le QR code", "Select '%(scanQRCode)s'": "Sélectionnez « %(scanQRCode)s »", "Enable '%(manageIntegrations)s' in Settings to do this.": "Activez « %(manageIntegrations)s » dans les paramètres pour faire ça.", - "Warning: upgrading a room will not automatically migrate room members to the new version of the room. We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.": "Attention : la mise à niveau du salon ne migrera pas automatiquement les membres du salon vers la nouvelle version du salon. Nous enverrons un lien vers le nouveau salon dans l’ancienne version du salon. Les participants au salon devront cliquer sur ce lien pour rejoindre le nouveau salon.", - "Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named '%(myBanList)s' - stay in this room to keep the ban list in effect.": "Votre liste de bannissement personnelle contient tous les utilisateurs/serveurs dont vous ne voulez pas voir les messages personnellement. Quand vous aurez ignoré votre premier utilisateur/serveur, un nouveau salon nommé « %(myBanList)s » apparaîtra dans la liste de vos salons − restez dans ce salon pour que la liste de bannissement soit effective.", "WARNING: session already verified, but keys do NOT MATCH!": "ATTENTION : session déjà vérifiée, mais les clés ne CORRESPONDENT PAS !", "Enter a Security Phrase only you know, as it's used to safeguard your data. To be secure, you shouldn't re-use your account password.": "Saisissez une Phrase de Sécurité connue de vous seul·e car elle est utilisée pour protéger vos données. Pour plus de sécurité, vous ne devriez pas réutiliser le mot de passe de votre compte.", "Starting backup…": "Début de la sauvegarde…", "Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Veuillez ne continuer que si vous êtes certain d’avoir perdu tous vos autres appareils et votre Clé de Sécurité.", - "Keep going…": "En cours…", "Connecting…": "Connexion…", "Loading live location…": "Chargement de la position en direct…", "Fetching keys from server…": "Récupération des clés depuis le serveur…", "Checking…": "Vérification…", "Waiting for partner to confirm…": "Attente de la confirmation du partenaire…", "Adding…": "Ajout…", - "Write something…": "Écrivez quelque chose…", "Rejecting invite…": "Rejet de l’invitation…", "Joining room…": "Entrée dans le salon…", "Joining space…": "Entrée dans l’espace…", "Encrypting your message…": "Chiffrement de votre message…", "Sending your message…": "Envoi de votre message…", "Set a new account password…": "Définir un nouveau mot de passe de compte…", - "Downloading update…": "Téléchargement de la mise-à-jour…", - "Checking for an update…": "Recherche de mise à jour…", "Backing up %(sessionsRemaining)s keys…": "Sauvegarde de %(sessionsRemaining)s clés…", "Connecting to integration manager…": "Connexion au gestionnaire d’intégrations…", "Saving…": "Enregistrement…", @@ -2182,7 +2027,6 @@ "Error changing password": "Erreur lors du changement de mot de passe", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (statut HTTP %(httpStatus)s)", "Unknown password change error (%(stringifiedError)s)": "Erreur inconnue du changement de mot de passe (%(stringifiedError)s)", - "Error while changing password: %(error)s": "Erreur lors du changement de mot de passe : %(error)s", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Impossible d’inviter un utilisateur par e-mail sans un serveur d’identité. Vous pouvez vous connecter à un serveur dans les « Paramètres ».", "Failed to download source media, no source url was found": "Impossible de télécharger la source du média, aucune URL source n’a été trouvée", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "Une fois que les utilisateurs invités seront connectés sur %(brand)s, vous pourrez discuter et le salon sera chiffré de bout en bout", @@ -2535,7 +2379,15 @@ "sliding_sync_disable_warning": "Pour la désactiver, vous devrez vous déconnecter et vous reconnecter, faites attention !", "sliding_sync_proxy_url_optional_label": "URL du serveur mandataire (proxy – facultatif)", "sliding_sync_proxy_url_label": "URL du serveur mandataire (proxy)", - "video_rooms_beta": "Les salons vidéo sont une fonctionnalité bêta" + "video_rooms_beta": "Les salons vidéo sont une fonctionnalité bêta", + "bridge_state_creator": "Cette passerelle a été fournie par .", + "bridge_state_manager": "Cette passerelle est gérée par .", + "bridge_state_workspace": "Espace de travail : ", + "bridge_state_channel": "Canal : ", + "beta_section": "Fonctionnalités à venir", + "beta_description": "Que va-t-il se passer dans %(brand)s ? La section expérimentale est la meilleure manière d’avoir des choses en avance, tester les nouvelles fonctionnalités et d’aider à les affiner avant leur lancement officiel.", + "experimental_section": "Avant-premières", + "experimental_description": "Envie d’expériences ? Essayez nos dernières idées en développement. Ces fonctionnalités ne sont pas terminées ; elles peuvent changer, être instables, ou être complètement abandonnées. En savoir plus." }, "keyboard": { "home": "Accueil", @@ -2871,7 +2723,26 @@ "record_session_details": "Enregistrez le nom, la version et l'URL du client afin de reconnaitre les sessions plus facilement dans le gestionnaire de sessions", "strict_encryption": "Ne jamais envoyer de messages chiffrés aux sessions non vérifiées depuis cette session", "enable_message_search": "Activer la recherche de messages dans les salons chiffrés", - "manually_verify_all_sessions": "Vérifier manuellement toutes les sessions à distance" + "manually_verify_all_sessions": "Vérifier manuellement toutes les sessions à distance", + "cross_signing_public_keys": "Clés publiques de signature croisée :", + "cross_signing_in_memory": "en mémoire", + "cross_signing_not_found": "non trouvé", + "cross_signing_private_keys": "Clés privées de signature croisée :", + "cross_signing_in_4s": "dans le coffre secret", + "cross_signing_not_in_4s": "non trouvé dans le coffre", + "cross_signing_master_private_Key": "Clé privée maîtresse :", + "cross_signing_cached": "mise en cache localement", + "cross_signing_not_cached": "non trouvée localement", + "cross_signing_self_signing_private_key": "Clé privée d’auto-signature :", + "cross_signing_user_signing_private_key": "Clé privée de signature de l’utilisateur :", + "cross_signing_homeserver_support": "Prise en charge de la fonctionnalité par le serveur d’accueil :", + "cross_signing_homeserver_support_exists": "existant", + "export_megolm_keys": "Exporter les clés de chiffrement de salon", + "import_megolm_keys": "Importer les clés de chiffrement de bout en bout", + "cryptography_section": "Chiffrement", + "session_id": "Identifiant de session :", + "session_key": "Clé de session :", + "encryption_section": "Chiffrement" }, "preferences": { "room_list_heading": "Liste de salons", @@ -2986,6 +2857,12 @@ }, "security_recommendations": "Recommandations de sécurité", "security_recommendations_description": "Améliorez la sécurité de votre compte à l’aide de ces recommandations." + }, + "general": { + "oidc_manage_button": "Gérer le compte", + "account_section": "Compte", + "language_section": "Langue et région", + "spell_check_section": "Vérificateur orthographique" } }, "devtools": { @@ -3087,7 +2964,8 @@ "low_bandwidth_mode": "Mode faible bande passante", "developer_mode": "Mode développeur", "view_source_decrypted_event_source": "Évènement source déchiffré", - "view_source_decrypted_event_source_unavailable": "Source déchiffrée non disponible" + "view_source_decrypted_event_source_unavailable": "Source déchiffrée non disponible", + "original_event_source": "Évènement source original" }, "export_chat": { "html": "HTML", @@ -3727,6 +3605,17 @@ "url_preview_encryption_warning": "Dans les salons chiffrés, comme celui-ci, l’aperçu des liens est désactivé par défaut pour s’assurer que le serveur d’accueil (où sont générés les aperçus) ne puisse pas collecter d’informations sur les liens qui apparaissent dans ce salon.", "url_preview_explainer": "Quand quelqu’un met un lien dans son message, un aperçu du lien peut être affiché afin de fournir plus d’informations sur ce lien comme le titre, la description et une image du site.", "url_previews_section": "Aperçus des liens" + }, + "advanced": { + "unfederated": "Ce salon n’est pas accessible par les serveurs Matrix distants", + "room_upgrade_warning": "Attention : la mise à niveau du salon ne migrera pas automatiquement les membres du salon vers la nouvelle version du salon. Nous enverrons un lien vers le nouveau salon dans l’ancienne version du salon. Les participants au salon devront cliquer sur ce lien pour rejoindre le nouveau salon.", + "space_upgrade_button": "Mettre à niveau cet espace vers la version recommandée", + "room_upgrade_button": "Mettre à niveau ce salon vers la version recommandée", + "space_predecessor": "Voir l’ancienne version de %(spaceName)s.", + "room_predecessor": "Voir les messages plus anciens dans %(roomName)s.", + "room_id": "Identifiant interne du salon", + "room_version_section": "Version du salon", + "room_version": "Version du salon :" } }, "encryption": { @@ -3742,8 +3631,22 @@ "sas_prompt": "Comparez des émojis uniques", "sas_description": "Comparez une liste unique d’émojis si vous n’avez d’appareil photo sur aucun des deux appareils", "qr_or_sas": "%(qrCode)s ou %(emojiCompare)s", - "qr_or_sas_header": "Vérifiez cet appareil en réalisant une des actions suivantes :" - } + "qr_or_sas_header": "Vérifiez cet appareil en réalisant une des actions suivantes :", + "explainer": "Les messages sécurisés avec cet utilisateur sont chiffrés de bout en bout et ne peuvent être lus par d’autres personnes.", + "complete_action": "Compris", + "sas_emoji_caption_self": "Confirmez que les émojis ci-dessous s’affichent sur les deux appareils et dans le même ordre :", + "sas_emoji_caption_user": "Vérifier cet utilisateur en confirmant que les émojis suivant apparaissent sur son écran.", + "sas_caption_self": "Vérifiez cet appareil en confirmant que le nombre suivant s’affiche sur son écran.", + "sas_caption_user": "Vérifier cet utilisateur en confirmant que le nombre suivant apparaît sur leur écran.", + "unsupported_method": "Impossible de trouver une méthode de vérification prise en charge.", + "waiting_other_device_details": "En attente de votre vérification sur votre autre appareil, %(deviceName)s (%(deviceId)s)…", + "waiting_other_device": "En attente de votre vérification sur votre autre appareil…", + "waiting_other_user": "En attente de la vérification de %(displayName)s…", + "cancelling": "Annulation…" + }, + "old_version_detected_title": "Anciennes données de chiffrement détectées", + "old_version_detected_description": "Nous avons détecté des données d’une ancienne version de %(brand)s. Le chiffrement de bout en bout n’aura pas fonctionné correctement sur l’ancienne version. Les messages chiffrés échangés récemment dans l’ancienne version ne sont peut-être pas déchiffrables dans cette version. Les échanges de message avec cette version peuvent aussi échouer. Si vous rencontrez des problèmes, déconnectez-vous puis reconnectez-vous. Pour conserver l’historique des messages, exportez puis réimportez vos clés de chiffrement.", + "verification_requested_toast_title": "Vérification requise" }, "emoji": { "category_frequently_used": "Utilisé fréquemment", @@ -3858,7 +3761,51 @@ "phone_optional_label": "Téléphone (facultatif)", "email_help_text": "Ajouter une adresse e-mail pour pouvoir réinitialiser votre mot de passe.", "email_phone_discovery_text": "Utiliser une adresse e-mail ou un numéro de téléphone pour pouvoir être découvert par des contacts existants.", - "email_discovery_text": "Utiliser une adresse e-mail pour pouvoir être découvert par des contacts existants." + "email_discovery_text": "Utiliser une adresse e-mail pour pouvoir être découvert par des contacts existants.", + "session_logged_out_title": "Déconnecté", + "session_logged_out_description": "Par mesure de sécurité, la session a expiré. Merci de vous authentifier à nouveau.", + "change_password_error": "Erreur lors du changement de mot de passe : %(error)s", + "change_password_mismatch": "Les mots de passe ne correspondent pas", + "change_password_empty": "Le mot de passe ne peut pas être vide", + "set_email_prompt": "Souhaitez-vous configurer une adresse e-mail ?", + "change_password_confirm_label": "Confirmer le mot de passe", + "change_password_confirm_invalid": "Les mots de passe ne correspondent pas", + "change_password_current_label": "Mot de passe actuel", + "change_password_new_label": "Nouveau mot de passe", + "change_password_action": "Changer le mot de passe", + "email_field_label": "E-mail", + "email_field_label_required": "Saisir l’adresse e-mail", + "email_field_label_invalid": "Cela ne ressemble pas a une adresse e-mail valide", + "uia": { + "password_prompt": "Confirmez votre identité en saisissant le mot de passe de votre compte ci-dessous.", + "recaptcha_missing_params": "Clé public du captcha manquante dans la configuration du serveur d’accueil. Veuillez le signaler à l’administrateur de votre serveur d’accueil.", + "terms_invalid": "Veuillez lire et accepter toutes les politiques du serveur d’accueil", + "terms": "Veuillez lire et accepter les politiques de ce serveur d’accueil :", + "email_auth_header": "Vérifiez vos e-mail avant de continuer", + "email": "Pour créer un compte, cliquez sur le lien dans l’e-mail que nous venons d’envoyer à %(emailAddress)s.", + "email_resend_prompt": "Vous ne l’avez pas reçu ? Le renvoyer", + "email_resent": "Ré-envoyé !", + "msisdn_token_incorrect": "Jeton incorrect", + "msisdn": "Un message a été envoyé à %(msisdn)s", + "msisdn_token_prompt": "Merci de saisir le code qu’il contient :", + "registration_token_prompt": "Saisissez un jeton d’enregistrement fourni par l’administrateur du serveur d’accueil.", + "registration_token_label": "Jeton d’enregistrement", + "sso_failed": "Une erreur s’est produite lors de la vérification de votre identité. Annulez et réessayez.", + "fallback_button": "Commencer l’authentification" + }, + "password_field_label": "Saisir le mot de passe", + "password_field_strong_label": "Bien joué, un mot de passe robuste !", + "password_field_weak_label": "Ce mot de passe est autorisé, mais peu sûr", + "password_field_keep_going_prompt": "En cours…", + "username_field_required_invalid": "Saisir le nom d’utilisateur", + "msisdn_field_required_invalid": "Saisir le numéro de téléphone", + "msisdn_field_number_invalid": "Ce numéro de téléphone ne semble pas correct, merci de vérifier et réessayer", + "msisdn_field_label": "Numéro de téléphone", + "identifier_label": "Se connecter avec", + "reset_password_email_field_description": "Utiliser une adresse e-mail pour récupérer votre compte", + "reset_password_email_field_required_invalid": "Saisir l’adresse e-mail (obligatoire sur ce serveur d’accueil)", + "msisdn_field_description": "D’autres utilisateurs peuvent vous inviter à des salons grâce à vos informations de contact", + "registration_msisdn_field_required_invalid": "Saisir le numéro de téléphone (obligatoire sur ce serveur d’accueil)" }, "room_list": { "sort_unread_first": "Afficher les salons non lus en premier", @@ -4052,7 +3999,13 @@ "see_changes_button": "Nouveautés", "release_notes_toast_title": "Nouveautés", "toast_title": "Mettre à jour %(brand)s", - "toast_description": "Nouvelle version de %(brand)s disponible" + "toast_description": "Nouvelle version de %(brand)s disponible", + "error_encountered": "Erreur rencontrée (%(errorDetail)s).", + "checking": "Recherche de mise à jour…", + "no_update": "Aucune mise à jour disponible.", + "downloading": "Téléchargement de la mise-à-jour…", + "new_version_available": "Nouvelle version disponible. Faire la mise à niveau maintenant.", + "check_action": "Rechercher une mise à jour" }, "threads": { "all_threads": "Tous les fils de discussion", @@ -4105,7 +4058,35 @@ }, "labs_mjolnir": { "room_name": "Ma liste de bannissement", - "room_topic": "C’est la liste des utilisateurs/serveurs que vous avez bloqués − ne quittez pas le salon !" + "room_topic": "C’est la liste des utilisateurs/serveurs que vous avez bloqués − ne quittez pas le salon !", + "ban_reason": "Ignoré/bloqué", + "error_adding_ignore": "Erreur lors de l’ajout de l’utilisateur/du serveur ignoré", + "something_went_wrong": "Une erreur est survenue. Réessayez ou consultez votre console pour des indices.", + "error_adding_list_title": "Erreur lors de l’inscription à la liste", + "error_adding_list_description": "Vérifiez l’identifiant ou l’adresse du salon et réessayez.", + "error_removing_ignore": "Erreur lors de la suppression de l’utilisateur/du serveur ignoré", + "error_removing_list_title": "Erreur lors de la désinscription de la liste", + "error_removing_list_description": "Réessayez ou consultez votre console pour des indices.", + "rules_title": "Règles de la liste de bannissement − %(roomName)s", + "rules_server": "Règles de serveur", + "rules_user": "Règles d’utilisateur", + "personal_empty": "Vous n’avez ignoré personne.", + "personal_section": "Vous ignorez actuellement :", + "no_lists": "Vous n’êtes inscrit à aucune liste", + "view_rules": "Voir les règles", + "lists": "Vous êtes actuellement inscrit à :", + "title": "Utilisateurs ignorés", + "advanced_warning": "⚠ Ces paramètres sont prévus pour les utilisateurs avancés.", + "explainer_1": "Ajoutez les utilisateurs et les serveurs que vous voulez ignorer ici. Utilisez des astérisques pour que %(brand)s comprenne tous les caractères. Par exemple, @bot:* va ignorer tous les utilisateurs ayant le nom « bot » sur n’importe quel serveur.", + "explainer_2": "Ignorer les gens est possible grâce à des listes de bannissement qui contiennent des règles sur les personnes à bannir. L’inscription à une liste de bannissement signifie que les utilisateurs/serveurs bloqués par cette liste seront cachés pour vous.", + "personal_heading": "Liste de bannissement personnelle", + "personal_description": "Votre liste de bannissement personnelle contient tous les utilisateurs/serveurs dont vous ne voulez pas voir les messages personnellement. Quand vous aurez ignoré votre premier utilisateur/serveur, un nouveau salon nommé « %(myBanList)s » apparaîtra dans la liste de vos salons − restez dans ce salon pour que la liste de bannissement soit effective.", + "personal_new_label": "Serveur ou identifiant d’utilisateur à ignorer", + "personal_new_placeholder": "par ex. : @bot:* ou exemple.org", + "lists_heading": "Listes souscrites", + "lists_description_1": "En vous inscrivant à une liste de bannissement, vous la rejoindrez !", + "lists_description_2": "Si ce n’est pas ce que vous voulez, utilisez un autre outil pour ignorer les utilisateurs.", + "lists_new_label": "Identifiant du salon ou adresse de la liste de bannissement" }, "create_space": { "name_required": "Veuillez renseigner un nom pour l’espace", @@ -4170,6 +4151,12 @@ "private_unencrypted_warning": "Vos messages privés sont normalement chiffrés, mais ce salon ne l’est pas. Cela est généralement dû à un périphérique non supporté, ou à un moyen de communication non supporté comme les invitations par e-mail.", "enable_encryption_prompt": "Activer le chiffrement dans les paramètres.", "unencrypted_warning": "Le chiffrement de bout en bout n’est pas activé" + }, + "edit_topic": "Modifier le sujet", + "read_topic": "Cliquer pour lire le sujet", + "unread_notifications_predecessor": { + "other": "Vous avez %(count)s notifications non lues dans une version précédente de ce salon.", + "one": "Vous avez %(count)s notification non lue dans une version précédente de ce salon." } }, "file_panel": { @@ -4184,9 +4171,31 @@ "intro": "Pour continuer vous devez accepter les conditions de ce service.", "column_service": "Service", "column_summary": "Résumé", - "column_document": "Document" + "column_document": "Document", + "tac_title": "Conditions générales", + "tac_description": "Pour continuer à utiliser le serveur d’accueil %(homeserverDomain)s, vous devez lire et accepter nos conditions générales.", + "tac_button": "Voir les conditions générales" }, "space_settings": { "title": "Paramètres - %(spaceName)s" + }, + "poll": { + "create_poll_title": "Créer un sondage", + "create_poll_action": "Créer un sondage", + "edit_poll_title": "Modifier le sondage", + "failed_send_poll_title": "Échec lors de la soumission du sondage", + "failed_send_poll_description": "Désolé, le sondage que vous avez essayé de créer n’a pas été envoyé.", + "type_heading": "Type de sondage", + "type_open": "Ouvrir le sondage", + "type_closed": "Sondage terminé", + "topic_heading": "Quelle est la question ou le sujet de votre sondage ?", + "topic_label": "Question ou sujet", + "topic_placeholder": "Écrivez quelque chose…", + "options_heading": "Créer des choix", + "options_label": "Choix %(number)s", + "options_placeholder": "Écrivez un choix", + "options_add_button": "Ajouter un choix", + "disclosed_notes": "Les participants voient les résultats dès qu'ils ont voté", + "notes": "Les résultats ne sont révélés que lorsque vous terminez le sondage" } } diff --git a/src/i18n/strings/ga.json b/src/i18n/strings/ga.json index 31bcaeacb2..1eb2d9392e 100644 --- a/src/i18n/strings/ga.json +++ b/src/i18n/strings/ga.json @@ -1,5 +1,4 @@ { - "Sign in with": "Sínigh isteach le", "Show more": "Taispeáin níos mó", "All settings": "Gach Socrú", "Are you sure you want to reject the invitation?": "An bhfuil tú cinnte gur mian leat an cuireadh a dhiúltú?", @@ -21,7 +20,6 @@ "Failed to verify email address: make sure you clicked the link in the email": "Níor cinntíodh an seoladh ríomhphoist: déan cinnte gur chliceáil tú an nasc sa ríomhphost", "Reject & Ignore user": "Diúltaigh ⁊ Neamaird do úsáideoir", "Ignored users": "Úsáideoirí neamhairde", - "Ignored/Blocked": "Neamhairde/Tachta", "Unrecognised address": "Seoladh nár aithníodh", "Verified key": "Eochair deimhnithe", "Unignored user": "Úsáideoir leis aird", @@ -225,8 +223,6 @@ "Favourited": "Roghnaithe", "Ok": "Togha", "Accepting…": "ag Glacadh leis…", - "Cancelling…": "ag Cealú…", - "exists": "a bheith ann", "Bridges": "Droichid", "Later": "Níos deireanaí", "Lock": "Glasáil", @@ -235,8 +231,6 @@ "Italics": "Iodálach", "Discovery": "Aimsiú", "Success!": "Rath!", - "Phone": "Guthán", - "Email": "Ríomhphost", "Home": "Tús", "Favourite": "Cuir mar ceanán", "Removing…": "ag Baint…", @@ -267,23 +261,15 @@ "%(duration)ss": "%(duration)ss", "Delete Backup": "Scrios cúltaca", "Email Address": "Seoladh Ríomhphoist", - "Change Password": "Athraigh focal faire", - "Confirm password": "Deimhnigh focal faire", - "New Password": "Focal Faire Nua", - "Current password": "Focal faire reatha", "Light bulb": "Bolgán solais", "Thumbs up": "Ordógí suas", - "Got It": "Tuigthe", "Invited": "Le cuireadh", "Demote": "Bain ceadanna", - "Encryption": "Criptiúchán", "Unban": "Bain an cosc", "Browse": "Brabhsáil", "Sounds": "Fuaimeanna", - "Cryptography": "Cripteagrafaíocht", "Notifications": "Fógraí", "General": "Ginearálta", - "Account": "Cuntas", "Profile": "Próifíl", "Authentication": "Fíordheimhniú", "Warning!": "Aire!", @@ -388,7 +374,6 @@ "Sign out and remove encryption keys?": "Sínigh amach agus scrios eochracha criptiúcháin?", "Clear Storage and Sign Out": "Scrios Stóras agus Sínigh Amach", "Are you sure you want to sign out?": "An bhfuil tú cinnte go dteastaíonn uait sínigh amach?", - "Signed Out": "Sínithe Amach", "Create account": "Déan cuntas a chruthú", "Deactivate Account": "Cuir cuntas as feidhm", "Account management": "Bainistíocht cuntais", @@ -425,8 +410,6 @@ "Notification sound": "Fuaim fógra", "Uploaded sound": "Fuaim uaslódáilte", "Room Addresses": "Seoltaí Seomra", - "Room version:": "Leagan seomra:", - "Room version": "Leagan seomra", "Too Many Calls": "Barraíocht Glaonna", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s", @@ -456,7 +439,6 @@ "Failed to change power level": "Níor éiríodh leis an leibhéal cumhachta a hathrú", "Failed to change password. Is your password correct?": "Níor éiríodh leis do phasfhocal a hathrú. An bhfuil do phasfhocal ceart?", "Failed to ban user": "Níor éiríodh leis an úsáideoir a thoirmeasc", - "Export E2E room keys": "Easpórtáil eochracha an tseomra le criptiú ó dheireadh go deireadh", "Error decrypting attachment": "Earráid le ceangaltán a dhíchriptiú", "Enter passphrase": "Iontráil pasfrása", "Email address": "Seoladh ríomhphoist", @@ -654,6 +636,15 @@ }, "preferences": { "composer_heading": "Eagarthóir" + }, + "security": { + "cross_signing_homeserver_support_exists": "a bheith ann", + "export_megolm_keys": "Easpórtáil eochracha an tseomra le criptiú ó dheireadh go deireadh", + "cryptography_section": "Cripteagrafaíocht", + "encryption_section": "Criptiúchán" + }, + "general": { + "account_section": "Cuntas" } }, "devtools": { @@ -772,11 +763,17 @@ }, "general": { "url_previews_section": "Réamhamhairc URL" + }, + "advanced": { + "room_version_section": "Leagan seomra", + "room_version": "Leagan seomra:" } }, "encryption": { "verification": { - "complete_title": "Deimhnithe!" + "complete_title": "Deimhnithe!", + "complete_action": "Tuigthe", + "cancelling": "ag Cealú…" } }, "emoji": { @@ -799,7 +796,15 @@ "create_account_prompt": "Céaduaire? Cruthaigh cuntas", "sign_in_or_register": "Sínigh Isteach nó Déan cuntas a chruthú", "register_action": "Déan cuntas a chruthú", - "phone_label": "Guthán" + "phone_label": "Guthán", + "session_logged_out_title": "Sínithe Amach", + "change_password_confirm_label": "Deimhnigh focal faire", + "change_password_current_label": "Focal faire reatha", + "change_password_new_label": "Focal Faire Nua", + "change_password_action": "Athraigh focal faire", + "email_field_label": "Ríomhphost", + "msisdn_field_label": "Guthán", + "identifier_label": "Sínigh isteach le" }, "export_chat": { "messages": "Teachtaireachtaí" @@ -851,5 +856,9 @@ "intro": { "enable_encryption_prompt": "Tosaigh criptiú sna socruithe." } + }, + "labs_mjolnir": { + "ban_reason": "Neamhairde/Tachta", + "title": "Úsáideoirí neamhairde" } } diff --git a/src/i18n/strings/gl.json b/src/i18n/strings/gl.json index cb69f492ab..7b3afae356 100644 --- a/src/i18n/strings/gl.json +++ b/src/i18n/strings/gl.json @@ -62,16 +62,7 @@ "Not a valid %(brand)s keyfile": "Non é un ficheiro de chaves %(brand)s válido", "Authentication check failed: incorrect password?": "Fallou a comprobación de autenticación: contrasinal incorrecto?", "Incorrect verification code": "Código de verificación incorrecto", - "Phone": "Teléfono", "No display name": "Sen nome público", - "New passwords don't match": "Os contrasinais novos non coinciden", - "Passwords can't be empty": "Os contrasinais non poden estar baleiros", - "Export E2E room keys": "Exportar chaves E2E da sala", - "Do you want to set an email address?": "Quere establecer un enderezo de correo electrónico?", - "Current password": "Contrasinal actual", - "New Password": "Novo contrasinal", - "Confirm password": "Confirma o contrasinal", - "Change Password": "Cambiar contrasinal", "Authentication": "Autenticación", "Failed to set display name": "Fallo ao establecer o nome público", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", @@ -115,7 +106,6 @@ "Banned by %(displayName)s": "Non aceptado por %(displayName)s", "unknown error code": "código de fallo descoñecido", "Failed to forget room %(errCode)s": "Fallo ao esquecer sala %(errCode)s", - "This room is not accessible by remote Matrix servers": "Esta sala non é accesible por servidores Matrix remotos", "Favourite": "Favorita", "Jump to first unread message.": "Ir a primeira mensaxe non lida.", "not specified": "non indicado", @@ -130,11 +120,6 @@ "Failed to copy": "Fallo ao copiar", "Add an Integration": "Engadir unha integración", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Vai ser redirixido a unha web de terceiros para poder autenticar a súa conta e así utilizar %(integrationsUrl)s. Quere continuar?", - "Token incorrect": "Testemuño incorrecto", - "A text message has been sent to %(msisdn)s": "Enviouse unha mensaxe de texto a %(msisdn)s", - "Please enter the code it contains:": "Por favor introduza o código que contén:", - "Start authentication": "Inicie a autenticación", - "Sign in with": "Acceder con", "Email address": "Enderezo de correo", "Something went wrong!": "Algo fallou!", "Delete Widget": "Eliminar widget", @@ -170,9 +155,6 @@ "Are you sure you want to reject the invitation?": "Seguro que desexa rexeitar o convite?", "Failed to reject invitation": "Fallo ao rexeitar o convite", "Are you sure you want to leave the room '%(roomName)s'?": "Seguro que desexa saír da sala '%(roomName)s'?", - "Signed Out": "Desconectada", - "For security, this session has been signed out. Please sign in again.": "Por seguridade, pechouse a sesión. Por favor, conéctate outra vez.", - "Old cryptography data detected": "Detectouse o uso de criptografía sobre datos antigos", "Connectivity to the server has been lost.": "Perdeuse a conexión ao servidor.", "Sent messages will be stored until your connection has returned.": "As mensaxes enviadas gardaranse ate que retome a conexión.", "You seem to be uploading files, are you sure you want to quit?": "Semella estar a subir ficheiros, seguro que desexa deixalo?", @@ -192,22 +174,16 @@ "Failed to change password. Is your password correct?": "Fallo ao cambiar o contrasinal. É correcto o contrasinal?", "Unable to remove contact information": "Non se puido eliminar a información do contacto", "": "", - "Import E2E room keys": "Importar chaves E2E da sala", - "Cryptography": "Criptografía", - "Check for update": "Comprobar actualización", "Reject all %(invitedRooms)s invites": "Rexeitar todos os %(invitedRooms)s convites", "No media permissions": "Sen permisos de medios", "You may need to manually permit %(brand)s to access your microphone/webcam": "Igual ten que permitir manualmente a %(brand)s acceder ao seus micrófono e cámara", "No Microphones detected": "Non se detectaron micrófonos", "No Webcams detected": "Non se detectaron cámaras", "Default Device": "Dispositivo por defecto", - "Email": "Correo electrónico", "Notifications": "Notificacións", "Profile": "Perfil", - "Account": "Conta", "A new password must be entered.": "Debe introducir un novo contrasinal.", "New passwords must match each other.": "Os novos contrasinais deben ser coincidentes.", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Detectáronse datos de una versión anterior de %(brand)s. Isto causará un mal funcionamento da criptografía extremo-a-extremo na versión antiga. As mensaxes cifradas extremo-a-extremo intercambiadas mentres utilizaba a versión anterior poderían non ser descifrables en esta versión. Isto tamén podería causar que mensaxes intercambiadas con esta versión tampouco funcionasen. Se ten problemas, desconéctese e conéctese de novo. Para manter o historial de mensaxes, exporte e reimporte as súas chaves.", "Return to login screen": "Volver a pantalla de acceso", "Please note you are logging into the %(hs)s server, not matrix.org.": "Ten en conta que estás accedendo ao servidor %(hs)s, non a matrix.org.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Non se pode conectar ao servidor vía HTTP cando na barra de enderezos do navegador está HTTPS. Utiliza HTTPS ou active scripts non seguros.", @@ -236,7 +212,6 @@ "Unavailable": "Non dispoñible", "Source URL": "URL fonte", "Filter results": "Filtrar resultados", - "No update available.": "Sen actualizacións.", "Tuesday": "Martes", "Search…": "Buscar…", "Preparing to send logs": "Preparándose para enviar informe", @@ -250,7 +225,6 @@ "Thursday": "Xoves", "Logs sent": "Informes enviados", "Yesterday": "Onte", - "Error encountered (%(errorDetail)s).": "Houbo un erro (%(errorDetail)s).", "Low Priority": "Baixa prioridade", "Thank you!": "Grazas!", "Missing roomId.": "Falta o ID da sala.", @@ -269,9 +243,6 @@ "Link to selected message": "Ligazón á mensaxe escollida", "Can't leave Server Notices room": "Non se pode saír da sala de información do servidor", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Esta sala emprégase para mensaxes importantes do servidor da sala, as que non pode saír dela.", - "Terms and Conditions": "Termos e condicións", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Para continuar usando o servidor %(homeserverDomain)s ten que revisar primeiro os seus termos e condicións e logo aceptalos.", - "Review terms and conditions": "Revise os termos e condicións", "No Audio Outputs detected": "Non se detectou unha saída de audio", "Audio Output": "Saída de audio", "Permission Required": "Precísanse permisos", @@ -372,7 +343,6 @@ "Ok": "Ok", "Set up": "Configurar", "Other users may not trust it": "Outras usuarias poderían non confiar", - "Subscribing to a ban list will cause you to join it!": "Subscribíndote a unha lista de bloqueo fará que te unas a ela!", "Join the conversation with an account": "Únete a conversa cunha conta", "Re-join": "Volta a unirte", "You can only join it with a working invite.": "Só podes unirte cun convite activo.", @@ -382,16 +352,8 @@ "You're previewing %(roomName)s. Want to join it?": "Vista previa de %(roomName)s. Queres unirte?", "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s non ten vista previa. Queres unirte?", "Join millions for free on the largest public server": "Únete a millóns de persoas gratuitamente no maior servidor público", - "Language and region": "Idioma e rexión", "Your theme": "O teu decorado", "IRC display name width": "Ancho do nome mostrado de IRC", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "As mensaxes seguras con esta usuaria están cifradas extremo-a-extremo e non son lexibles por terceiras.", - "Got It": "Vale", - "Verify this user by confirming the following emoji appear on their screen.": "Verifica a usuaria confirmando que as emoticonas aparecen na súa pantalla.", - "Verify this user by confirming the following number appears on their screen.": "Verifica esta usuaria confirmando que o seguinte número aparece na súa pantalla.", - "Unable to find a supported verification method.": "Non se atopa un método de verificación válido.", - "Waiting for %(displayName)s to verify…": "Agardando por %(displayName)s para verificar…", - "Cancelling…": "Cancelando…", "Dog": "Can", "Cat": "Gato", "Lion": "León", @@ -456,26 +418,13 @@ "Headphones": "Auriculares", "Folder": "Cartafol", "Accept to continue:": "Acepta para continuar:", - "This bridge was provisioned by .": "Esta ponte está proporcionada por .", - "This bridge is managed by .": "Esta ponte está xestionada por .", "Show more": "Mostrar máis", "Your homeserver does not support cross-signing.": "O teu servidor non soporta a sinatura cruzada.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "A túa conta ten unha identidade de sinatura cruzada no almacenaxe segredo, pero aínda non confiaches nela nesta sesión.", "well formed": "ben formado", "unexpected type": "tipo non agardado", - "Cross-signing public keys:": "Chaves públicas da sinatura cruzada:", - "in memory": "en memoria", - "not found": "non atopado", - "Cross-signing private keys:": "Chaves privadas da sinatura cruzada:", - "in secret storage": "no almacenaxe segredo", - "Self signing private key:": "Auto asinado da chave privada:", - "cached locally": "na caché local", - "not found locally": "non se atopa localmente", - "User signing private key:": "Chave privada de sinatura da usuaria:", "Secret storage public key:": "Chave pública da almacenaxe segreda:", "in account data": "nos datos da conta", - "Homeserver feature support:": "Soporte de funcións do servidor:", - "exists": "existe", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Verificar individualmente cada sesión utilizada pola usuaria para marcala como confiable, non confiando en dispositivos con sinatura cruzada.", "Securely cache encrypted messages locally for them to appear in search results.": "Gardar de xeito seguro mensaxes cifradas na caché local para que aparezan nos resultados de buscas.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "Falta un compoñente de %(brand)s requerido para almacenar localmente mensaxes cifradas na caché. Se queres experimentar con esta función, compila unha versión personalizada de %(brand)s Desktop cos compoñentes de busca engadidos.", @@ -520,41 +469,13 @@ "Do not use an identity server": "Non usar un servidor de identidade", "Enter a new identity server": "Escribe o novo servidor de identidade", "Manage integrations": "Xestionar integracións", - "New version available. Update now.": "Nova versión dispoñible. Actualiza.", "Email addresses": "Enderezos de email", "Phone numbers": "Número de teléfono", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Acepta os Termos do Servizo do servidor (%(serverName)s) para permitir que te atopen polo enderezo de email ou número de teléfono.", "Account management": "Xestión da conta", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Para informar dun asunto relacionado coa seguridade de Matrix, le a Política de Revelación de Privacidade de Matrix.org.", - "Ignored/Blocked": "Ignorado/Bloqueado", - "Error adding ignored user/server": "Fallo ao engadir a ignorado usuaria/servidor", - "Something went wrong. Please try again or view your console for hints.": "Algo fallou. Inténtao outra vez o mira na consola para ter algunha pista.", - "Error subscribing to list": "Fallo ao subscribirse a lista", - "Please verify the room ID or address and try again.": "Comproba o ID da sala ou enderezo e proba outra vez.", - "Error removing ignored user/server": "Fallo ao eliminar a usuaria/servidor de ignorados", - "Error unsubscribing from list": "Fallo ao retirar a susbscrición a lista", - "Please try again or view your console for hints.": "Inténtao outra vez ou mira na consola para ter algunha pista.", "None": "Nada", - "Ban list rules - %(roomName)s": "Regras de bloqueo - %(roomName)s", - "Server rules": "Regras do servidor", - "User rules": "Regras da usuaria", - "You have not ignored anyone.": "Non ignoraches a ninguén.", - "You are currently ignoring:": "Estás a ignorar a:", - "You are not subscribed to any lists": "Non estás subscrita a ningunha lista", - "View rules": "Ver regras", - "You are currently subscribed to:": "Estas subscrito a:", "Ignored users": "Usuarias ignoradas", - "⚠ These settings are meant for advanced users.": "⚠ Estos axustes van dirixidos a usuarias avanzadas.", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Engade aquí usuarias e servidores que desexas ignorar. Usa asterisco que %(brand)s usará como comodín. Exemplo, @bot* ignorará todas as usuarias de calquera servidor que teñan 'bot' no nome.", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Ignorar a persoas faise a través de listaxes de bloqueo que conteñen regras. Subscribíndote a unha listaxe de bloqueo fará que esas usuarias/servidores sexan inaccesibles para ti.", - "Personal ban list": "Lista personal de bloqueo", - "Server or user ID to ignore": "ID de usuaria ou servidor a ignorar", - "eg: @bot:* or example.org": "ex: @bot:* ou exemplo.org", - "Subscribed lists": "Listaxes subscritas", - "If this isn't what you want, please use a different tool to ignore users.": "Se esto non é o que queres, usa unha ferramenta diferente para ignorar usuarias.", - "Room ID or address of ban list": "ID da sala ou enderezo da listaxe de bloqueo", - "Session ID:": "ID da sesión:", - "Session key:": "Chave da sesión:", "Bulk options": "Opcións agrupadas", "Accept all %(invitedRooms)s invites": "Aceptar os %(invitedRooms)s convites", "Message search": "Buscar mensaxe", @@ -562,11 +483,7 @@ "Missing media permissions, click the button below to request.": "Falta permiso acceso multimedia, preme o botón para solicitalo.", "Request media permissions": "Solicitar permiso a multimedia", "Voice & Video": "Voz e Vídeo", - "Upgrade this room to the recommended room version": "Actualiza esta sala á versión recomendada", - "View older messages in %(roomName)s.": "Ver mensaxes antigas en %(roomName)s.", "Room information": "Información da sala", - "Room version": "Versión da sala", - "Room version:": "Versión da sala:", "This room is bridging messages to the following platforms. Learn more.": "Esta sala está enviando mensaxes ás seguintes plataformas. Coñece máis.", "Bridges": "Pontes", "Uploaded sound": "Audio subido", @@ -578,7 +495,6 @@ "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Algo fallou ao cambiar os requerimentos de nivel de responsabilidade na sala. Asegúrate de ter os permisos suficientes e volve a intentalo.", "Error changing power level": "Erro ao cambiar nivel de responsabilidade", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Algo fallou ao cambiar o nivel de responsabilidade da usuaria. Asegúrate de ter permiso suficiente e inténtao outra vez.", - "Encryption": "Cifrado", "Unable to revoke sharing for email address": "Non se puido revogar a compartición para o enderezo de correo", "Unable to share email address": "Non se puido compartir co enderezo de email", "Your email address hasn't been verified yet": "O teu enderezo de email aínda non foi verificado", @@ -870,28 +786,10 @@ "Remove for everyone": "Eliminar para todas", "This homeserver would like to make sure you are not a robot.": "Este servidor quere asegurarse de que non es un robot.", "Country Dropdown": "Despregable de países", - "Confirm your identity by entering your account password below.": "Confirma a túa identidade escribindo o contrasinal da conta embaixo.", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Falta a chave pública do captcha na configuración do servidor. Informa desto á administración do teu servidor.", - "Please review and accept all of the homeserver's policies": "Revisa e acepta todas as cláusulas do servidor", - "Please review and accept the policies of this homeserver:": "Revisa e acepta as cláusulas deste servidor:", - "Enter password": "Escribe contrasinal", - "Nice, strong password!": "Ben, bo contrasinal!", - "Password is allowed, but unsafe": "O contrasinal é admisible, pero inseguro", - "Use an email address to recover your account": "Usa un enderezo de email para recuperar a túa conta", - "Enter email address (required on this homeserver)": "Escribe o enderzo de email (requerido neste servidor)", - "Doesn't look like a valid email address": "Non semella un enderezo válido", - "Passwords don't match": "Non concordan os contrasinais", - "Other users can invite you to rooms using your contact details": "Outras usuarias poden convidarte ás salas usando os teus detalles de contacto", - "Enter phone number (required on this homeserver)": "Escribe un número de teléfono (requerido neste servidor)", - "Enter username": "Escribe nome de usuaria", "Email (optional)": "Email (optativo)", "Couldn't load page": "Non se puido cargar a páxina", "Jump to first unread room.": "Vaite a primeira sala non lida.", "Jump to first invite.": "Vai ó primeiro convite.", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "Tes %(count)s notificacións non lidas nunha versión previa desta sala.", - "one": "Tes %(count)s notificacións non lidas nunha versión previa desta sala." - }, "Switch theme": "Cambiar decorado", "All settings": "Todos os axustes", "Could not load user profile": "Non se cargou o perfil da usuaria", @@ -966,7 +864,6 @@ "A connection error occurred while trying to contact the server.": "Aconteceu un fallo de conexión ó intentar contactar co servidor.", "The server is not configured to indicate what the problem is (CORS).": "O servidor non está configurado para sinalar cal é o problema (CORS).", "Recent changes that have not yet been received": "Cambios recentes que aínda non foron recibidos", - "Master private key:": "Chave mestra principal:", "Explore public rooms": "Explorar salas públicas", "Preparing to download logs": "Preparándose para descargar rexistro", "Unexpected server error trying to leave the room": "Fallo non agardado no servidor ó intentar saír da sala", @@ -987,7 +884,6 @@ "ready": "lista", "not ready": "non lista", "Safeguard against losing access to encrypted messages & data": "Protéxete de perder o acceso a mensaxes e datos cifrados", - "not found in storage": "non atopado no almacenaxe", "Start a conversation with someone using their name or username (like ).": "Inicia unha conversa con alguén usando o seu nome ou nome de usuaria (como ).", "Invite someone using their name, username (like ) or share this room.": "Convida a alguén usando o seu nome, nome de usuaria (como ) ou comparte esta sala.", "Unable to set up keys": "Non se puideron configurar as chaves", @@ -1280,10 +1176,7 @@ "Decline All": "Rexeitar todo", "This widget would like to:": "O widget podería querer:", "Approve widget permissions": "Aprovar permisos do widget", - "Enter phone number": "Escribe número de teléfono", - "Enter email address": "Escribe enderezo email", "There was a problem communicating with the homeserver, please try again later.": "Houbo un problema de comunicación co servidor de inicio, inténtao máis tarde.", - "That phone number doesn't look quite right, please check and try again": "Non semella correcto este número, compróbao e inténtao outra vez", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Lembra que se non engades un email e esqueces o contrasinal perderás de xeito permanente o acceso á conta.", "Continuing without email": "Continuando sen email", "Server Options": "Opcións do servidor", @@ -1299,8 +1192,6 @@ "Dial pad": "Marcador", "There was an error looking up the phone number": "Houbo un erro buscando o número de teléfono", "Unable to look up phone number": "Non atopamos o número de teléfono", - "Channel: ": "Canle: ", - "Workspace: ": "Espazo de traballo: ", "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Esta sesión detectou que se eliminaron a túa Frase de Seguridade e chave para Mensaxes Seguras.", "A new Security Phrase and key for Secure Messages have been detected.": "Detectouse unha nova Frase de Seguridade e chave para as Mensaxes Seguras.", "Confirm your Security Phrase": "Confirma a Frase de Seguridade", @@ -1327,11 +1218,9 @@ "Allow this widget to verify your identity": "Permitir a este widget verificar a túa identidade", "The widget will verify your user ID, but won't be able to perform actions for you:": "Este widget vai verificar o ID do teu usuario, pero non poderá realizar accións no teu nome:", "Remember this": "Lembrar isto", - "Something went wrong in confirming your identity. Cancel and try again.": "Algo fallou ao intentar confirma a túa identidade. Cancela e inténtao outra vez.", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Pedíramoslle ao teu navegador que lembrase o teu servidor de inicio para acceder, pero o navegador esqueceuno. Vaite á páxina de conexión e inténtao outra vez.", "We couldn't log you in": "Non puidemos conectarte", "Recently visited rooms": "Salas visitadas recentemente", - "Original event source": "Fonte orixinal do evento", "%(count)s members": { "one": "%(count)s participante", "other": "%(count)s participantes" @@ -1396,7 +1285,6 @@ "Add existing rooms": "Engadir salas existentes", "Consult first": "Preguntar primeiro", "Reset event store": "Restablecer almacenaxe de eventos", - "Verification requested": "Verificación solicitada", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Es a única persoa aquí. Se saes, ninguén poderá unirse no futuro, incluíndote a ti.", "If you reset everything, you will restart with no trusted sessions, no trusted users, and might not be able to see past messages.": "Se restableces todo, volverás a comezar sen sesións verificadas, usuarias de confianza, e poderías non poder ver as mensaxes anteriores.", "Only do this if you have no other device to complete verification with.": "Fai isto únicamente se non tes outro dispositivo co que completar a verificación.", @@ -1604,7 +1492,6 @@ "Unban from %(roomName)s": "Permitir acceso a %(roomName)s", "They'll still be able to access whatever you're not an admin of.": "Poderán seguir accedendo a sitios onde ti non es administradora.", "Disinvite from %(roomName)s": "Retirar o convite para %(roomName)s", - "Create poll": "Crear enquisa", "%(count)s reply": { "one": "%(count)s resposta", "other": "%(count)s respostas" @@ -1624,13 +1511,6 @@ "Insert link": "Escribir ligazón", "Joined": "Unícheste", "Joining": "Uníndote", - "Add option": "Engade unha opción", - "Write an option": "Escribe unha opción", - "Option %(number)s": "Opción %(number)s", - "Create options": "Crea as opcións", - "Question or topic": "Pregunta ou tema", - "What is your poll question or topic?": "Cal é o tema ou asunto da túa enquisa?", - "Create Poll": "Crear Enquisa", "In encrypted rooms, verify all users to ensure it's secure.": "En salas cifradas, verfica tódalas usuarias para ter certeza de que é segura.", "Files": "Ficheiros", "Close this widget to view it in this panel": "Pecha este widget para velo neste panel", @@ -1673,8 +1553,6 @@ "one": "%(spaceName)s e %(count)s outro", "other": "%(spaceName)s e outros %(count)s" }, - "Sorry, the poll you tried to create was not posted.": "A enquisa que ías publicar non se puido publicar.", - "Failed to post poll": "Non se puido publicar a enquisa", "Sorry, your vote was not registered. Please try again.": "O teu voto non foi rexistrado, inténtao outra vez.", "Vote not registered": "Voto non rexistrado", "Developer": "Desenvolvemento", @@ -1746,15 +1624,10 @@ "Voice Message": "Mensaxe de voz", "Hide stickers": "Agochar adhesivos", "From a thread": "Desde un fío", - "Internal room ID": "ID interno da sala", "Group all your rooms that aren't part of a space in one place.": "Agrupa nun só lugar tódalas túas salas que non forman parte dun espazo.", "Group all your people in one place.": "Agrupa tódalas persoas nun só lugar.", "Group all your favourite rooms and people in one place.": "Agrupa tódalas túas salas favoritas e persoas nun só lugar.", "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Os Espazos son xeitos de agrupar salas e persoas. Xunto cos espazos nos que estás, tamén podes usar algún dos prestablecidos.", - "Waiting for you to verify on your other device…": "Agardando a que verifiques no teu outro dispositivo…", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Agardando a que verifiques o teu outro dispositivo, %(deviceName)s %(deviceId)s …", - "Verify this device by confirming the following number appears on its screen.": "Verifica este dispositivo confirmando que o seguinte número aparece na pantalla.", - "Confirm the emoji below are displayed on both devices, in the same order:": "Confirma que os emoji inferiores se mostran nos dous dispositivos, na mesma orde:", "Back to thread": "Volver ao fío", "Room members": "Membros da sala", "Back to chat": "Volver ao chat", @@ -1777,15 +1650,9 @@ "Feedback sent! Thanks, we appreciate it!": "Opinión enviada! Moitas grazas!", "%(space1Name)s and %(space2Name)s": "%(space1Name)s e %(space2Name)s", "Join %(roomAddress)s": "Unirse a %(roomAddress)s", - "Edit poll": "Editar enquisa", "Sorry, you can't edit a poll after votes have been cast.": "Non se pode editar unha enquisa cando xa recibiu votos.", "Can't edit poll": "Non podes editar a enquisa", "Search Dialog": "Diálogo de busca", - "Results are only revealed when you end the poll": "Os resultados só son visibles cando remata a enquisa", - "Voters see results as soon as they have voted": "As votantes ven os resultados xusto despois de votar", - "Closed poll": "Enquisa pechada", - "Open poll": "Abrir enquisa", - "Poll type": "Tipo de enquisa", "Results will be visible when the poll is ended": "Os resultados serán visibles cando remate a enquisa", "What location type do you want to share?": "Que tipo de localización queres compartir?", "Drop a Pin": "Fixa a posición", @@ -1849,8 +1716,6 @@ "Loading preview": "Cargando vista previa", "New video room": "Nova sala de vídeo", "New room": "Nova sala", - "View older version of %(spaceName)s.": "Ver versión anterior de %(spaceName)s.", - "Upgrade this space to the recommended room version": "Actualiza este espazo á última versión recomendada da sala", "Failed to join": "Non puideches entrar", "The person who invited you has already left, or their server is offline.": "A persoa que te convidou xa saíu, ou o seu servidor non está conectado.", "The person who invited you has already left.": "A persoa que te convidou xa deixou o lugar.", @@ -1908,16 +1773,10 @@ "To view %(roomName)s, you need an invite": "Para ver %(roomName)s, precisas un convite", "Private room": "Sala privada", "Video room": "Sala de vídeo", - "Resent!": "Reenviado!", - "Did not receive it? Resend it": "Non o recibiches? Volver a enviar", - "To create your account, open the link in the email we just sent to %(emailAddress)s.": "Para crear a conta, abre a ligazón no email que che acabamos de enviar a %(emailAddress)s.", "Unread email icon": "Icona de email non lido", - "Check your email to continue": "Comproba o teu email para continuar", "An error occurred whilst sharing your live location, please try again": "Algo fallou ao compartir a túa localización en directo, inténtao outra vez", "An error occurred whilst sharing your live location": "Algo fallou ao intentar compartir a túa localización en directo", "View related event": "Ver evento relacionado", - "Click to read topic": "Preme para ler o tema", - "Edit topic": "Editar asunto", "Joining…": "Entrando…", "%(count)s people joined": { "one": "uníuse %(count)s persoa", @@ -1969,7 +1828,6 @@ "Messages in this chat will be end-to-end encrypted.": "As mensaxes deste chat van estar cifrados de extremo-a-extremo.", "Saved Items": "Elementos gardados", "Choose a locale": "Elixe o idioma", - "Spell check": "Corrección", "We're creating a room with %(names)s": "Estamos creando unha sala con %(names)s", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Para maior seguridade, verifica as túas sesións e pecha calquera sesión que non recoñezas como propia.", "Sessions": "Sesións", @@ -2244,7 +2102,11 @@ "sliding_sync_disable_warning": "Para desactivalo tes que saír e volver a acceder, usa con precaución!", "sliding_sync_proxy_url_optional_label": "URL do proxy (optativo)", "sliding_sync_proxy_url_label": "URL do Proxy", - "video_rooms_beta": "As salas de vídeo están en fase beta" + "video_rooms_beta": "As salas de vídeo están en fase beta", + "bridge_state_creator": "Esta ponte está proporcionada por .", + "bridge_state_manager": "Esta ponte está xestionada por .", + "bridge_state_workspace": "Espazo de traballo: ", + "bridge_state_channel": "Canle: " }, "keyboard": { "home": "Inicio", @@ -2552,7 +2414,26 @@ "send_analytics": "Enviar datos de análises", "strict_encryption": "Non enviar nunca desde esta sesión mensaxes cifradas a sesións non verificadas", "enable_message_search": "Activar a busca de mensaxes en salas cifradas", - "manually_verify_all_sessions": "Verificar manualmente todas as sesións remotas" + "manually_verify_all_sessions": "Verificar manualmente todas as sesións remotas", + "cross_signing_public_keys": "Chaves públicas da sinatura cruzada:", + "cross_signing_in_memory": "en memoria", + "cross_signing_not_found": "non atopado", + "cross_signing_private_keys": "Chaves privadas da sinatura cruzada:", + "cross_signing_in_4s": "no almacenaxe segredo", + "cross_signing_not_in_4s": "non atopado no almacenaxe", + "cross_signing_master_private_Key": "Chave mestra principal:", + "cross_signing_cached": "na caché local", + "cross_signing_not_cached": "non se atopa localmente", + "cross_signing_self_signing_private_key": "Auto asinado da chave privada:", + "cross_signing_user_signing_private_key": "Chave privada de sinatura da usuaria:", + "cross_signing_homeserver_support": "Soporte de funcións do servidor:", + "cross_signing_homeserver_support_exists": "existe", + "export_megolm_keys": "Exportar chaves E2E da sala", + "import_megolm_keys": "Importar chaves E2E da sala", + "cryptography_section": "Criptografía", + "session_id": "ID da sesión:", + "session_key": "Chave da sesión:", + "encryption_section": "Cifrado" }, "preferences": { "room_list_heading": "Listaxe de Salas", @@ -2624,6 +2505,11 @@ "other": "Desconectar dispositivos" }, "security_recommendations": "Recomendacións de seguridade" + }, + "general": { + "account_section": "Conta", + "language_section": "Idioma e rexión", + "spell_check_section": "Corrección" } }, "devtools": { @@ -2696,7 +2582,8 @@ "title": "Ferramentas desenvolvemento", "show_hidden_events": "Mostrar na cronoloxía eventos ocultos", "developer_mode": "Modo desenvolvemento", - "view_source_decrypted_event_source": "Fonte descifrada do evento" + "view_source_decrypted_event_source": "Fonte descifrada do evento", + "original_event_source": "Fonte orixinal do evento" }, "export_chat": { "html": "HTML", @@ -3291,6 +3178,16 @@ "url_preview_encryption_warning": "Nas salas cifradas, como é esta, está desactivado por defecto a previsualización das URL co fin de asegurarse de que o servidor local (que é onde se gardan as previsualizacións) non poida recoller información sobre das ligazóns que se ven nesta sala.", "url_preview_explainer": "Cando alguén pon unha URL na mensaxe, esta previsualízarase para que así se coñezan xa cousas delas como o título, a descrición ou as imaxes que inclúe ese sitio web.", "url_previews_section": "Vista previa de URL" + }, + "advanced": { + "unfederated": "Esta sala non é accesible por servidores Matrix remotos", + "space_upgrade_button": "Actualiza este espazo á última versión recomendada da sala", + "room_upgrade_button": "Actualiza esta sala á versión recomendada", + "space_predecessor": "Ver versión anterior de %(spaceName)s.", + "room_predecessor": "Ver mensaxes antigas en %(roomName)s.", + "room_id": "ID interno da sala", + "room_version_section": "Versión da sala", + "room_version": "Versión da sala:" } }, "encryption": { @@ -3306,8 +3203,22 @@ "sas_prompt": "Compara os emoji", "sas_description": "Compara o conxunto único de emoticonas se non tes cámara no outro dispositivo", "qr_or_sas": "%(qrCode)s ou %(emojiCompare)s", - "qr_or_sas_header": "Verifica este dispositivo usando un dos seguintes métodos:" - } + "qr_or_sas_header": "Verifica este dispositivo usando un dos seguintes métodos:", + "explainer": "As mensaxes seguras con esta usuaria están cifradas extremo-a-extremo e non son lexibles por terceiras.", + "complete_action": "Vale", + "sas_emoji_caption_self": "Confirma que os emoji inferiores se mostran nos dous dispositivos, na mesma orde:", + "sas_emoji_caption_user": "Verifica a usuaria confirmando que as emoticonas aparecen na súa pantalla.", + "sas_caption_self": "Verifica este dispositivo confirmando que o seguinte número aparece na pantalla.", + "sas_caption_user": "Verifica esta usuaria confirmando que o seguinte número aparece na súa pantalla.", + "unsupported_method": "Non se atopa un método de verificación válido.", + "waiting_other_device_details": "Agardando a que verifiques o teu outro dispositivo, %(deviceName)s %(deviceId)s …", + "waiting_other_device": "Agardando a que verifiques no teu outro dispositivo…", + "waiting_other_user": "Agardando por %(displayName)s para verificar…", + "cancelling": "Cancelando…" + }, + "old_version_detected_title": "Detectouse o uso de criptografía sobre datos antigos", + "old_version_detected_description": "Detectáronse datos de una versión anterior de %(brand)s. Isto causará un mal funcionamento da criptografía extremo-a-extremo na versión antiga. As mensaxes cifradas extremo-a-extremo intercambiadas mentres utilizaba a versión anterior poderían non ser descifrables en esta versión. Isto tamén podería causar que mensaxes intercambiadas con esta versión tampouco funcionasen. Se ten problemas, desconéctese e conéctese de novo. Para manter o historial de mensaxes, exporte e reimporte as súas chaves.", + "verification_requested_toast_title": "Verificación solicitada" }, "emoji": { "category_frequently_used": "Utilizado con frecuencia", @@ -3405,7 +3316,47 @@ "phone_optional_label": "Teléfono (optativo)", "email_help_text": "Engade un email para poder restablecer o contrasinal.", "email_phone_discovery_text": "Usa un email ou teléfono para ser (opcionalmente) descubrible polos contactos existentes.", - "email_discovery_text": "Usa o email para ser opcionalmente descubrible para os contactos existentes." + "email_discovery_text": "Usa o email para ser opcionalmente descubrible para os contactos existentes.", + "session_logged_out_title": "Desconectada", + "session_logged_out_description": "Por seguridade, pechouse a sesión. Por favor, conéctate outra vez.", + "change_password_mismatch": "Os contrasinais novos non coinciden", + "change_password_empty": "Os contrasinais non poden estar baleiros", + "set_email_prompt": "Quere establecer un enderezo de correo electrónico?", + "change_password_confirm_label": "Confirma o contrasinal", + "change_password_confirm_invalid": "Non concordan os contrasinais", + "change_password_current_label": "Contrasinal actual", + "change_password_new_label": "Novo contrasinal", + "change_password_action": "Cambiar contrasinal", + "email_field_label": "Correo electrónico", + "email_field_label_required": "Escribe enderezo email", + "email_field_label_invalid": "Non semella un enderezo válido", + "uia": { + "password_prompt": "Confirma a túa identidade escribindo o contrasinal da conta embaixo.", + "recaptcha_missing_params": "Falta a chave pública do captcha na configuración do servidor. Informa desto á administración do teu servidor.", + "terms_invalid": "Revisa e acepta todas as cláusulas do servidor", + "terms": "Revisa e acepta as cláusulas deste servidor:", + "email_auth_header": "Comproba o teu email para continuar", + "email": "Para crear a conta, abre a ligazón no email que che acabamos de enviar a %(emailAddress)s.", + "email_resend_prompt": "Non o recibiches? Volver a enviar", + "email_resent": "Reenviado!", + "msisdn_token_incorrect": "Testemuño incorrecto", + "msisdn": "Enviouse unha mensaxe de texto a %(msisdn)s", + "msisdn_token_prompt": "Por favor introduza o código que contén:", + "sso_failed": "Algo fallou ao intentar confirma a túa identidade. Cancela e inténtao outra vez.", + "fallback_button": "Inicie a autenticación" + }, + "password_field_label": "Escribe contrasinal", + "password_field_strong_label": "Ben, bo contrasinal!", + "password_field_weak_label": "O contrasinal é admisible, pero inseguro", + "username_field_required_invalid": "Escribe nome de usuaria", + "msisdn_field_required_invalid": "Escribe número de teléfono", + "msisdn_field_number_invalid": "Non semella correcto este número, compróbao e inténtao outra vez", + "msisdn_field_label": "Teléfono", + "identifier_label": "Acceder con", + "reset_password_email_field_description": "Usa un enderezo de email para recuperar a túa conta", + "reset_password_email_field_required_invalid": "Escribe o enderzo de email (requerido neste servidor)", + "msisdn_field_description": "Outras usuarias poden convidarte ás salas usando os teus detalles de contacto", + "registration_msisdn_field_required_invalid": "Escribe un número de teléfono (requerido neste servidor)" }, "room_list": { "sort_unread_first": "Mostrar primeiro as salas con mensaxes sen ler", @@ -3568,7 +3519,11 @@ "see_changes_button": "Que hai de novo?", "release_notes_toast_title": "Que hai de novo", "toast_title": "Actualizar %(brand)s", - "toast_description": "Hai unha nova versión de %(brand)s dispoñible" + "toast_description": "Hai unha nova versión de %(brand)s dispoñible", + "error_encountered": "Houbo un erro (%(errorDetail)s).", + "no_update": "Sen actualizacións.", + "new_version_available": "Nova versión dispoñible. Actualiza.", + "check_action": "Comprobar actualización" }, "threads": { "all_threads": "Tódalas conversas", @@ -3620,7 +3575,34 @@ }, "labs_mjolnir": { "room_name": "Listaxe de bloqueo", - "room_topic": "Esta é a listaxe de usuarias/servidores que ti bloqueaches - non deixes a sala!" + "room_topic": "Esta é a listaxe de usuarias/servidores que ti bloqueaches - non deixes a sala!", + "ban_reason": "Ignorado/Bloqueado", + "error_adding_ignore": "Fallo ao engadir a ignorado usuaria/servidor", + "something_went_wrong": "Algo fallou. Inténtao outra vez o mira na consola para ter algunha pista.", + "error_adding_list_title": "Fallo ao subscribirse a lista", + "error_adding_list_description": "Comproba o ID da sala ou enderezo e proba outra vez.", + "error_removing_ignore": "Fallo ao eliminar a usuaria/servidor de ignorados", + "error_removing_list_title": "Fallo ao retirar a susbscrición a lista", + "error_removing_list_description": "Inténtao outra vez ou mira na consola para ter algunha pista.", + "rules_title": "Regras de bloqueo - %(roomName)s", + "rules_server": "Regras do servidor", + "rules_user": "Regras da usuaria", + "personal_empty": "Non ignoraches a ninguén.", + "personal_section": "Estás a ignorar a:", + "no_lists": "Non estás subscrita a ningunha lista", + "view_rules": "Ver regras", + "lists": "Estas subscrito a:", + "title": "Usuarias ignoradas", + "advanced_warning": "⚠ Estos axustes van dirixidos a usuarias avanzadas.", + "explainer_1": "Engade aquí usuarias e servidores que desexas ignorar. Usa asterisco que %(brand)s usará como comodín. Exemplo, @bot* ignorará todas as usuarias de calquera servidor que teñan 'bot' no nome.", + "explainer_2": "Ignorar a persoas faise a través de listaxes de bloqueo que conteñen regras. Subscribíndote a unha listaxe de bloqueo fará que esas usuarias/servidores sexan inaccesibles para ti.", + "personal_heading": "Lista personal de bloqueo", + "personal_new_label": "ID de usuaria ou servidor a ignorar", + "personal_new_placeholder": "ex: @bot:* ou exemplo.org", + "lists_heading": "Listaxes subscritas", + "lists_description_1": "Subscribíndote a unha lista de bloqueo fará que te unas a ela!", + "lists_description_2": "Se esto non é o que queres, usa unha ferramenta diferente para ignorar usuarias.", + "lists_new_label": "ID da sala ou enderezo da listaxe de bloqueo" }, "create_space": { "name_required": "Escribe un nome para o espazo", @@ -3682,6 +3664,12 @@ "private_unencrypted_warning": "As túas mensaxes privadas normalmente están cifradas, pero esta sala non o está. Normalmente esto é debido a que estás a usar un dispositivo ou método non soportados, como convites por email.", "enable_encryption_prompt": "Activar cifrado non axustes.", "unencrypted_warning": "Non está activado o cifrado de extremo-a-extremo" + }, + "edit_topic": "Editar asunto", + "read_topic": "Preme para ler o tema", + "unread_notifications_predecessor": { + "other": "Tes %(count)s notificacións non lidas nunha versión previa desta sala.", + "one": "Tes %(count)s notificacións non lidas nunha versión previa desta sala." } }, "file_panel": { @@ -3696,9 +3684,30 @@ "intro": "Para continuar tes que aceptar os termos deste servizo.", "column_service": "Servizo", "column_summary": "Resumo", - "column_document": "Documento" + "column_document": "Documento", + "tac_title": "Termos e condicións", + "tac_description": "Para continuar usando o servidor %(homeserverDomain)s ten que revisar primeiro os seus termos e condicións e logo aceptalos.", + "tac_button": "Revise os termos e condicións" }, "space_settings": { "title": "Axustes - %(spaceName)s" + }, + "poll": { + "create_poll_title": "Crear enquisa", + "create_poll_action": "Crear Enquisa", + "edit_poll_title": "Editar enquisa", + "failed_send_poll_title": "Non se puido publicar a enquisa", + "failed_send_poll_description": "A enquisa que ías publicar non se puido publicar.", + "type_heading": "Tipo de enquisa", + "type_open": "Abrir enquisa", + "type_closed": "Enquisa pechada", + "topic_heading": "Cal é o tema ou asunto da túa enquisa?", + "topic_label": "Pregunta ou tema", + "options_heading": "Crea as opcións", + "options_label": "Opción %(number)s", + "options_placeholder": "Escribe unha opción", + "options_add_button": "Engade unha opción", + "disclosed_notes": "As votantes ven os resultados xusto despois de votar", + "notes": "Os resultados só son visibles cando remata a enquisa" } } diff --git a/src/i18n/strings/he.json b/src/i18n/strings/he.json index 9e9981e01e..2ae4fab931 100644 --- a/src/i18n/strings/he.json +++ b/src/i18n/strings/he.json @@ -45,7 +45,6 @@ "Unavailable": "לא זמין", "Source URL": "כתובת URL אתר המקור", "Filter results": "סנן התוצאות", - "No update available.": "אין עדכון זמין.", "Tuesday": "שלישי", "Preparing to send logs": "מתכונן לשלוח יומנים", "Saturday": "שבת", @@ -59,7 +58,6 @@ "Search…": "חפש…", "Logs sent": "יומנים נשלחו", "Yesterday": "אתמול", - "Error encountered (%(errorDetail)s).": "ארעה שגיעה %(errorDetail)s .", "Low Priority": "עדיפות נמוכה", "Thank you!": "רב תודות!", "Your %(brand)s is misconfigured": "ה %(brand)s שלך מוגדר באופן שגוי", @@ -440,39 +438,15 @@ "other": "שמור באופן מאובטח הודעות מוצפנות באופן מקומי כדי שיופיעו בתוצאות החיפוש באמצעות %(size)s לשמור הודעות מחדרים %(rooms)s." }, "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "אמת בנפרד כל מושב שמשתמש בו כדי לסמן אותו כאמצעי מהימן, ולא אמון על מכשירים חתומים צולבים.", - "Encryption": "הצפנה", "Failed to set display name": "עדכון שם תצוגה נכשל", "Authentication": "אימות", - "exists": "קיים", - "Homeserver feature support:": "תמיכה שרת:", - "User signing private key:": "משתמש חותם על מפתח פרטי:", - "Self signing private key:": "מפתח פרטי ברישום עצמאי:", - "not found locally": "לא נמצא באחסון מקומי", - "cached locally": "אוחסן מקומי", - "Master private key:": "מפתח מאסטר פרטי:", - "not found in storage": "לא נמצא באחסון", - "in secret storage": "באחסון סודי", - "Cross-signing private keys:": "מפתחות פרטיים של חתימה צולבת:", - "not found": "לא נמצא", - "in memory": "בזכרון", - "Cross-signing public keys:": "מפתחות ציבוריים של חתימה צולבת:", "Set up": "הגדר", "Cross-signing is not set up.": "חתימה צולבת אינה מוגדרת עדיין.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "לחשבונך זהות חתימה צולבת באחסון סודי, אך הפגישה זו אינה מהימנה עדיין.", "Your homeserver does not support cross-signing.": "השרת שלכם אינו תומך בחתימות-צולבות.", "Cross-signing is ready for use.": "חתימה צולבת מוכנה לשימוש.", - "Change Password": "שנה סיסמא", - "Current password": "הסיסמא הנוכחית", - "Passwords don't match": "ססמאות לא תואמות", - "Confirm password": "אשרו סיסמא", - "Do you want to set an email address?": "האם אתם רוצים להגדיר כתובת דוא\"ל?", - "Export E2E room keys": "ייצא מפתחות חדר E2E", - "Passwords can't be empty": "ססמאות לא יכולות להיות ריקות", - "New passwords don't match": "הססמאות החדשות לא תואמות", "No display name": "אין שם לתצוגה", "Show more": "הצג יותר", - "This bridge is managed by .": "הגשר הזה מנוהל על ידי משתמש .", - "This bridge was provisioned by .": "הגשר הזה נוצר על ידי משתמש .", "Accept to continue:": "קבל להמשך:", "Your server isn't responding to some requests.": "השרת שלכם אינו מגיב לבקשות מסויימות בקשות.", "Folder": "תקיה", @@ -538,13 +512,6 @@ "Lion": "אריה", "Cat": "חתול", "Dog": "כלב", - "Cancelling…": "מבטל…", - "Waiting for %(displayName)s to verify…": "ממתין ל- %(displayName)s בכדי לאמת…", - "Unable to find a supported verification method.": "לא מצליח למצוא שיטות אימות נתמכות.", - "Verify this user by confirming the following number appears on their screen.": "אמת את המשתמש הזה בכך שאותו מספר מופיע אצלו במסך.", - "Verify this user by confirming the following emoji appear on their screen.": "אמת את המשתמש הזה בכך שסדרת הסמלים מוצגת זהה אצלו במסך.", - "Got It": "קבלתי", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "הודעות מאובטחות עם משתמש זה כעת מוצפנות מקצה לקצה ואינן יכולות להקרא על ידי אחרים.", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s%(day)s%(fullYear)s%(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(monthName)s - %(day)s - %(fullYear)s", "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s - %(day)s - %(time)s", @@ -872,12 +839,7 @@ "Room Addresses": "כתובות חדרים", "Bridges": "גשרים", "This room is bridging messages to the following platforms. Learn more.": "חדר זה מגשר בין מסרים לפלטפורמות הבאות. למידע נוסף. ", - "Room version:": "גרסאת חדש:", - "Room version": "גרסאת חדר", "Room information": "מידע החדר", - "View older messages in %(roomName)s.": "צפה בהודעות ישנות ב-%(roomName)s.", - "Upgrade this room to the recommended room version": "שדרג חדר זה לגרסת החדר המומלצת", - "This room is not accessible by remote Matrix servers": "לא ניתן לגשת לחדר זה באמצעות שרתי מטריקס מרוחקים", "Voice & Video": "שמע ווידאו", "Audio Output": "יציאת שמע", "Default Device": "התקן ברירת מחדל", @@ -893,40 +855,10 @@ "Reject all %(invitedRooms)s invites": "דחה את כל ההזמנות של %(invitedRooms)s", "Accept all %(invitedRooms)s invites": "קבל את כל ההזמנות של %(invitedRooms)s", "Bulk options": "אפשרויות בתפזורת", - "Session key:": "מפתח מושב:", - "Session ID:": "מזהה מושב:", - "Cryptography": "קריפטוגרפיה", - "Import E2E room keys": "ייבא מפתחות לחדר E2E", "": "<לא נתמך>", "Unignore": "הסר התעלמות", - "Room ID or address of ban list": "זהות החדר או כתובת של רשימת החסומים", - "If this isn't what you want, please use a different tool to ignore users.": "אם זה לא מה שאתה רוצה, השתמש בכלי אחר כדי להתעלם ממשתמשים.", - "Subscribing to a ban list will cause you to join it!": "הרשמה לרשימת איסורים תגרום לך להצטרף אליה!", - "Subscribed lists": "רשימת הרשמות", - "eg: @bot:* or example.org": "למשל: @bot: * או example.org", - "Server or user ID to ignore": "שרת או משתמש להתעלם ממנו", - "Personal ban list": "רשימת חסומים פרטית", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "התעלמות מאנשים נעשית באמצעות רשימות איסור המכילות כללים למי לאסור. הרשמה להרשמה לרשימת איסורים פירושה שהמשתמשים / השרתים החסומים על ידי רשימה זו יוסתרו ממך.", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "הוסף משתמשים ושרתים שתרצה להתעלם מהם כאן. השתמש בכוכביות כדי שאחוזים %(brand)s יתאימו לכל תו. לדוגמא, @bot: * יתעלם מכל המשתמשים שיש להם את השם 'בוט' בשרת כלשהו.", - "⚠ These settings are meant for advanced users.": "⚠ הגדרות אלה מיועדות למשתמשים מתקדמים.", "Ignored users": "משתמשים שהתעלמתם מהם", - "You are currently subscribed to:": "אתם רשומים אל:", - "View rules": "צפה בכללים", - "You are not subscribed to any lists": "אימכם רשומים לשום רשימה", - "You are currently ignoring:": "אתם כרגע מתעלמים מ:", - "You have not ignored anyone.": "לא התעלמתם מאף אחד.", - "User rules": "כללי משתמש", - "Server rules": "כללי שרת", - "Ban list rules - %(roomName)s": "כללים לרשימת חסימות - %(roomName)s", "None": "ללא", - "Please try again or view your console for hints.": "נסה שוב או הצג את המסוף שלך לקבלת רמזים.", - "Error unsubscribing from list": "שגיאה בהסרת הרשמה מרשימה זו", - "Error removing ignored user/server": "שגיאה בהסרת משתמש / שרת שהתעלמו ממנו", - "Please verify the room ID or address and try again.": "אנא אמת את מזהה החדר או את הכתובת ונסה שוב.", - "Error subscribing to list": "שגיאה בהרשמה אל הרשימה", - "Something went wrong. Please try again or view your console for hints.": "משהו השתבש. נסה שוב או הצג את המסוף שלך לקבלת רמזים.", - "Error adding ignored user/server": "שגיאה בהוספת שרת\\משתמש שהתעלמתם ממנו", - "Ignored/Blocked": "התעלם\\חסום", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "כדי לדווח על בעיית אבטחה , אנא קראו את מדיניות גילוי האבטחה של Matrix.org .", "General": "כללי", "Discovery": "מציאה", @@ -934,14 +866,10 @@ "Deactivate Account": "סגור חשבון", "Account management": "ניהול חשבון", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "הסכים לתנאי השירות של שרת הזהות (%(serverName)s) כדי לאפשר לעצמך להיות גלוי על ידי כתובת דוא\"ל או מספר טלפון.", - "Language and region": "שפה ואיזור", - "Account": "חשבון", "Phone numbers": "מספרי טלפון", "Email addresses": "כתובות דוא\"ל", "Show advanced": "הצג מתקדם", "Hide advanced": "הסתר מתקדם", - "Check for update": "בדוק עדכונים", - "New version available. Update now.": "גרסא חדשה קיימת. שדרגו עכשיו.", "Manage integrations": "נהל שילובים", "Enter a new identity server": "הכנס שרת הזדהות חדש", "Do not use an identity server": "אל תשתמש בשרת הזדהות", @@ -1010,28 +938,6 @@ "Upload avatar": "העלה אוואטר", "Couldn't load page": "לא ניתן לטעון את הדף", "Sign in with SSO": "היכנס באמצעות SSO", - "Enter phone number (required on this homeserver)": "הזן מספר טלפון (חובה בשרת בית זה)", - "Other users can invite you to rooms using your contact details": "משתמשים אחרים יכולים להזמין אותך לחדרים באמצעות פרטי יצירת הקשר שלך", - "Enter email address (required on this homeserver)": "הזן כתובת דוא\"ל (חובה בשרת הבית הזה)", - "Use an email address to recover your account": "השתמש בכתובת דוא\"ל לשחזור חשבונך", - "Sign in with": "כניסה עם", - "Phone": "טלפון", - "Email": "דוא\"ל", - "That phone number doesn't look quite right, please check and try again": "מספר הטלפון הזה לא נראה בסדר, אנא בדוק ונסה שוב", - "Enter phone number": "הזן טלפון", - "Enter email address": "הזן כתובת דוא\"ל", - "Enter username": "הזן שם משתמש", - "Password is allowed, but unsafe": "סיסמא מותרת, אך אינה בטוחה", - "Nice, strong password!": "יפה, סיסמה חזקה!", - "Enter password": "הזן סיסמה", - "Start authentication": "התחל אימות", - "Please enter the code it contains:": "אנא הכנס את הקוד שהוא מכיל:", - "A text message has been sent to %(msisdn)s": "הודעת טקסט נשלחה אל %(msisdn)s", - "Token incorrect": "אסימון שגוי", - "Please review and accept the policies of this homeserver:": "אנא עיין וקבל את המדיניות של שרת בית זה:", - "Please review and accept all of the homeserver's policies": "אנא עיין וקבל את כל המדיניות של שרת הבית", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "חסר מפתח ציבורי של captcha בתצורת שרת הבית. אנא דווח על כך למנהל שרת הבית שלך.", - "Confirm your identity by entering your account password below.": "אשר את זהותך על ידי הזנת סיסמת החשבון שלך למטה.", "Country Dropdown": "נפתח במדינה", "This homeserver would like to make sure you are not a robot.": "שרת בית זה רוצה לוודא שאתה לא רובוט.", "This room is public": "חדר זה ציבורי", @@ -1137,7 +1043,6 @@ "Email (optional)": "דוא\"ל (לא חובה)", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "שים לב, אם לא תשייך כתובת דואר אלקטרוני ותשכח את הסיסמה שלך, אתה תאבד לצמיתות את הגישה לחשבונך.", "Continuing without email": "ממשיך ללא דוא\"ל", - "Doesn't look like a valid email address": "לא נראה כמו כתובת דוא\"ל תקפה", "Data on this screen is shared with %(widgetDomain)s": "הנתונים על המסך הזה משותפים עם %(widgetDomain)s", "Modal Widget": "יישומון מודאלי", "Message edits": "עריכת הודעות", @@ -1257,7 +1162,6 @@ "Invalid homeserver discovery response": "תגובת גילוי שרת בית לא חוקית", "Return to login screen": "חזור למסך הכניסה", "Your password has been reset.": "הסיסמה שלך אופסה.", - "New Password": "סיסמה חדשה", "New passwords must match each other.": "סיסמאות חדשות חייבות להתאים זו לזו.", "A new password must be entered.": "יש להזין סיסמה חדשה.", "Could not load user profile": "לא ניתן לטעון את פרופיל המשתמש", @@ -1271,10 +1175,6 @@ "Failed to load timeline position": "טעינת מיקום ציר הזמן נכשלה", "Tried to load a specific point in this room's timeline, but was unable to find it.": "ניסה לטעון נקודה מסוימת בציר הזמן של החדר הזה, אך לא הצליח למצוא אותה.", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "ניסיתי לטעון נקודה ספציפית בציר הזמן של החדר הזה, אך אין לך הרשאה להציג את ההודעה המדוברת.", - "You have %(count)s unread notifications in a prior version of this room.": { - "one": "יש לך %(count)s הודעה שלא נקראה בגירסה קודמת של חדר זה.", - "other": "יש לך %(count)s הודעות שלא נקראו בגרסה קודמת של חדר זה." - }, "Failed to reject invite": "דחיית הזמנה נכשלה", "No more results": "אין יותר תוצאות", "Server may be unavailable, overloaded, or search timed out :(": "יתכן שהשרת לא יהיה זמין, עמוס יתר על המידה או שתם הזמן הקצוב לחיפוש :(", @@ -1286,14 +1186,6 @@ "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "ההודעה שלך לא נשלחה מכיוון ששרת הבית הזה חרג ממגבלת המשאבים. אנא פנה למנהל השירות שלך כדי להמשיך להשתמש בשירות.", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "ההודעה שלך לא נשלחה מכיוון ששרת הבתים הזה הגיע למגבלת המשתמשים הפעילים החודשיים שלה. אנא פנה למנהל השירות שלך כדי להמשיך להשתמש בשירות.", "You can't send any messages until you review and agree to our terms and conditions.": "אינך יכול לשלוח שום הודעה עד שתבדוק ותסכים ל התנאים וההגבלות שלנו .", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "נתגלו גרסאות ישנות יותר של %(brand)s. זה יגרום לתקלה בקריפטוגרפיה מקצה לקצה בגרסה הישנה יותר. הודעות מוצפנות מקצה לקצה שהוחלפו לאחרונה בעת השימוש בגרסה הישנה עשויות שלא להיות ניתנות לפענוח בגירסה זו. זה עלול גם לגרום להודעות שהוחלפו עם גרסה זו להיכשל. אם אתה נתקל בבעיות, צא וחזור שוב. כדי לשמור על היסטוריית ההודעות, ייצא וייבא מחדש את המפתחות שלך.", - "Old cryptography data detected": "נתגלו נתוני הצפנה ישנים", - "Terms and Conditions": "תנאים והגבלות", - "Review terms and conditions": "עיין בתנאים ובהגבלות", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "כדי להמשיך להשתמש בשרת הבית (%(homeserverDomain)s), עליך לבדוק ולהסכים לתנאים ולהגבלות שלנו.", - "For security, this session has been signed out. Please sign in again.": "למען ביטחון, הפגישה הזו נותקה. אנא היכנסו שוב.", - "Signed Out": "יציאה", - "Channel: ": "ערוץ: ", "Dial pad": "לוח חיוג", "There was an error looking up the phone number": "אירעה שגיאה בחיפוש מספר הטלפון", "Unable to look up phone number": "לא ניתן לחפש את מספר הטלפון", @@ -1311,7 +1203,6 @@ "Remember this": "זכור את זה", "The widget will verify your user ID, but won't be able to perform actions for you:": "היישומון יאמת את מזהה המשתמש שלך, אך לא יוכל לבצע פעולות עבורך:", "Allow this widget to verify your identity": "אפשר לווידג'ט זה לאמת את זהותך", - "Workspace: ": "סביבת עבודה: ", "Use app": "השתמש באפליקציה", "Use app for a better experience": "השתמש באפליקציה לחוויה טובה יותר", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "ביקשנו מהדפדפן לזכור באיזה שרת בית אתה משתמש כדי לאפשר לך להיכנס, אך למרבה הצער הדפדפן שלך שכח אותו. עבור לדף הכניסה ונסה שוב.", @@ -1383,26 +1274,14 @@ "Hide sidebar": "הסתר סרגל צד", "Connecting": "מקשר", "unknown person": "אדם לא ידוע", - "Waiting for you to verify on your other device…": "ממתין לאישור שלך במכשיר השני…", - "Confirm the emoji below are displayed on both devices, in the same order:": "ודא ואשר שהסמלים הבאים מופיעים בשני המכשירים ובאותו הסדר:", "This homeserver has been blocked by its administrator.": "שרת זה נחסם על ידי מנהלו.", "The user you called is busy.": "המשתמש עסוק כרגע.", "User Busy": "המשתמש עסוק", "Great! This Security Phrase looks strong enough.": "מצוין! ביטוי אבטחה זה נראה מספיק חזק.", "Not a valid Security Key": "מפתח האבטחה לא חוקי", "Failed to end poll": "תקלה בסגירת הסקר", - "Failed to post poll": "תקלה בפרסום הסקר", "Confirm your Security Phrase": "אשר את ביטוי האבטחה שלך", "Application window": "חלון אפליקציה", - "Results are only revealed when you end the poll": "תוצאות יהיה זמינות להצגה רק עם סגירת הסקר", - "What is your poll question or topic?": "מה השאלה או הנושא שלכם בסקר?", - "Closed poll": "סגר סקר", - "Open poll": "פתח סקר", - "Poll type": "סוג סקר", - "Sorry, the poll you tried to create was not posted.": "סליחה, הסקר שיצרתם לא פורסם.", - "Edit poll": "ערוך סקר", - "Create Poll": "צרו סקר", - "Create poll": "צרו סקר", "Results will be visible when the poll is ended": "תוצאות יהיו זמינות כאשר הסקר יסתיים", "Sorry, you can't edit a poll after votes have been cast.": "סליחה, אתם לא יכולים לערוך את שאלות הסקר לאחר שבוצעו הצבעות.", "Can't edit poll": "לא ניתן לערוךסקר", @@ -1424,7 +1303,6 @@ "%(count)s votes cast. Vote to see the results": { "one": "%(count)s.קולות הצביעו כדי לראות את התוצאות" }, - "Verification requested": "התבקש אימות", "User Directory": "ספריית משתמשים", "Recommended for public spaces.": "מומלץ למרחבי עבודה ציבוריים.", "Allow people to preview your space before they join.": "אפשרו לאנשים תצוגה מקדימה של מרחב העבודה שלכם לפני שהם מצטרפים.", @@ -1505,8 +1383,6 @@ "Public space": "מרחב עבודה ציבורי", "Invite to this space": "הזמינו למרחב עבודה זה", "Space information": "מידע על מרחב העבודה", - "View older version of %(spaceName)s.": "צפו בגירסא ישנה יותר של %(spaceName)s.", - "Upgrade this space to the recommended room version": "שדרג את מרחב העבודה הזה לגרסת החדר המומלצת", "Updating spaces... (%(progress)s out of %(count)s)": { "one": "מעדכן מרחב עבודה...", "other": "מעדכן את מרחבי העבודה...%(progress)s מתוך %(count)s" @@ -1790,7 +1666,11 @@ "group_developer": "מפתח", "leave_beta_reload": "עזיבת הניסוי תטען מחדש את %(brand)s.", "join_beta_reload": "הצטרפות לפיתוח תטען מחדש את %(brand)s.", - "join_beta": "הצטרך לניסוי" + "join_beta": "הצטרך לניסוי", + "bridge_state_creator": "הגשר הזה נוצר על ידי משתמש .", + "bridge_state_manager": "הגשר הזה מנוהל על ידי משתמש .", + "bridge_state_workspace": "סביבת עבודה: ", + "bridge_state_channel": "ערוץ: " }, "keyboard": { "home": "הבית", @@ -2031,7 +1911,26 @@ "send_analytics": "שלח מידע אנליטי", "strict_encryption": "לעולם אל תשלח הודעות מוצפנות אל התחברות שאינה מאומתת מהתחברות זו", "enable_message_search": "אפשר חיפוש הודעות בחדרים מוצפנים", - "manually_verify_all_sessions": "אמת באופן ידני את כל ההתחברויות" + "manually_verify_all_sessions": "אמת באופן ידני את כל ההתחברויות", + "cross_signing_public_keys": "מפתחות ציבוריים של חתימה צולבת:", + "cross_signing_in_memory": "בזכרון", + "cross_signing_not_found": "לא נמצא", + "cross_signing_private_keys": "מפתחות פרטיים של חתימה צולבת:", + "cross_signing_in_4s": "באחסון סודי", + "cross_signing_not_in_4s": "לא נמצא באחסון", + "cross_signing_master_private_Key": "מפתח מאסטר פרטי:", + "cross_signing_cached": "אוחסן מקומי", + "cross_signing_not_cached": "לא נמצא באחסון מקומי", + "cross_signing_self_signing_private_key": "מפתח פרטי ברישום עצמאי:", + "cross_signing_user_signing_private_key": "משתמש חותם על מפתח פרטי:", + "cross_signing_homeserver_support": "תמיכה שרת:", + "cross_signing_homeserver_support_exists": "קיים", + "export_megolm_keys": "ייצא מפתחות חדר E2E", + "import_megolm_keys": "ייבא מפתחות לחדר E2E", + "cryptography_section": "קריפטוגרפיה", + "session_id": "מזהה מושב:", + "session_key": "מפתח מושב:", + "encryption_section": "הצפנה" }, "preferences": { "room_list_heading": "רשימת חדרים", @@ -2062,6 +1961,10 @@ "one": "צא מהמכשיר", "other": "צא ממכשירים" } + }, + "general": { + "account_section": "חשבון", + "language_section": "שפה ואיזור" } }, "devtools": { @@ -2614,6 +2517,15 @@ "url_preview_encryption_warning": "בחדרים מוצפנים, כמו זה, תצוגות מקדימות של כתובות אתרים מושבתות כברירת מחדל כדי להבטיח ששרת הבית שלך (במקום בו נוצרות התצוגות המקדימות) אינו יכול לאסוף מידע על קישורים שאתה רואה בחדר זה.", "url_preview_explainer": "כאשר מישהו מכניס כתובת URL להודעה שלו, ניתן להציג תצוגה מקדימה של כתובת אתר כדי לתת מידע נוסף על קישור זה, כמו הכותרת, התיאור והתמונה מהאתר.", "url_previews_section": "תצוגת קישורים" + }, + "advanced": { + "unfederated": "לא ניתן לגשת לחדר זה באמצעות שרתי מטריקס מרוחקים", + "space_upgrade_button": "שדרג את מרחב העבודה הזה לגרסת החדר המומלצת", + "room_upgrade_button": "שדרג חדר זה לגרסת החדר המומלצת", + "space_predecessor": "צפו בגירסא ישנה יותר של %(spaceName)s.", + "room_predecessor": "צפה בהודעות ישנות ב-%(roomName)s.", + "room_version_section": "גרסאת חדר", + "room_version": "גרסאת חדש:" } }, "encryption": { @@ -2627,8 +2539,20 @@ "qr_prompt": "סרוק את הקוד הזה", "sas_prompt": "השווה סמלים מסויימים", "sas_description": "השווה קבוצה של סמלים אם אין ברשותכם מצלמה על שום מכשיר", - "qr_or_sas_header": "אמתו מכשיר זה על ידי מילוי אחת מהפעולות הבאות:" - } + "qr_or_sas_header": "אמתו מכשיר זה על ידי מילוי אחת מהפעולות הבאות:", + "explainer": "הודעות מאובטחות עם משתמש זה כעת מוצפנות מקצה לקצה ואינן יכולות להקרא על ידי אחרים.", + "complete_action": "קבלתי", + "sas_emoji_caption_self": "ודא ואשר שהסמלים הבאים מופיעים בשני המכשירים ובאותו הסדר:", + "sas_emoji_caption_user": "אמת את המשתמש הזה בכך שסדרת הסמלים מוצגת זהה אצלו במסך.", + "sas_caption_user": "אמת את המשתמש הזה בכך שאותו מספר מופיע אצלו במסך.", + "unsupported_method": "לא מצליח למצוא שיטות אימות נתמכות.", + "waiting_other_device": "ממתין לאישור שלך במכשיר השני…", + "waiting_other_user": "ממתין ל- %(displayName)s בכדי לאמת…", + "cancelling": "מבטל…" + }, + "old_version_detected_title": "נתגלו נתוני הצפנה ישנים", + "old_version_detected_description": "נתגלו גרסאות ישנות יותר של %(brand)s. זה יגרום לתקלה בקריפטוגרפיה מקצה לקצה בגרסה הישנה יותר. הודעות מוצפנות מקצה לקצה שהוחלפו לאחרונה בעת השימוש בגרסה הישנה עשויות שלא להיות ניתנות לפענוח בגירסה זו. זה עלול גם לגרום להודעות שהוחלפו עם גרסה זו להיכשל. אם אתה נתקל בבעיות, צא וחזור שוב. כדי לשמור על היסטוריית ההודעות, ייצא וייבא מחדש את המפתחות שלך.", + "verification_requested_toast_title": "התבקש אימות" }, "emoji": { "category_frequently_used": "לעיתים קרובות בשימוש", @@ -2717,7 +2641,42 @@ "phone_optional_label": "טלפון (לא חובה)", "email_help_text": "הוסף דוא\"ל כדי שתוכל לאפס את הסיסמה שלך.", "email_phone_discovery_text": "השתמש בדוא\"ל או בטלפון בכדי שאפשר יהיה לגלות אותם על ידי אנשי קשר קיימים.", - "email_discovery_text": "השתמש באימייל כדי שאפשר יהיה למצוא אותו על ידי אנשי קשר קיימים." + "email_discovery_text": "השתמש באימייל כדי שאפשר יהיה למצוא אותו על ידי אנשי קשר קיימים.", + "session_logged_out_title": "יציאה", + "session_logged_out_description": "למען ביטחון, הפגישה הזו נותקה. אנא היכנסו שוב.", + "change_password_mismatch": "הססמאות החדשות לא תואמות", + "change_password_empty": "ססמאות לא יכולות להיות ריקות", + "set_email_prompt": "האם אתם רוצים להגדיר כתובת דוא\"ל?", + "change_password_confirm_label": "אשרו סיסמא", + "change_password_confirm_invalid": "ססמאות לא תואמות", + "change_password_current_label": "הסיסמא הנוכחית", + "change_password_new_label": "סיסמה חדשה", + "change_password_action": "שנה סיסמא", + "email_field_label": "דוא\"ל", + "email_field_label_required": "הזן כתובת דוא\"ל", + "email_field_label_invalid": "לא נראה כמו כתובת דוא\"ל תקפה", + "uia": { + "password_prompt": "אשר את זהותך על ידי הזנת סיסמת החשבון שלך למטה.", + "recaptcha_missing_params": "חסר מפתח ציבורי של captcha בתצורת שרת הבית. אנא דווח על כך למנהל שרת הבית שלך.", + "terms_invalid": "אנא עיין וקבל את כל המדיניות של שרת הבית", + "terms": "אנא עיין וקבל את המדיניות של שרת בית זה:", + "msisdn_token_incorrect": "אסימון שגוי", + "msisdn": "הודעת טקסט נשלחה אל %(msisdn)s", + "msisdn_token_prompt": "אנא הכנס את הקוד שהוא מכיל:", + "fallback_button": "התחל אימות" + }, + "password_field_label": "הזן סיסמה", + "password_field_strong_label": "יפה, סיסמה חזקה!", + "password_field_weak_label": "סיסמא מותרת, אך אינה בטוחה", + "username_field_required_invalid": "הזן שם משתמש", + "msisdn_field_required_invalid": "הזן טלפון", + "msisdn_field_number_invalid": "מספר הטלפון הזה לא נראה בסדר, אנא בדוק ונסה שוב", + "msisdn_field_label": "טלפון", + "identifier_label": "כניסה עם", + "reset_password_email_field_description": "השתמש בכתובת דוא\"ל לשחזור חשבונך", + "reset_password_email_field_required_invalid": "הזן כתובת דוא\"ל (חובה בשרת הבית הזה)", + "msisdn_field_description": "משתמשים אחרים יכולים להזמין אותך לחדרים באמצעות פרטי יצירת הקשר שלך", + "registration_msisdn_field_required_invalid": "הזן מספר טלפון (חובה בשרת בית זה)" }, "room_list": { "sort_unread_first": "הצג תחילה חדרים עם הודעות שלא נקראו", @@ -2866,7 +2825,11 @@ "see_changes_button": "מה חדש?", "release_notes_toast_title": "מה חדש", "toast_title": "עדכן %(brand)s", - "toast_description": "גרסה חדשה של %(brand)s קיימת" + "toast_description": "גרסה חדשה של %(brand)s קיימת", + "error_encountered": "ארעה שגיעה %(errorDetail)s .", + "no_update": "אין עדכון זמין.", + "new_version_available": "גרסא חדשה קיימת. שדרגו עכשיו.", + "check_action": "בדוק עדכונים" }, "threads": { "all_threads": "כל הקישורים", @@ -2900,7 +2863,34 @@ }, "labs_mjolnir": { "room_name": "רשימת החסומים שלי", - "room_topic": "זוהי רשימת השרתים\\משתמשים אשר בחרתם לחסום - אל תצאו מחדר זה!" + "room_topic": "זוהי רשימת השרתים\\משתמשים אשר בחרתם לחסום - אל תצאו מחדר זה!", + "ban_reason": "התעלם\\חסום", + "error_adding_ignore": "שגיאה בהוספת שרת\\משתמש שהתעלמתם ממנו", + "something_went_wrong": "משהו השתבש. נסה שוב או הצג את המסוף שלך לקבלת רמזים.", + "error_adding_list_title": "שגיאה בהרשמה אל הרשימה", + "error_adding_list_description": "אנא אמת את מזהה החדר או את הכתובת ונסה שוב.", + "error_removing_ignore": "שגיאה בהסרת משתמש / שרת שהתעלמו ממנו", + "error_removing_list_title": "שגיאה בהסרת הרשמה מרשימה זו", + "error_removing_list_description": "נסה שוב או הצג את המסוף שלך לקבלת רמזים.", + "rules_title": "כללים לרשימת חסימות - %(roomName)s", + "rules_server": "כללי שרת", + "rules_user": "כללי משתמש", + "personal_empty": "לא התעלמתם מאף אחד.", + "personal_section": "אתם כרגע מתעלמים מ:", + "no_lists": "אימכם רשומים לשום רשימה", + "view_rules": "צפה בכללים", + "lists": "אתם רשומים אל:", + "title": "משתמשים שהתעלמתם מהם", + "advanced_warning": "⚠ הגדרות אלה מיועדות למשתמשים מתקדמים.", + "explainer_1": "הוסף משתמשים ושרתים שתרצה להתעלם מהם כאן. השתמש בכוכביות כדי שאחוזים %(brand)s יתאימו לכל תו. לדוגמא, @bot: * יתעלם מכל המשתמשים שיש להם את השם 'בוט' בשרת כלשהו.", + "explainer_2": "התעלמות מאנשים נעשית באמצעות רשימות איסור המכילות כללים למי לאסור. הרשמה להרשמה לרשימת איסורים פירושה שהמשתמשים / השרתים החסומים על ידי רשימה זו יוסתרו ממך.", + "personal_heading": "רשימת חסומים פרטית", + "personal_new_label": "שרת או משתמש להתעלם ממנו", + "personal_new_placeholder": "למשל: @bot: * או example.org", + "lists_heading": "רשימת הרשמות", + "lists_description_1": "הרשמה לרשימת איסורים תגרום לך להצטרף אליה!", + "lists_description_2": "אם זה לא מה שאתה רוצה, השתמש בכלי אחר כדי להתעלם ממשתמשים.", + "lists_new_label": "זהות החדר או כתובת של רשימת החסומים" }, "create_space": { "name_required": "נא הגדירו שם עבור מרחב העבודה", @@ -2954,6 +2944,10 @@ "user_created": "%(displayName)s יצר את החדר הזה.", "no_avatar_label": "הוסף תמונה, כך שאנשים יוכלו לזהות את החדר שלך בקלות.", "start_of_room": "זוהי התחלת השיחה בחדר ." + }, + "unread_notifications_predecessor": { + "one": "יש לך %(count)s הודעה שלא נקראה בגירסה קודמת של חדר זה.", + "other": "יש לך %(count)s הודעות שלא נקראו בגרסה קודמת של חדר זה." } }, "file_panel": { @@ -2968,6 +2962,21 @@ "intro": "כדי להמשיך עליך לקבל את תנאי השירות הזה.", "column_service": "שֵׁרוּת", "column_summary": "תקציר", - "column_document": "מסמך" + "column_document": "מסמך", + "tac_title": "תנאים והגבלות", + "tac_description": "כדי להמשיך להשתמש בשרת הבית (%(homeserverDomain)s), עליך לבדוק ולהסכים לתנאים ולהגבלות שלנו.", + "tac_button": "עיין בתנאים ובהגבלות" + }, + "poll": { + "create_poll_title": "צרו סקר", + "create_poll_action": "צרו סקר", + "edit_poll_title": "ערוך סקר", + "failed_send_poll_title": "תקלה בפרסום הסקר", + "failed_send_poll_description": "סליחה, הסקר שיצרתם לא פורסם.", + "type_heading": "סוג סקר", + "type_open": "פתח סקר", + "type_closed": "סגר סקר", + "topic_heading": "מה השאלה או הנושא שלכם בסקר?", + "notes": "תוצאות יהיה זמינות להצגה רק עם סגירת הסקר" } } diff --git a/src/i18n/strings/hi.json b/src/i18n/strings/hi.json index 72018472ad..3b7f37c01b 100644 --- a/src/i18n/strings/hi.json +++ b/src/i18n/strings/hi.json @@ -68,17 +68,8 @@ "Authentication check failed: incorrect password?": "प्रमाणीकरण जांच विफल: गलत पासवर्ड?", "Please contact your homeserver administrator.": "कृपया अपने होमसर्वर व्यवस्थापक से संपर्क करें।", "Incorrect verification code": "गलत सत्यापन कोड", - "Phone": "फ़ोन", "No display name": "कोई प्रदर्शन नाम नहीं", - "New passwords don't match": "नए पासवर्ड मेल नहीं खाते हैं", - "Passwords can't be empty": "पासवर्ड खाली नहीं हो सकते हैं", "Warning!": "चेतावनी!", - "Export E2E room keys": "E2E रूम कुंजी निर्यात करें", - "Do you want to set an email address?": "क्या आप एक ईमेल पता सेट करना चाहते हैं?", - "Current password": "वर्तमान पासवर्ड", - "New Password": "नया पासवर्ड", - "Confirm password": "पासवर्ड की पुष्टि कीजिये", - "Change Password": "पासवर्ड बदलें", "Authentication": "प्रमाणीकरण", "Failed to set display name": "प्रदर्शन नाम सेट करने में विफल", "Delete Backup": "बैकअप हटाएं", @@ -116,11 +107,6 @@ "%(duration)sd": "%(duration)s दिन", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "फ़ाइल '%(fileName)s' अपलोड के लिए इस होमस्वर के आकार की सीमा से अधिक है", "Unrecognised address": "अपरिचित पता", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "इस उपयोगकर्ता के सुरक्षित संदेश एंड-टू-एंड एन्क्रिप्टेड हैं और तीसरे पक्ष द्वारा पढ़ने में सक्षम नहीं हैं।", - "Got It": "समझ गया", - "Verify this user by confirming the following emoji appear on their screen.": "इस उपयोगकर्ता की पुष्टि करें कि उनकी स्क्रीन पर निम्नलिखित इमोजी दिखाई देते हैं।", - "Verify this user by confirming the following number appears on their screen.": "निम्न स्क्रीन पर दिखाई देने वाली संख्या की पुष्टि करके इस उपयोगकर्ता को सत्यापित करें।", - "Unable to find a supported verification method.": "समर्थित सत्यापन विधि खोजने में असमर्थ।", "Dog": "कुत्ता", "Cat": "बिल्ली", "Lion": "शेर", @@ -200,26 +186,18 @@ "Phone Number": "फ़ोन नंबर", "Profile picture": "प्रोफ़ाइल फोटो", "Display Name": "प्रदर्शित होने वाला नाम", - "This room is not accessible by remote Matrix servers": "यह रूम रिमोट मैट्रिक्स सर्वर द्वारा सुलभ नहीं है", "Room information": "रूम जानकारी", - "Room version": "रूम का संस्करण", - "Room version:": "रूम का संस्करण:", "General": "सामान्य", "Room Addresses": "रूम का पता", "Failed to change password. Is your password correct?": "पासवर्ड बदलने में विफल। क्या आपका पासवर्ड सही है?", "Profile": "प्रोफाइल", - "Account": "अकाउंट", "Email addresses": "ईमेल पता", "Phone numbers": "फोन नंबर", - "Language and region": "भाषा और क्षेत्र", "Account management": "खाता प्रबंधन", "Deactivate Account": "खाता निष्क्रिय करें", - "Check for update": "अपडेट के लिये जांचें", "Notifications": "सूचनाएं", "Scissors": "कैंची", "": "<समर्थित नहीं>", - "Import E2E room keys": "E2E कक्ष की चाबियां आयात करें", - "Cryptography": "क्रिप्टोग्राफी", "Ignored users": "अनदेखी उपयोगकर्ताओं", "Bulk options": "थोक विकल्प", "Reject all %(invitedRooms)s invites": "सभी %(invitedRooms)s की आमंत्रण को अस्वीकार करें", @@ -533,11 +511,18 @@ "mirror_local_feed": "स्थानीय वीडियो फ़ीड को आईना करें" }, "security": { - "send_analytics": "विश्लेषण डेटा भेजें" + "send_analytics": "विश्लेषण डेटा भेजें", + "export_megolm_keys": "E2E रूम कुंजी निर्यात करें", + "import_megolm_keys": "E2E कक्ष की चाबियां आयात करें", + "cryptography_section": "क्रिप्टोग्राफी" }, "preferences": { "room_list_heading": "कक्ष सूचि", "autocomplete_delay": "स्वत: पूर्ण विलंब (ms)" + }, + "general": { + "account_section": "अकाउंट", + "language_section": "भाषा और क्षेत्र" } }, "timeline": { @@ -658,14 +643,27 @@ "verification": { "other_party_cancelled": "दूसरे पक्ष ने सत्यापन रद्द कर दिया।", "complete_title": "सत्यापित!", - "complete_description": "आपने इस उपयोगकर्ता को सफलतापूर्वक सत्यापित कर लिया है।" + "complete_description": "आपने इस उपयोगकर्ता को सफलतापूर्वक सत्यापित कर लिया है।", + "explainer": "इस उपयोगकर्ता के सुरक्षित संदेश एंड-टू-एंड एन्क्रिप्टेड हैं और तीसरे पक्ष द्वारा पढ़ने में सक्षम नहीं हैं।", + "complete_action": "समझ गया", + "sas_emoji_caption_user": "इस उपयोगकर्ता की पुष्टि करें कि उनकी स्क्रीन पर निम्नलिखित इमोजी दिखाई देते हैं।", + "sas_caption_user": "निम्न स्क्रीन पर दिखाई देने वाली संख्या की पुष्टि करके इस उपयोगकर्ता को सत्यापित करें।", + "unsupported_method": "समर्थित सत्यापन विधि खोजने में असमर्थ।" } }, "auth": { "sso": "केवल हस्ताक्षर के ऊपर", "footer_powered_by_matrix": "मैट्रिक्स द्वारा संचालित", "register_action": "खाता बनाएं", - "phone_label": "फ़ोन" + "phone_label": "फ़ोन", + "change_password_mismatch": "नए पासवर्ड मेल नहीं खाते हैं", + "change_password_empty": "पासवर्ड खाली नहीं हो सकते हैं", + "set_email_prompt": "क्या आप एक ईमेल पता सेट करना चाहते हैं?", + "change_password_confirm_label": "पासवर्ड की पुष्टि कीजिये", + "change_password_current_label": "वर्तमान पासवर्ड", + "change_password_new_label": "नया पासवर्ड", + "change_password_action": "पासवर्ड बदलें", + "msisdn_field_label": "फ़ोन" }, "setting": { "help_about": { @@ -727,6 +725,17 @@ "general": { "publish_toggle": "इस कमरे को %(domain)s के कमरे की निर्देशिका में जनता के लिए प्रकाशित करें?", "url_previews_section": "URL पूर्वावलोकन" + }, + "advanced": { + "unfederated": "यह रूम रिमोट मैट्रिक्स सर्वर द्वारा सुलभ नहीं है", + "room_version_section": "रूम का संस्करण", + "room_version": "रूम का संस्करण:" } + }, + "update": { + "check_action": "अपडेट के लिये जांचें" + }, + "labs_mjolnir": { + "title": "अनदेखी उपयोगकर्ताओं" } } diff --git a/src/i18n/strings/hu.json b/src/i18n/strings/hu.json index 53d6e6bd0a..cc272d63b9 100644 --- a/src/i18n/strings/hu.json +++ b/src/i18n/strings/hu.json @@ -4,7 +4,6 @@ "Notifications": "Értesítések", "Operation failed": "Sikertelen művelet", "unknown error code": "ismeretlen hibakód", - "Account": "Fiók", "Admin Tools": "Admin. Eszközök", "No Microphones detected": "Nem található mikrofon", "No Webcams detected": "Nem található webkamera", @@ -26,20 +25,14 @@ "Are you sure you want to reject the invitation?": "Biztos, hogy elutasítja a meghívást?", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Nem lehet kapcsolódni a Matrix-kiszolgálóhoz – ellenőrizze a kapcsolatot, győződjön meg arról, hogy a Matrix-kiszolgáló tanúsítványa hiteles, és hogy a böngészőkiegészítők nem blokkolják a kéréseket.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Nem lehet HTTP-vel csatlakozni a Matrix-kiszolgálóhoz, ha HTTPS van a böngésző címsorában. Vagy használjon HTTPS-t vagy engedélyezze a nem biztonságos parancsfájlokat.", - "Change Password": "Jelszó módosítása", - "Confirm password": "Jelszó megerősítése", - "Cryptography": "Titkosítás", - "Current password": "Jelenlegi jelszó", "Custom level": "Egyedi szint", "Deactivate Account": "Fiók felfüggesztése", "Decrypt %(text)s": "%(text)s visszafejtése", "Default": "Alapértelmezett", "Download %(text)s": "%(text)s letöltése", - "Email": "E-mail", "Email address": "E-mail-cím", "Enter passphrase": "Jelmondat megadása", "Error decrypting attachment": "Csatolmány visszafejtése sikertelen", - "Export E2E room keys": "E2E szobakulcsok exportálása", "Failed to ban user": "A felhasználót nem sikerült kizárni", "Failed to change power level": "A hozzáférési szint megváltoztatása sikertelen", "Failed to load timeline position": "Az idővonal pozíciót nem sikerült betölteni", @@ -53,29 +46,23 @@ "Failure to create room": "Szoba létrehozása sikertelen", "Filter room members": "Szoba tagság szűrése", "Forget room": "Szoba elfelejtése", - "For security, this session has been signed out. Please sign in again.": "A biztonság érdekében ez a kapcsolat le lesz bontva. Légy szíves jelentkezz be újra.", "Historical": "Archív", "Home": "Kezdőlap", - "Import E2E room keys": "E2E szobakulcsok importálása", "Incorrect verification code": "Hibás azonosítási kód", "Invalid Email Address": "Érvénytelen e-mail-cím", "Invalid file%(extra)s": "Hibás fájl%(extra)s", "Invited": "Meghívva", - "Sign in with": "Bejelentkezés ezzel:", "Join Room": "Belépés a szobába", "Jump to first unread message.": "Ugrás az első olvasatlan üzenetre.", "Low priority": "Alacsony prioritás", "Missing room_id in request": "A kérésből hiányzik a szobaazonosító", "Missing user_id in request": "A kérésből hiányzik a szobaazonosító", "Moderator": "Moderátor", - "New passwords don't match": "Az új jelszavak nem egyeznek", "New passwords must match each other.": "Az új jelszavaknak meg kell egyezniük egymással.", "not specified": "nincs meghatározva", "": "", "No display name": "Nincs megjelenítendő név", "No more results": "Nincs több találat", - "Passwords can't be empty": "A jelszó nem lehet üres", - "Phone": "Telefon", "Please check your email and click on the link it contains. Once this is done, click continue.": "Nézze meg a levelét és kattintson a benne lévő hivatkozásra. Ha ez megvan, kattintson a folytatásra.", "Power level must be positive integer.": "A szintnek pozitív egésznek kell lennie.", "Profile": "Profil", @@ -92,15 +79,12 @@ "Server may be unavailable, overloaded, or search timed out :(": "A kiszolgáló elérhetetlen, túlterhelt vagy a keresés túllépte az időkorlátot :(", "Server may be unavailable, overloaded, or you hit a bug.": "A kiszolgáló elérhetetlen, túlterhelt vagy hibára futott.", "Session ID": "Kapcsolat azonosító", - "Signed Out": "Kijelentkezett", - "Start authentication": "Hitelesítés indítása", "This email address is already in use": "Ez az e-mail-cím már használatban van", "This email address was not found": "Az e-mail-cím nem található", "This room has no local addresses": "Ennek a szobának nincs helyi címe", "This room is not recognised.": "Ez a szoba nem ismerős.", "This doesn't appear to be a valid email address": "Ez nem tűnik helyes e-mail címnek", "This phone number is already in use": "Ez a telefonszám már használatban van", - "This room is not accessible by remote Matrix servers": "Ez a szoba távoli Matrix-kiszolgálóról nem érhető el", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Megpróbálta betölteni a szoba megadott időpontjának megfelelő adatait, de nincs joga a kérdéses üzenetek megjelenítéséhez.", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Megpróbálta betölteni a szoba megadott időpontjának megfelelő adatait, de az nem található.", "Unable to add email address": "Az e-mail címet nem sikerült hozzáadni", @@ -154,7 +138,6 @@ "one": "(~%(count)s db eredmény)", "other": "(~%(count)s db eredmény)" }, - "New Password": "Új jelszó", "Passphrases must match": "A jelmondatoknak meg kell egyezniük", "Passphrase must not be empty": "A jelmondat nem lehet üres", "Export room keys": "Szoba kulcsok mentése", @@ -167,8 +150,6 @@ "Confirm Removal": "Törlés megerősítése", "Unknown error": "Ismeretlen hiba", "Unable to restore session": "A munkamenetet nem lehet helyreállítani", - "Token incorrect": "Helytelen token", - "Please enter the code it contains:": "Add meg a benne lévő kódot:", "Error decrypting image": "Hiba a kép visszafejtésénél", "Error decrypting video": "Hiba a videó visszafejtésénél", "Add an Integration": "Integráció hozzáadása", @@ -176,13 +157,11 @@ "Your browser does not support the required cryptography extensions": "A böngészője nem támogatja a szükséges titkosítási kiterjesztéseket", "Not a valid %(brand)s keyfile": "Nem érvényes %(brand)s kulcsfájl", "Authentication check failed: incorrect password?": "Hitelesítési ellenőrzés sikertelen: hibás jelszó?", - "Do you want to set an email address?": "Szeretne beállítani e-mail-címet?", "This will allow you to reset your password and receive notifications.": "Ez lehetővé teszi, hogy vissza tudja állítani a jelszavát, és értesítéseket fogadjon.", "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Ezzel a folyamattal kimentheted a titkosított szobák üzeneteihez tartozó kulcsokat egy helyi fájlba. Ez után be tudod tölteni ezt a fájlt egy másik Matrix kliensbe, így az a kliens is vissza tudja fejteni az üzeneteket.", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Ezzel a folyamattal lehetőséged van betölteni a titkosítási kulcsokat amiket egy másik Matrix kliensből mentettél ki. Ez után minden üzenetet vissza tudsz fejteni amit a másik kliens tudott.", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Ha egy újabb %(brand)s verziót használt, akkor valószínűleg ez a munkamenet nem lesz kompatibilis vele. Zárja be az ablakot és térjen vissza az újabb verzióhoz.", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Azonosítás céljából egy harmadik félhez leszel irányítva (%(integrationsUrl)s). Folytatod?", - "Check for update": "Frissítések keresése", "Delete widget": "Kisalkalmazás törlése", "AM": "de.", "PM": "du.", @@ -204,7 +183,6 @@ }, "Delete Widget": "Kisalkalmazás törlése", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "A kisalkalmazás törlése minden felhasználót érint a szobában. Biztos, hogy törli a kisalkalmazást?", - "A text message has been sent to %(msisdn)s": "Szöveges üzenetet küldtünk neki: %(msisdn)s", "%(items)s and %(count)s others": { "other": "%(items)s és még %(count)s másik", "one": "%(items)s és még egy másik" @@ -218,8 +196,6 @@ "collapse": "becsukás", "expand": "kinyitás", "Send": "Elküldés", - "Old cryptography data detected": "Régi titkosítási adatot találhatók", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Régebbi %(brand)s verzióból származó adatok találhatók. Ezek hibás működéshez vezethettek a végpontok közti titkosításban a régebbi verzióknál. A nemrég küldött/fogadott titkosított üzenetek, ha a régi adatokat használták, lehetséges, hogy nem lesznek visszafejthetők ebben a verzióban. Ha problémákba ütközik, akkor jelentkezzen ki és be. A régi üzenetek elérésének biztosításához exportálja a kulcsokat, és importálja be újra.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Ahogy lefokozod magad a változás visszafordíthatatlan, ha te vagy az utolsó jogosultságokkal bíró felhasználó a szobában a jogok már nem szerezhetők vissza.", "Replying": "Válasz", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(fullYear)s. %(monthName)s %(day)s., %(weekDayName)s", @@ -236,7 +212,6 @@ "Unavailable": "Elérhetetlen", "Source URL": "Forrás URL", "Filter results": "Találatok szűrése", - "No update available.": "Nincs elérhető frissítés.", "Tuesday": "Kedd", "Preparing to send logs": "Előkészülés napló küldéshez", "Saturday": "Szombat", @@ -249,7 +224,6 @@ "Search…": "Keresés…", "Logs sent": "Napló elküldve", "Yesterday": "Tegnap", - "Error encountered (%(errorDetail)s).": "Hiba történt (%(errorDetail)s).", "Low Priority": "Alacsony prioritás", "Wednesday": "Szerda", "Thank you!": "Köszönjük!", @@ -260,9 +234,6 @@ "We encountered an error trying to restore your previous session.": "Hiba történt az előző munkamenet helyreállítási kísérlete során.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "A böngésző tárolójának törlése megoldhatja a problémát, de ezzel kijelentkezik és a titkosított beszélgetéseinek előzményei olvashatatlanná válnak.", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Nem lehet betölteni azt az eseményt amire válaszoltál, mert vagy nem létezik, vagy nincs jogod megnézni.", - "Terms and Conditions": "Általános Szerződési Feltételek", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "A(z) %(homeserverDomain)s Matrix-kiszolgáló használatának folytatásához el kell olvasnia és el kell fogadnia a felhasználási feltételeket.", - "Review terms and conditions": "Általános Szerződési Feltételek elolvasása", "Can't leave Server Notices room": "Nem lehet elhagyni a Kiszolgálóüzenetek szobát", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Ez a szoba a Matrix-kiszolgáló fontos kiszolgálóüzenetei közlésére jött létre, nem tud belőle kilépni.", "No Audio Outputs detected": "Nem található hangkimenet", @@ -304,9 +275,7 @@ "If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Ha a másik %(brand)s verzió még fut egy másik fülön, akkor zárja be, mert ha egy gépen használja a %(brand)sot úgy, hogy az egyiken be van kapcsolva a késleltetett betöltés, a másikon pedig ki, akkor problémák adódhatnak.", "Incompatible local cache": "A helyi gyorsítótár nem kompatibilis ezzel a verzióval", "Clear cache and resync": "Gyorsítótár törlése és újraszinkronizálás", - "Please review and accept the policies of this homeserver:": "Nézze át és fogadja el a Matrix-kiszolgáló felhasználási feltételeit:", "Add some now": "Adj hozzá párat", - "Please review and accept all of the homeserver's policies": "Nézze át és fogadja el a Matrix-kiszolgáló felhasználási feltételeit", "To avoid losing your chat history, you must export your room keys before logging out. You will need to go back to the newer version of %(brand)s to do this": "Hogy a régi üzenetekhez továbbra is hozzáférhess kijelentkezés előtt ki kell mentened a szobák titkosító kulcsait. Ehhez a %(brand)s egy frissebb verzióját kell használnod", "Incompatible Database": "Nem kompatibilis adatbázis", "Continue With Encryption Disabled": "Folytatás a titkosítás kikapcsolásával", @@ -337,9 +306,6 @@ "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Az alábbi Matrix ID-koz nem sikerül megtalálni a profilokat - így is meghívod őket?", "Invite anyway and never warn me again": "Mindenképpen meghív és ne figyelmeztess többet", "Invite anyway": "Meghívás mindenképp", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Az ezzel felhasználóval váltott biztonságos üzenetek végpontok közti titkosítással védettek, és azt harmadik fél nem tudja elolvasni.", - "Got It": "Megértettem", - "Verify this user by confirming the following number appears on their screen.": "Ellenőrizze ezt a felhasználót azzal, hogy megerősíti, hogy a következő szám jelenik meg a képernyőjén.", "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "E-mail üzenetet küldtünk Önnek, hogy ellenőrizzük a címét. Kövesse az ott leírt utasításokat, és kattintson az alábbi gombra.", "Email Address": "E-mail cím", "All keys backed up": "Az összes kulcs elmentve", @@ -349,15 +315,11 @@ "Profile picture": "Profilkép", "Display Name": "Megjelenítési név", "Room information": "Szobainformációk", - "Room version": "Szoba verziója", - "Room version:": "Szoba verziója:", "General": "Általános", "Room Addresses": "Szobacímek", "Email addresses": "E-mail-cím", "Phone numbers": "Telefonszámok", - "Language and region": "Nyelv és régió", "Account management": "Fiókkezelés", - "Encryption": "Titkosítás", "Ignored users": "Mellőzött felhasználók", "Bulk options": "Tömeges beállítások", "Missing media permissions, click the button below to request.": "Hiányzó média jogosultságok, kattintson a lenti gombra a jogosultságok megadásához.", @@ -375,8 +337,6 @@ "Recovery Method Removed": "Helyreállítási mód törölve", "If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Ha nem Ön törölte a helyreállítási módot, akkor lehet, hogy egy támadó hozzá akar férni a fiókjához. Azonnal változtassa meg a jelszavát, és állítson be egy helyreállítási módot a Beállításokban.", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "A(z) „%(fileName)s” mérete túllépi a Matrix-kiszolgáló által megengedett korlátot", - "Verify this user by confirming the following emoji appear on their screen.": "Ellenőrizze ezt a felhasználót azzal, hogy megerősíti, hogy a következő emodzsi jelenik meg a képernyőjén.", - "Unable to find a supported verification method.": "Nem található támogatott ellenőrzési eljárás.", "Dog": "Kutya", "Cat": "Macska", "Lion": "Oroszlán", @@ -461,7 +421,6 @@ "The user must be unbanned before they can be invited.": "Előbb vissza kell vonni felhasználó kitiltását, mielőtt újra meghívható lesz.", "Accept all %(invitedRooms)s invites": "Mind a(z) %(invitedRooms)s meghívó elfogadása", "Power level": "Hozzáférési szint", - "Upgrade this room to the recommended room version": "A szoba fejlesztése a javasolt szobaverzióra", "This room is running room version , which this homeserver has marked as unstable.": "A szoba verziója: , amelyet a Matrix-kiszolgáló instabilnak tekint.", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "A szoba fejlesztése bezárja ezt a szobát és új, frissített verzióval ugyanezen a néven létrehoz egy újat.", "Failed to revoke invite": "A meghívó visszavonása sikertelen", @@ -469,10 +428,6 @@ "Revoke invite": "Meghívó visszavonása", "Invited by %(sender)s": "Meghívta: %(sender)s", "Remember my selection for this widget": "A döntés megjegyzése ehhez a kisalkalmazáshoz", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "%(count)s olvasatlan értesítésed van a régi verziójú szobában.", - "one": "%(count)s olvasatlan értesítésed van a régi verziójú szobában." - }, "The file '%(fileName)s' failed to upload.": "A(z) „%(fileName)s” fájl feltöltése sikertelen.", "Notes": "Megjegyzések", "Sign out and remove encryption keys?": "Kilépés és a titkosítási kulcsok törlése?", @@ -493,7 +448,6 @@ "Upload Error": "Feltöltési hiba", "The server does not support the room version specified.": "A kiszolgáló nem támogatja a megadott szobaverziót.", "The user's homeserver does not support the version of the room.": "A felhasználó Matrix-kiszolgálója nem támogatja a megadott szobaverziót.", - "View older messages in %(roomName)s.": "Régebbi üzenetek megjelenítése itt: %(roomName)s.", "Join the conversation with an account": "Beszélgetéshez való csatlakozás felhasználói fiókkal lehetséges", "Sign Up": "Fiók készítés", "Reason: %(reason)s": "Ok: %(reason)s", @@ -512,16 +466,6 @@ "This room has already been upgraded.": "Ez a szoba már fejlesztve van.", "Rotate Left": "Forgatás balra", "Rotate Right": "Forgatás jobbra", - "Use an email address to recover your account": "A felhasználói fiók visszaszerzése e-mail címmel", - "Enter email address (required on this homeserver)": "E-mail-cím megadása (ezen a Matrix-kiszolgálón kötelező)", - "Doesn't look like a valid email address": "Az e-mail cím nem tűnik érvényesnek", - "Enter password": "Adja meg a jelszót", - "Password is allowed, but unsafe": "A jelszó engedélyezett, de nem biztonságos", - "Nice, strong password!": "Szép, erős jelszó!", - "Passwords don't match": "A jelszavak nem egyeznek meg", - "Other users can invite you to rooms using your contact details": "Mások meghívhatnak a szobákba a kapcsolatoknál megadott adataiddal", - "Enter phone number (required on this homeserver)": "Telefonszám megadása (ennél a Matrix-kiszolgálónál kötelező)", - "Enter username": "Felhasználói név megadása", "Some characters not allowed": "Néhány karakter nem engedélyezett", "Failed to get autodiscovery configuration from server": "Nem sikerült lekérni az automatikus felderítés beállításait a kiszolgálóról", "Invalid base_url for m.homeserver": "Hibás base_url az m.homeserver -hez", @@ -630,7 +574,6 @@ "Show advanced": "Speciális beállítások megjelenítése", "Close dialog": "Ablak bezárása", "Show image": "Kép megjelenítése", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "A Matrix-kiszolgáló konfigurációjából hiányzik a captcha nyilvános kulcsa. Értesítse erről a Matrix-kiszolgáló rendszergazdáját.", "Your email address hasn't been verified yet": "Az e-mail-címe még nincs ellenőrizve", "Click the link in the email you received to verify and then click continue again.": "Ellenőrzéshez kattints a linkre az e-mailben amit kaptál és itt kattints a folytatásra újra.", "Add Email Address": "E-mail-cím hozzáadása", @@ -659,30 +602,7 @@ "%(name)s cancelled": "%(name)s megszakította", "%(name)s wants to verify": "%(name)s ellenőrizni szeretné", "You sent a verification request": "Ellenőrzési kérést küldtél", - "Ignored/Blocked": "Mellőzött/tiltott", - "Error adding ignored user/server": "Hiba a mellőzendő felhasználó/kiszolgáló hozzáadása során", - "Something went wrong. Please try again or view your console for hints.": "Valami nem sikerült. Próbálja újra, vagy nézze meg a konzolt a hiba okának felderítéséhez.", - "Error subscribing to list": "Hiba a listára való feliratkozás során", - "Error removing ignored user/server": "Hiba a mellőzendő felhasználó/kiszolgáló törlése során", - "Error unsubscribing from list": "Hiba a listáról való leiratkozás során", - "Please try again or view your console for hints.": "Próbálja újra, vagy nézze meg a konzolt a hiba okának felderítéséhez.", "None": "Semmi", - "Ban list rules - %(roomName)s": "Tiltólistaszabályok - %(roomName)s", - "Server rules": "Kiszolgálószabályok", - "User rules": "Felhasználói szabályok", - "You have not ignored anyone.": "Senkit sem mellőz.", - "You are currently ignoring:": "Jelenleg őket mellőzi:", - "You are not subscribed to any lists": "Nem iratkozott fel egyetlen listára sem", - "View rules": "Szabályok megtekintése", - "You are currently subscribed to:": "Jelenleg ezekre van feliratkozva:", - "⚠ These settings are meant for advanced users.": "⚠ Ezek a beállítások haladó felhasználók számára vannak.", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Az emberek mellőzése tiltólista használatával történik, ami arról tartalmaz szabályokat, hogy kiket kell kitiltani. A tiltólistára történő feliratkozás azt jelenti, hogy a lista által tiltott felhasználók/kiszolgálók üzenetei rejtve maradnak a számára.", - "Personal ban list": "Személyes tiltólista", - "Server or user ID to ignore": "Mellőzendő kiszolgáló- vagy felhasználói azonosító", - "eg: @bot:* or example.org": "például @bot:* vagy example.org", - "Subscribed lists": "Feliratkozott listák", - "Subscribing to a ban list will cause you to join it!": "A tiltólistára történő feliratkozás azzal jár, hogy csatlakozik hozzá!", - "If this isn't what you want, please use a different tool to ignore users.": "Ha nem ez az amit szeretne, akkor használjon más eszközt a felhasználók mellőzéséhez.", "You have ignored this user, so their message is hidden. Show anyways.": "Ezt a felhasználót figyelmen kívül hagyod, így az üzenetei el lesznek rejtve. Megjelenítés mindenképpen.", "Messages in this room are end-to-end encrypted.": "Az üzenetek a szobában végponttól végpontig titkosítottak.", "Any of the following data may be shared:": "Az alábbi adatok közül bármelyik megosztásra kerülhet:", @@ -715,10 +635,6 @@ "You'll upgrade this room from to .": " verzióról verzióra fogja fejleszteni a szobát.", " wants to chat": " csevegni szeretne", "Start chatting": "Beszélgetés elkezdése", - "Cross-signing public keys:": "Az eszközök közti hitelesítés nyilvános kulcsai:", - "not found": "nem találhatók", - "Cross-signing private keys:": "Az eszközök közti hitelesítés titkos kulcsai:", - "in secret storage": "a biztonsági tárolóban", "Secret storage public key:": "Titkos tároló nyilvános kulcsa:", "in account data": "fiókadatokban", "Unable to set up secret storage": "A biztonsági tárolót nem sikerült beállítani", @@ -734,7 +650,6 @@ "Show more": "Több megjelenítése", "Recent Conversations": "Legújabb Beszélgetések", "Direct Messages": "Közvetlen Beszélgetések", - "This bridge is managed by .": "Ezt a hidat a következő kezeli: .", "Failed to find the following users": "Az alábbi felhasználók nem találhatók", "The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Az alábbi felhasználók nem léteznek vagy hibásan vannak megadva, és nem lehet őket meghívni: %(csvNames)s", "Lock": "Lakat", @@ -754,7 +669,6 @@ "Upgrade your encryption": "Titkosításod fejlesztése", "Verify this session": "Munkamenet ellenőrzése", "Encryption upgrade available": "A titkosítási fejlesztés elérhető", - "This bridge was provisioned by .": "Ezt a hidat a következő készítette: .", "Securely cache encrypted messages locally for them to appear in search results.": "A titkosított üzenetek biztonságos helyi gyorsítótárazása, hogy megjelenhessenek a keresési találatok között.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "A titkosított üzenetek biztonságos helyi tárolásához hiányzik néhány összetevő a(z) %(brand)s alkalmazásból. Ha kísérletezni szeretne ezzel a funkcióval, akkor állítson össze egy egyéni asztali %(brand)s alkalmazást, amely tartalmazza a keresési összetevőket.", "Message search": "Üzenet keresése", @@ -764,9 +678,7 @@ "Setting up keys": "Kulcsok beállítása", "Verifies a user, session, and pubkey tuple": "Felhasználó, munkamenet és nyilvános kulcs hármas ellenőrzése", "Session already verified!": "A munkamenet már ellenőrzött.", - "Waiting for %(displayName)s to verify…": "Várakozás %(displayName)s felhasználóra az ellenőrzéshez…", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "A fiókjához tartozik egy eszközök közti hitelesítési identitás, de ez a munkamenet még nem jelölte megbízhatónak.", - "in memory": "a memóriában", "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "FIGYELEM: A KULCSELLENŐRZÉS SIKERTELEN! %(userId)s aláírási kulcsa és a(z) %(deviceId)s munkamenet ujjlenyomata „%(fprint)s”, amely nem egyezik meg a megadott ujjlenyomattal: „%(fingerprint)s”. Ez azt is jelentheti, hogy a kommunikációt lehallgatják.", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "A megadott aláírási kulcs megegyezik %(userId)s felhasználótól kapott aláírási kulccsal ebben a munkamenetben: %(deviceId)s. A munkamenet ellenőrzöttnek lett jelölve.", "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Ez az munkamenet nem menti el a kulcsait, de van létező mentése, amelyből helyre tudja állítani, és amelyhez hozzá tudja adni a továbbiakban.", @@ -774,8 +686,6 @@ "Connect this session to Key Backup": "Munkamenet csatlakoztatása a kulcsmentéshez", "This backup is trusted because it has been restored on this session": "Ez a mentés megbízható, mert ebben a munkamenetben lett helyreállítva", "Your keys are not being backed up from this session.": "A kulcsai nem kerülnek mentésre ebből a munkamenetből.", - "Session ID:": "Munkamenetazonosító:", - "Session key:": "Munkamenetkulcs:", "This user has not verified all of their sessions.": "Ez a felhasználó még nem ellenőrizte az összes munkamenetét.", "You have not verified this user.": "Még nem ellenőrizted ezt a felhasználót.", "You have verified this user. This user has verified all of their sessions.": "Ezt a felhasználót ellenőrizted. Ez a felhasználó hitelesítette az összes munkamenetét.", @@ -807,7 +717,6 @@ "Verify this device to mark it as trusted. Trusting this device gives you and other users extra peace of mind when using end-to-end encrypted messages.": "Eszköz ellenőrzése és beállítás megbízhatóként. Az eszközben való megbízás megnyugtató lehet, ha végpontok közötti titkosítást használsz.", "Verifying this device will mark it as trusted, and users who have verified with you will trust this device.": "Az eszköz ellenőrzése megbízhatónak fogja jelezni az eszközt és azok a felhasználók, akik téged ellenőriztek, megbíznak majd ebben az eszközödben.", "Cancel entering passphrase?": "Megszakítja a jelmondat bevitelét?", - "Confirm your identity by entering your account password below.": "A fiók jelszó megadásával erősítsd meg a személyazonosságodat.", "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Fejleszd ezt a munkamenetet, hogy más munkameneteket is tudj vele hitelesíteni, azért, hogy azok hozzáférhessenek a titkosított üzenetekhez és megbízhatónak legyenek jelölve más felhasználók számára.", "Create key backup": "Kulcs mentés készítése", "This session is encrypting history using the new recovery method.": "Ez a munkamenet az új helyreállítási móddal titkosítja a régi üzeneteket.", @@ -821,18 +730,11 @@ "Clear cross-signing keys": "Eszközök közti hitelesítési kulcsok törlése", "You declined": "Elutasítottad", "%(name)s declined": "%(name)s elutasította", - "Cancelling…": "Megszakítás…", "Your homeserver does not support cross-signing.": "A Matrix-kiszolgálója nem támogatja az eszközök közti hitelesítést.", - "Homeserver feature support:": "A Matrix-kiszolgáló funkciótámogatása:", - "exists": "létezik", "Accepting…": "Elfogadás…", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "A Matrixszal kapcsolatos biztonsági hibák jelentésével kapcsolatban olvassa el a Matrix.org biztonsági hibák közzétételi házirendjét.", "Mark all as read": "Összes megjelölése olvasottként", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "A szoba címének megváltoztatásakor hiba történt. Lehet, hogy a szerver nem engedélyezi vagy átmeneti hiba történt.", - "Self signing private key:": "Önaláíró titkos kulcs:", - "cached locally": "helyben gyorsítótárazott", - "not found locally": "nem található helyben", - "User signing private key:": "Felhasználó aláírási titkos kulcs:", "Scroll to most recent messages": "A legfrissebb üzenethez görget", "Local address": "Helyi cím", "Published Addresses": "Nyilvánosságra hozott cím", @@ -910,9 +812,6 @@ "Your homeserver has exceeded one of its resource limits.": "A Matrix-kiszolgálója túllépte valamelyik erőforráskorlátját.", "Contact your server admin.": "Vegye fel a kapcsolatot a kiszolgáló rendszergazdájával.", "Ok": "Rendben", - "New version available. Update now.": "Új verzió érhető el. Frissítés most.", - "Please verify the room ID or address and try again.": "Ellenőrizze a szobaazonosítót vagy a címet, és próbálja újra.", - "Room ID or address of ban list": "A tiltólista szobaazonosítója vagy címe", "Error creating address": "Cím beállítási hiba", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "A cím beállításánál hiba történt. Vagy nincs engedélyezve a szerveren vagy átmeneti hiba történt.", "You don't have permission to delete the address.": "A cím törléséhez nincs jogosultságod.", @@ -949,7 +848,6 @@ "This room is public": "Ez egy nyilvános szoba", "Are you sure you want to cancel entering passphrase?": "Biztos, hogy megszakítja a jelmondat bevitelét?", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "A(z) %(brand)s nem képes helyileg biztonságosan elmenteni a titkosított üzeneteket, ha webböngészőben fut. Használja az asztali %(brand)s alkalmazást, hogy az üzenetekben való kereséskor a titkosított üzenetek is megjelenjenek.", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "A mellőzendő felhasználókat és kiszolgálókat itt adja meg. Használjon csillagot a(z) %(brand)s kliensben, hogy minden karakterre illeszkedjen. Például a @bot:* figyelmen kívül fog hagyni minden „bot” nevű felhasználót, minden kiszolgálóról.", "Edited at %(date)s": "Szerkesztve ekkor: %(date)s", "Click to view edits": "A szerkesztések megtekintéséhez kattints", "Change notification settings": "Értesítési beállítások megváltoztatása", @@ -966,7 +864,6 @@ "A connection error occurred while trying to contact the server.": "Kapcsolati hiba történt a kiszolgáló elérése során.", "The server is not configured to indicate what the problem is (CORS).": "A kiszolgáló nem úgy van beállítva, hogy megjelenítse a probléma forrását (CORS).", "Recent changes that have not yet been received": "A legutóbbi változások, amelyek még nem érkeztek meg", - "Master private key:": "Elsődleges titkos kulcs:", "Explore public rooms": "Nyilvános szobák felfedezése", "Unexpected server error trying to leave the room": "Váratlan kiszolgálóhiba lépett fel a szobából való kilépés során", "Error leaving room": "Hiba a szoba elhagyásakor", @@ -991,7 +888,6 @@ "Add widgets, bridges & bots": "Kisalkalmazások, hidak, és botok hozzáadása", "Unable to set up keys": "Nem sikerült a kulcsok beállítása", "Safeguard against losing access to encrypted messages & data": "Biztosíték a titkosított üzenetekhez és adatokhoz való hozzáférés elvesztése ellen", - "not found in storage": "nem találhatók a tárolóban", "Widgets": "Kisalkalmazások", "Edit widgets, bridges & bots": "Kisalkalmazások, hidak és botok szerkesztése", "Use the Desktop app to see all encrypted files": "Ahhoz, hogy elérd az összes titkosított fájlt, használd az Asztali alkalmazást", @@ -1274,9 +1170,6 @@ "Greece": "Görögország", "Gibraltar": "Gibraltár", "There was a problem communicating with the homeserver, please try again later.": "A kiszolgálóval való kommunikáció során probléma történt, próbálja újra.", - "That phone number doesn't look quite right, please check and try again": "Ez a telefonszám nem tűnik teljesen helyesnek, kérlek ellenőrizd újra", - "Enter phone number": "Telefonszám megadása", - "Enter email address": "E-mail cím megadása", "Hold": "Várakoztatás", "Resume": "Folytatás", "Decline All": "Összes elutasítása", @@ -1299,8 +1192,6 @@ "Dial pad": "Tárcsázó számlap", "There was an error looking up the phone number": "Hiba történt a telefonszám megkeresése során", "Unable to look up phone number": "A telefonszámot nem sikerült megtalálni", - "Workspace: ": "Munkaterület: ", - "Channel: ": "Csatorna: ", "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "A munkamenet észrevette, hogy a biztonságos üzenetek biztonsági jelmondata és kulcsa törölve lett.", "A new Security Phrase and key for Secure Messages have been detected.": "A biztonságos üzenetekhez új biztonsági jelmondat és kulcs lett észlelve.", "Confirm your Security Phrase": "Biztonsági Jelmondat megerősítése", @@ -1326,12 +1217,10 @@ "Use app for a better experience": "A jobb élmény érdekében használjon alkalmazást", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "A böngészőt arra kértük, hogy jegyezze meg, melyik Matrix-kiszolgálót használta a bejelentkezéshez, de sajnos a böngészője elfelejtette. Navigáljon a bejelentkezési oldalra, és próbálja újra.", "We couldn't log you in": "Sajnos nem tudtuk bejelentkeztetni", - "Something went wrong in confirming your identity. Cancel and try again.": "A személyazonosság ellenőrzésénél valami hiba történt. Megszakítás és próbálja újra.", "Remember this": "Emlékezzen erre", "The widget will verify your user ID, but won't be able to perform actions for you:": "A kisalkalmazás ellenőrizni fogja a felhasználói azonosítóját, de az alábbi tevékenységeket nem tudja végrehajtani:", "Allow this widget to verify your identity": "A kisalkalmazás ellenőrizheti a személyazonosságát", "Recently visited rooms": "Nemrég meglátogatott szobák", - "Original event source": "Eredeti esemény forráskód", "%(count)s members": { "one": "%(count)s tag", "other": "%(count)s tag" @@ -1381,7 +1270,6 @@ "Invite with email or username": "Meghívás e-mail-címmel vagy felhasználónévvel", "You can change these anytime.": "Ezeket bármikor megváltoztathatja.", "Verify your identity to access encrypted messages and prove your identity to others.": "Ellenőrizze a személyazonosságát, hogy hozzáférjen a titkosított üzeneteihez és másoknak is bizonyítani tudja személyazonosságát.", - "Verification requested": "Hitelesítés kérés elküldve", "Avatar": "Profilkép", "Reset event store": "Az eseménytároló alaphelyzetbe állítása", "You most likely do not want to reset your event index store": "Az eseményindex-tárolót nagy valószínűséggel nem szeretné alaphelyzetbe állítani", @@ -1594,7 +1482,6 @@ "Verify with Security Key": "Ellenőrzés Biztonsági Kulccsal", "Verify with Security Key or Phrase": "Ellenőrzés Biztonsági Kulccsal vagy Jelmondattal", "It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "Úgy tűnik, hogy nem rendelkezik biztonsági kulccsal, vagy másik eszközzel, amelyikkel ellenőrizhetné. Ezzel az eszközzel nem fér majd hozzá a régi titkosított üzenetekhez. Ahhoz, hogy a személyazonosságát ezen az eszközön ellenőrizni lehessen, az ellenőrzédi kulcsokat alaphelyzetbe kell állítani.", - "Create poll": "Szavazás létrehozása", "Updating spaces... (%(progress)s out of %(count)s)": { "one": "Terek frissítése…", "other": "Terek frissítése… (%(progress)s / %(count)s)" @@ -1634,13 +1521,6 @@ "Copy link to thread": "Hivatkozás másolása az üzenetszálba", "Thread options": "Üzenetszál beállításai", "If you can't see who you're looking for, send them your invite link below.": "Ha nem található a keresett személy, küldje el az alábbi hivatkozást neki.", - "Add option": "Lehetőség hozzáadása", - "Write an option": "Adjon meg egy lehetőséget", - "Option %(number)s": "%(number)s. lehetőség", - "Create options": "Adjon hozzá választható lehetőségeket", - "Question or topic": "Kérdés vagy téma", - "What is your poll question or topic?": "Mi a szavazás kérdése vagy tárgya?", - "Create Poll": "Szavazás létrehozása", "In encrypted rooms, verify all users to ensure it's secure.": "Titkosított szobákban ellenőrizd a szoba összes tagját, hogy meggyőződhess a biztonságról.", "Yours, or the other users' session": "Az ön vagy a másik felhasználó munkamenete", "Yours, or the other users' internet connection": "Az ön vagy a másik felhasználó Internet kapcsolata", @@ -1673,8 +1553,6 @@ "one": "%(spaceName)s és még %(count)s másik", "other": "%(spaceName)s és még %(count)s másik" }, - "Sorry, the poll you tried to create was not posted.": "Sajnos a szavazás amit készített nem lett elküldve.", - "Failed to post poll": "A szavazást nem sikerült beküldeni", "Sorry, your vote was not registered. Please try again.": "Sajnos az Ön szavazata nem lett rögzítve. Kérjük ismételje meg újra.", "Vote not registered": "Nem regisztrált szavazat", "Pin to sidebar": "Kitűzés az oldalsávra", @@ -1740,10 +1618,6 @@ "You cancelled verification on your other device.": "Az ellenőrzést megszakította a másik eszközön.", "Almost there! Is your other device showing the same shield?": "Majdnem kész! A többi eszköze is ugyanazt a pajzsot mutatja?", "To proceed, please accept the verification request on your other device.": "A folytatáshoz fogadja el az ellenőrzés kérést a másik eszközről.", - "Waiting for you to verify on your other device…": "Várakozás a másik eszköztől való ellenőrzésre…", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Várakozás a másik eszközről való ellenőrzésre: %(deviceName)s (%(deviceId)s)…", - "Verify this device by confirming the following number appears on its screen.": "Ellenőrizze ezt az eszközt azzal, hogy megerősíti, hogy a következő szám jelenik meg a képernyőjén.", - "Confirm the emoji below are displayed on both devices, in the same order:": "Erősítse meg, hogy az alábbi emodzsik mindkét eszközön azonos sorrendben jelentek-e meg:", "Back to thread": "Vissza az üzenetszálhoz", "Room members": "Szobatagok", "Back to chat": "Vissza a csevegéshez", @@ -1759,7 +1633,6 @@ "Remove from %(roomName)s": "Eltávolít innen: %(roomName)s", "You were removed from %(roomName)s by %(memberName)s": "Önt %(memberName)s eltávolította ebből a szobából: %(roomName)s", "From a thread": "Az üzenetszálból", - "Internal room ID": "Belső szobaazonosító", "Group all your people in one place.": "Csoportosítsa az összes ismerősét egy helyre.", "Group all your favourite rooms and people in one place.": "Csoportosítsa az összes kedvenc szobáját és ismerősét egy helyre.", "Pick a date to jump to": "Idő kiválasztása az ugráshoz", @@ -1776,16 +1649,10 @@ "%(space1Name)s and %(space2Name)s": "%(space1Name)s és %(space2Name)s", "Use to scroll": "Görgetés ezekkel: ", "Feedback sent! Thanks, we appreciate it!": "Visszajelzés elküldve. Köszönjük, nagyra értékeljük.", - "Edit poll": "Szavazás szerkesztése", "Sorry, you can't edit a poll after votes have been cast.": "Sajnos a szavazás nem szerkeszthető miután szavazatok érkeztek.", "Can't edit poll": "A szavazás nem szerkeszthető", "Join %(roomAddress)s": "Belépés ide: %(roomAddress)s", "Search Dialog": "Keresési párbeszédablak", - "Results are only revealed when you end the poll": "Az eredmény csak a szavazás végeztével válik láthatóvá", - "Voters see results as soon as they have voted": "A szavazók a szavazásuk után látják a szavazatokat", - "Closed poll": "Zárt szavazás", - "Open poll": "Nyitott szavazás", - "Poll type": "Szavazás típusa", "Results will be visible when the poll is ended": "Az eredmény a szavazás végeztével válik láthatóvá", "Pinned": "Kitűzött", "Open thread": "Üzenetszál megnyitása", @@ -1869,8 +1736,6 @@ "Loading preview": "Előnézet betöltése", "New video room": "Új videó szoba", "New room": "Új szoba", - "View older version of %(spaceName)s.": "A(z) %(spaceName)s tér régebbi verziójának megtekintése.", - "Upgrade this space to the recommended room version": "A tér frissítése a javasolt szobaverzióra", "Failed to join": "Csatlakozás sikertelen", "The person who invited you has already left, or their server is offline.": "Aki meghívta a szobába már távozott, vagy a kiszolgálója nem érhető el.", "The person who invited you has already left.": "A személy, aki meghívta, már távozott.", @@ -1897,11 +1762,7 @@ "%(members)s and %(last)s": "%(members)s és %(last)s", "%(members)s and more": "%(members)s és mások", "Your message wasn't sent because this homeserver has been blocked by its administrator. Please contact your service administrator to continue using the service.": "Az üzenete nem lett elküldve, mert a Matrix-kiszolgáló rendszergazdája letiltotta. A szolgáltatás használatának folytatásához vegye fel a kapcsolatot a szolgáltatás rendszergazdájával.", - "Resent!": "Újraküldve!", - "Did not receive it? Resend it": "Nem kapta meg? Újraküldés", - "To create your account, open the link in the email we just sent to %(emailAddress)s.": "A fiók elkészítéséhez nyissa meg az e-mailben elküldött hivatkozást amit erre a címre küldtünk: %(emailAddress)s.", "Unread email icon": "Olvasatlan e-mail ikon", - "Check your email to continue": "Ellenőrizze az e-mail-t a továbblépéshez", "An error occurred whilst sharing your live location, please try again": "Élő pozíció megosztás közben hiba történt, kérjük próbálja újra", "An error occurred whilst sharing your live location": "Élő pozíció megosztás közben hiba történt", "An error occurred while stopping your live location": "Élő pozíció megosztás megállítása közben hiba történt", @@ -1909,8 +1770,6 @@ "Output devices": "Kimeneti eszközök", "Input devices": "Beviteli eszközök", "Open room": "Szoba megnyitása", - "Click to read topic": "Kattintson a téma elolvasásához", - "Edit topic": "Téma szerkesztése", "Enable live location sharing": "Élő helymegosztás engedélyezése", "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Figyelem: ez a labor lehetőség egy átmeneti megvalósítás. Ez azt jelenti, hogy a szobába már elküldött helyadatok az élő hely megosztás leállítása után is hozzáférhetők maradnak a szobában.", "Live location sharing": "Élő földrajzi hely megosztása", @@ -1971,7 +1830,6 @@ "Choose a locale": "Válasszon nyelvet", "Saved Items": "Mentett elemek", "Sessions": "Munkamenetek", - "Spell check": "Helyesírás-ellenőrzés", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "A legjobb biztonság érdekében ellenőrizze a munkameneteit, és jelentkezzen ki azokból, amelyeket nem ismer fel, vagy már nem használ.", "Interactively verify by emoji": "Interaktív ellenőrzés emodzsikkal", "Manually verify by text": "Kézi szöveges ellenőrzés", @@ -2047,15 +1905,11 @@ "Confirm new password": "Új jelszó megerősítése", "Too many attempts in a short time. Retry after %(timeout)s.": "Rövid idő alatt túl sok próbálkozás. Próbálkozzon ennyi idő múlva: %(timeout)s.", "Too many attempts in a short time. Wait some time before trying again.": "Rövid idő alatt túl sok próbálkozás. Várjon egy kicsit mielőtt újra próbálkozik.", - "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.": "Kísérletező kedvében van? Próbálja ki a legújabb fejlesztési ötleteinket. Ezek nincsenek befejezve; lehet, hogy instabilak, megváltozhatnak vagy el is tűnhetnek. Tudjon meg többet.", "Thread root ID: %(threadRootId)s": "Üzenetszál gyökerének azonosítója: %(threadRootId)s", "WARNING: ": "FIGYELEM: ", "We were unable to start a chat with the other user.": "A beszélgetést a másik felhasználóval nem lehetett elindítani.", "Error starting verification": "Ellenőrzés indításakor hiba lépett fel", "Change layout": "Képernyőbeosztás megváltoztatása", - "Early previews": "Lehetőségek korai megjelenítése", - "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "Mi várható a(z) %(brand)s fejlesztésében? A labor a legjobb hely az új dolgok kipróbálásához, visszajelzés adásához és a funkciók éles indulás előtti kialakításában történő segítséghez.", - "Upcoming features": "Készülő funkciók", "Search users in this room…": "Felhasználók keresése a szobában…", "Give one or multiple users in this room more privileges": "Több jog adása egy vagy több felhasználónak a szobában", "Add privileged users": "Privilegizált felhasználók hozzáadása", @@ -2075,11 +1929,8 @@ "Edit link": "Hivatkozás szerkesztése", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", "%(senderName)s started a voice broadcast": "%(senderName)s hangos közvetítést indított", - "Registration token": "Regisztrációs token", - "Enter a registration token provided by the homeserver administrator.": "Adja meg a regisztrációs tokent, amelyet a Matrix-kiszolgáló rendszergazdája adott meg.", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Minden üzenet és meghívó ettől a felhasználótól rejtve marad. Biztos, hogy figyelmen kívül hagyja?", "Ignore %(user)s": "%(user)s figyelmen kívül hagyása", - "Manage account": "Fiók kezelése", "Your account details are managed separately at %(hostname)s.": "A fiókadatok külön vannak kezelve itt: %(hostname)s.", "unknown": "ismeretlen", "Red": "Piros", @@ -2092,13 +1943,11 @@ "Enter a Security Phrase only you know, as it's used to safeguard your data. To be secure, you shouldn't re-use your account password.": "Olyan biztonsági jelmondatot adjon meg amit csak Ön ismer, mert ez fogja az adatait őrizni. Hogy biztonságos legyen ne használja a fiók jelszavát.", "Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Figyelmeztetés: A személyes adatai (beleértve a titkosító kulcsokat is) továbbra is az eszközön vannak tárolva. Ha az eszközt nem használja tovább vagy másik fiókba szeretne bejelentkezni, törölje őket.", "Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Csak akkor folytassa ha biztos benne, hogy elvesztett minden hozzáférést a többi eszközéhez és biztonsági kulcsához.", - "Keep going…": "Így tovább…", "Connecting…": "Kapcsolás…", "Scan QR code": "QR kód beolvasása", "Select '%(scanQRCode)s'": "Kiválasztás „%(scanQRCode)s”", "Loading live location…": "Élő földrajzi helyzet meghatározás betöltése…", "There are no past polls in this room": "Nincsenek régebbi szavazások ebben a szobában", - "Write something…": "Írjon valamit…", "Saving…": "Mentés…", "There are no active polls in this room": "Nincsenek aktív szavazások ebben a szobában", "Fetching keys from server…": "Kulcsok lekérése a kiszolgálóról…", @@ -2112,11 +1961,7 @@ "Joining space…": "Belépés a térbe…", "Encrypting your message…": "Üzenet titkosítása…", "Sending your message…": "Üzenet küldése…", - "Warning: upgrading a room will not automatically migrate room members to the new version of the room. We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.": "Figyelmeztetés: A szoba fejlesztése nem fogja automatikusan átvinni a szoba résztvevőit az új verziójú szobába. A régi szobába bekerül egy az új szobára mutató hivatkozás – a tagoknak rá kell kattintaniuk a hivatkozásra az új szobába való belépéshez.", - "Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named '%(myBanList)s' - stay in this room to keep the ban list in effect.": "A személyes tiltólistája tartalmazza azokat a személyeket/kiszolgálókat, akiktől nem szeretne üzeneteket látni. Az első felhasználó/kiszolgáló mellőzése után egy új szoba jelenik meg a szobalistájában „%(myBanList)s” névvel – ahhoz, hogy a lista érvényben maradjon, maradjon a szobában.", "Set a new account password…": "Új fiókjelszó beállítása…", - "Downloading update…": "Frissítés letöltése…", - "Checking for an update…": "Frissítés keresése…", "Backing up %(sessionsRemaining)s keys…": "%(sessionsRemaining)s kulcs biztonsági mentése…", "This session is backing up your keys.": "Ez a munkamenet elmenti a kulcsait.", "Connecting to integration manager…": "Kapcsolódás az integrációkezelőhöz…", @@ -2182,7 +2027,6 @@ "Error changing password": "Hiba a jelszó módosítása során", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (HTTP állapot: %(httpStatus)s)", "Unknown password change error (%(stringifiedError)s)": "Ismeretlen jelszómódosítási hiba (%(stringifiedError)s)", - "Error while changing password: %(error)s": "Hiba a jelszó módosítása során: %(error)s", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Matrix-kiszolgáló nélkül nem lehet felhasználókat meghívni e-mailben. Kapcsolódjon egyhez a „Beállítások” alatt.", "Failed to download source media, no source url was found": "A forrásmédia letöltése sikertelen, nem található forráswebcím", "common": { @@ -2465,7 +2309,15 @@ "sliding_sync_disable_warning": "A kikapcsoláshoz ki, majd újra be kell jelentkezni, használja óvatosan.", "sliding_sync_proxy_url_optional_label": "Proxy webcíme (nem kötelező)", "sliding_sync_proxy_url_label": "Proxy webcíme", - "video_rooms_beta": "A videó szobák béta állapotúak" + "video_rooms_beta": "A videó szobák béta állapotúak", + "bridge_state_creator": "Ezt a hidat a következő készítette: .", + "bridge_state_manager": "Ezt a hidat a következő kezeli: .", + "bridge_state_workspace": "Munkaterület: ", + "bridge_state_channel": "Csatorna: ", + "beta_section": "Készülő funkciók", + "beta_description": "Mi várható a(z) %(brand)s fejlesztésében? A labor a legjobb hely az új dolgok kipróbálásához, visszajelzés adásához és a funkciók éles indulás előtti kialakításában történő segítséghez.", + "experimental_section": "Lehetőségek korai megjelenítése", + "experimental_description": "Kísérletező kedvében van? Próbálja ki a legújabb fejlesztési ötleteinket. Ezek nincsenek befejezve; lehet, hogy instabilak, megváltozhatnak vagy el is tűnhetnek. Tudjon meg többet." }, "keyboard": { "home": "Kezdőlap", @@ -2798,7 +2650,26 @@ "record_session_details": "A kliens nevének, verziójának és webcímének felvétele a munkamenetek könnyebb felismerése érdekében a munkamenet-kezelőben", "strict_encryption": "Sose küldjön titkosított üzenetet ellenőrizetlen munkamenetekbe ebből a munkamenetből", "enable_message_search": "Üzenetek keresésének bekapcsolása a titkosított szobákban", - "manually_verify_all_sessions": "Az összes távoli munkamenet kézi ellenőrzése" + "manually_verify_all_sessions": "Az összes távoli munkamenet kézi ellenőrzése", + "cross_signing_public_keys": "Az eszközök közti hitelesítés nyilvános kulcsai:", + "cross_signing_in_memory": "a memóriában", + "cross_signing_not_found": "nem találhatók", + "cross_signing_private_keys": "Az eszközök közti hitelesítés titkos kulcsai:", + "cross_signing_in_4s": "a biztonsági tárolóban", + "cross_signing_not_in_4s": "nem találhatók a tárolóban", + "cross_signing_master_private_Key": "Elsődleges titkos kulcs:", + "cross_signing_cached": "helyben gyorsítótárazott", + "cross_signing_not_cached": "nem található helyben", + "cross_signing_self_signing_private_key": "Önaláíró titkos kulcs:", + "cross_signing_user_signing_private_key": "Felhasználó aláírási titkos kulcs:", + "cross_signing_homeserver_support": "A Matrix-kiszolgáló funkciótámogatása:", + "cross_signing_homeserver_support_exists": "létezik", + "export_megolm_keys": "E2E szobakulcsok exportálása", + "import_megolm_keys": "E2E szobakulcsok importálása", + "cryptography_section": "Titkosítás", + "session_id": "Munkamenetazonosító:", + "session_key": "Munkamenetkulcs:", + "encryption_section": "Titkosítás" }, "preferences": { "room_list_heading": "Szobalista", @@ -2913,6 +2784,12 @@ }, "security_recommendations": "Biztonsági javaslatok", "security_recommendations_description": "Javítsa a fiókja biztonságát azzal, hogy követi a következő javaslatokat." + }, + "general": { + "oidc_manage_button": "Fiók kezelése", + "account_section": "Fiók", + "language_section": "Nyelv és régió", + "spell_check_section": "Helyesírás-ellenőrzés" } }, "devtools": { @@ -3009,7 +2886,8 @@ "low_bandwidth_mode": "Alacsony sávszélességű mód", "developer_mode": "Fejlesztői mód", "view_source_decrypted_event_source": "Visszafejtett esemény forráskód", - "view_source_decrypted_event_source_unavailable": "A visszafejtett forrás nem érhető el" + "view_source_decrypted_event_source_unavailable": "A visszafejtett forrás nem érhető el", + "original_event_source": "Eredeti esemény forráskód" }, "export_chat": { "html": "HTML", @@ -3632,6 +3510,17 @@ "url_preview_encryption_warning": "A titkosított szobákban, mint például ez is, az URL előnézet alapértelmezetten ki van kapcsolva, hogy biztosított legyen, hogy a Matrix szerver (ahol az előnézet készül) ne tudjon információt gyűjteni arról, hogy milyen linkeket látsz ebben a szobában.", "url_preview_explainer": "Ha valaki URL linket helyez az üzenetébe, lehetőség van egy előnézet megjelenítésére amivel további információt kaphatunk a linkről, mint cím, leírás és a weboldal képe.", "url_previews_section": "URL előnézet" + }, + "advanced": { + "unfederated": "Ez a szoba távoli Matrix-kiszolgálóról nem érhető el", + "room_upgrade_warning": "Figyelmeztetés: A szoba fejlesztése nem fogja automatikusan átvinni a szoba résztvevőit az új verziójú szobába. A régi szobába bekerül egy az új szobára mutató hivatkozás – a tagoknak rá kell kattintaniuk a hivatkozásra az új szobába való belépéshez.", + "space_upgrade_button": "A tér frissítése a javasolt szobaverzióra", + "room_upgrade_button": "A szoba fejlesztése a javasolt szobaverzióra", + "space_predecessor": "A(z) %(spaceName)s tér régebbi verziójának megtekintése.", + "room_predecessor": "Régebbi üzenetek megjelenítése itt: %(roomName)s.", + "room_id": "Belső szobaazonosító", + "room_version_section": "Szoba verziója", + "room_version": "Szoba verziója:" } }, "encryption": { @@ -3647,8 +3536,22 @@ "sas_prompt": "Egyedi emodzsik összehasonlítása", "sas_description": "Hasonlítsd össze az egyedi emodzsikat ha valamelyik eszközön nincs kamera", "qr_or_sas": "%(qrCode)s vagy %(emojiCompare)s", - "qr_or_sas_header": "Ellenőrizze ezt az eszközt az alábbiak egyikével:" - } + "qr_or_sas_header": "Ellenőrizze ezt az eszközt az alábbiak egyikével:", + "explainer": "Az ezzel felhasználóval váltott biztonságos üzenetek végpontok közti titkosítással védettek, és azt harmadik fél nem tudja elolvasni.", + "complete_action": "Megértettem", + "sas_emoji_caption_self": "Erősítse meg, hogy az alábbi emodzsik mindkét eszközön azonos sorrendben jelentek-e meg:", + "sas_emoji_caption_user": "Ellenőrizze ezt a felhasználót azzal, hogy megerősíti, hogy a következő emodzsi jelenik meg a képernyőjén.", + "sas_caption_self": "Ellenőrizze ezt az eszközt azzal, hogy megerősíti, hogy a következő szám jelenik meg a képernyőjén.", + "sas_caption_user": "Ellenőrizze ezt a felhasználót azzal, hogy megerősíti, hogy a következő szám jelenik meg a képernyőjén.", + "unsupported_method": "Nem található támogatott ellenőrzési eljárás.", + "waiting_other_device_details": "Várakozás a másik eszközről való ellenőrzésre: %(deviceName)s (%(deviceId)s)…", + "waiting_other_device": "Várakozás a másik eszköztől való ellenőrzésre…", + "waiting_other_user": "Várakozás %(displayName)s felhasználóra az ellenőrzéshez…", + "cancelling": "Megszakítás…" + }, + "old_version_detected_title": "Régi titkosítási adatot találhatók", + "old_version_detected_description": "Régebbi %(brand)s verzióból származó adatok találhatók. Ezek hibás működéshez vezethettek a végpontok közti titkosításban a régebbi verzióknál. A nemrég küldött/fogadott titkosított üzenetek, ha a régi adatokat használták, lehetséges, hogy nem lesznek visszafejthetők ebben a verzióban. Ha problémákba ütközik, akkor jelentkezzen ki és be. A régi üzenetek elérésének biztosításához exportálja a kulcsokat, és importálja be újra.", + "verification_requested_toast_title": "Hitelesítés kérés elküldve" }, "emoji": { "category_frequently_used": "Gyakran használt", @@ -3762,7 +3665,51 @@ "phone_optional_label": "Telefonszám (nem kötelező)", "email_help_text": "Adj meg egy e-mail címet, hogy vissza tudd állítani a jelszavad.", "email_phone_discovery_text": "Az e-mail, vagy telefonszám használatával a jelenlegi ismerőseid is megtalálhatnak.", - "email_discovery_text": "Az e-mail (nem kötelező) megadása segíthet abban, hogy az ismerőseid megtaláljanak Matrix-on." + "email_discovery_text": "Az e-mail (nem kötelező) megadása segíthet abban, hogy az ismerőseid megtaláljanak Matrix-on.", + "session_logged_out_title": "Kijelentkezett", + "session_logged_out_description": "A biztonság érdekében ez a kapcsolat le lesz bontva. Légy szíves jelentkezz be újra.", + "change_password_error": "Hiba a jelszó módosítása során: %(error)s", + "change_password_mismatch": "Az új jelszavak nem egyeznek", + "change_password_empty": "A jelszó nem lehet üres", + "set_email_prompt": "Szeretne beállítani e-mail-címet?", + "change_password_confirm_label": "Jelszó megerősítése", + "change_password_confirm_invalid": "A jelszavak nem egyeznek meg", + "change_password_current_label": "Jelenlegi jelszó", + "change_password_new_label": "Új jelszó", + "change_password_action": "Jelszó módosítása", + "email_field_label": "E-mail", + "email_field_label_required": "E-mail cím megadása", + "email_field_label_invalid": "Az e-mail cím nem tűnik érvényesnek", + "uia": { + "password_prompt": "A fiók jelszó megadásával erősítsd meg a személyazonosságodat.", + "recaptcha_missing_params": "A Matrix-kiszolgáló konfigurációjából hiányzik a captcha nyilvános kulcsa. Értesítse erről a Matrix-kiszolgáló rendszergazdáját.", + "terms_invalid": "Nézze át és fogadja el a Matrix-kiszolgáló felhasználási feltételeit", + "terms": "Nézze át és fogadja el a Matrix-kiszolgáló felhasználási feltételeit:", + "email_auth_header": "Ellenőrizze az e-mail-t a továbblépéshez", + "email": "A fiók elkészítéséhez nyissa meg az e-mailben elküldött hivatkozást amit erre a címre küldtünk: %(emailAddress)s.", + "email_resend_prompt": "Nem kapta meg? Újraküldés", + "email_resent": "Újraküldve!", + "msisdn_token_incorrect": "Helytelen token", + "msisdn": "Szöveges üzenetet küldtünk neki: %(msisdn)s", + "msisdn_token_prompt": "Add meg a benne lévő kódot:", + "registration_token_prompt": "Adja meg a regisztrációs tokent, amelyet a Matrix-kiszolgáló rendszergazdája adott meg.", + "registration_token_label": "Regisztrációs token", + "sso_failed": "A személyazonosság ellenőrzésénél valami hiba történt. Megszakítás és próbálja újra.", + "fallback_button": "Hitelesítés indítása" + }, + "password_field_label": "Adja meg a jelszót", + "password_field_strong_label": "Szép, erős jelszó!", + "password_field_weak_label": "A jelszó engedélyezett, de nem biztonságos", + "password_field_keep_going_prompt": "Így tovább…", + "username_field_required_invalid": "Felhasználói név megadása", + "msisdn_field_required_invalid": "Telefonszám megadása", + "msisdn_field_number_invalid": "Ez a telefonszám nem tűnik teljesen helyesnek, kérlek ellenőrizd újra", + "msisdn_field_label": "Telefon", + "identifier_label": "Bejelentkezés ezzel:", + "reset_password_email_field_description": "A felhasználói fiók visszaszerzése e-mail címmel", + "reset_password_email_field_required_invalid": "E-mail-cím megadása (ezen a Matrix-kiszolgálón kötelező)", + "msisdn_field_description": "Mások meghívhatnak a szobákba a kapcsolatoknál megadott adataiddal", + "registration_msisdn_field_required_invalid": "Telefonszám megadása (ennél a Matrix-kiszolgálónál kötelező)" }, "room_list": { "sort_unread_first": "Olvasatlan üzeneteket tartalmazó szobák megjelenítése elől", @@ -3956,7 +3903,13 @@ "see_changes_button": "Mik az újdonságok?", "release_notes_toast_title": "Újdonságok", "toast_title": "A(z) %(brand)s frissítése", - "toast_description": "Új %(brand)s verzió érhető el" + "toast_description": "Új %(brand)s verzió érhető el", + "error_encountered": "Hiba történt (%(errorDetail)s).", + "checking": "Frissítés keresése…", + "no_update": "Nincs elérhető frissítés.", + "downloading": "Frissítés letöltése…", + "new_version_available": "Új verzió érhető el. Frissítés most.", + "check_action": "Frissítések keresése" }, "threads": { "all_threads": "Minden üzenetszál", @@ -4009,7 +3962,35 @@ }, "labs_mjolnir": { "room_name": "Saját tiltólista", - "room_topic": "Ez a saját, tiltott felhasználókat és kiszolgálókat tartalmazó listája – ne hagyja el ezt a szobát!" + "room_topic": "Ez a saját, tiltott felhasználókat és kiszolgálókat tartalmazó listája – ne hagyja el ezt a szobát!", + "ban_reason": "Mellőzött/tiltott", + "error_adding_ignore": "Hiba a mellőzendő felhasználó/kiszolgáló hozzáadása során", + "something_went_wrong": "Valami nem sikerült. Próbálja újra, vagy nézze meg a konzolt a hiba okának felderítéséhez.", + "error_adding_list_title": "Hiba a listára való feliratkozás során", + "error_adding_list_description": "Ellenőrizze a szobaazonosítót vagy a címet, és próbálja újra.", + "error_removing_ignore": "Hiba a mellőzendő felhasználó/kiszolgáló törlése során", + "error_removing_list_title": "Hiba a listáról való leiratkozás során", + "error_removing_list_description": "Próbálja újra, vagy nézze meg a konzolt a hiba okának felderítéséhez.", + "rules_title": "Tiltólistaszabályok - %(roomName)s", + "rules_server": "Kiszolgálószabályok", + "rules_user": "Felhasználói szabályok", + "personal_empty": "Senkit sem mellőz.", + "personal_section": "Jelenleg őket mellőzi:", + "no_lists": "Nem iratkozott fel egyetlen listára sem", + "view_rules": "Szabályok megtekintése", + "lists": "Jelenleg ezekre van feliratkozva:", + "title": "Mellőzött felhasználók", + "advanced_warning": "⚠ Ezek a beállítások haladó felhasználók számára vannak.", + "explainer_1": "A mellőzendő felhasználókat és kiszolgálókat itt adja meg. Használjon csillagot a(z) %(brand)s kliensben, hogy minden karakterre illeszkedjen. Például a @bot:* figyelmen kívül fog hagyni minden „bot” nevű felhasználót, minden kiszolgálóról.", + "explainer_2": "Az emberek mellőzése tiltólista használatával történik, ami arról tartalmaz szabályokat, hogy kiket kell kitiltani. A tiltólistára történő feliratkozás azt jelenti, hogy a lista által tiltott felhasználók/kiszolgálók üzenetei rejtve maradnak a számára.", + "personal_heading": "Személyes tiltólista", + "personal_description": "A személyes tiltólistája tartalmazza azokat a személyeket/kiszolgálókat, akiktől nem szeretne üzeneteket látni. Az első felhasználó/kiszolgáló mellőzése után egy új szoba jelenik meg a szobalistájában „%(myBanList)s” névvel – ahhoz, hogy a lista érvényben maradjon, maradjon a szobában.", + "personal_new_label": "Mellőzendő kiszolgáló- vagy felhasználói azonosító", + "personal_new_placeholder": "például @bot:* vagy example.org", + "lists_heading": "Feliratkozott listák", + "lists_description_1": "A tiltólistára történő feliratkozás azzal jár, hogy csatlakozik hozzá!", + "lists_description_2": "Ha nem ez az amit szeretne, akkor használjon más eszközt a felhasználók mellőzéséhez.", + "lists_new_label": "A tiltólista szobaazonosítója vagy címe" }, "create_space": { "name_required": "Adjon meg egy nevet a térhez", @@ -4074,6 +4055,12 @@ "private_unencrypted_warning": "A privát üzenetek általában titkosítottak de ez a szoba nem az. Általában ez a titkosítást nem támogató eszköz vagy metódus használata miatt lehet, mint az e-mail meghívók.", "enable_encryption_prompt": "Titkosítás bekapcsolása a beállításokban.", "unencrypted_warning": "Végpontok közötti titkosítás nincs engedélyezve" + }, + "edit_topic": "Téma szerkesztése", + "read_topic": "Kattintson a téma elolvasásához", + "unread_notifications_predecessor": { + "other": "%(count)s olvasatlan értesítésed van a régi verziójú szobában.", + "one": "%(count)s olvasatlan értesítésed van a régi verziójú szobában." } }, "file_panel": { @@ -4088,9 +4075,31 @@ "intro": "A folytatáshoz el kell fogadnia a felhasználási feltételeket.", "column_service": "Szolgáltatás", "column_summary": "Összefoglaló", - "column_document": "Dokumentum" + "column_document": "Dokumentum", + "tac_title": "Általános Szerződési Feltételek", + "tac_description": "A(z) %(homeserverDomain)s Matrix-kiszolgáló használatának folytatásához el kell olvasnia és el kell fogadnia a felhasználási feltételeket.", + "tac_button": "Általános Szerződési Feltételek elolvasása" }, "space_settings": { "title": "Beállítások – %(spaceName)s" + }, + "poll": { + "create_poll_title": "Szavazás létrehozása", + "create_poll_action": "Szavazás létrehozása", + "edit_poll_title": "Szavazás szerkesztése", + "failed_send_poll_title": "A szavazást nem sikerült beküldeni", + "failed_send_poll_description": "Sajnos a szavazás amit készített nem lett elküldve.", + "type_heading": "Szavazás típusa", + "type_open": "Nyitott szavazás", + "type_closed": "Zárt szavazás", + "topic_heading": "Mi a szavazás kérdése vagy tárgya?", + "topic_label": "Kérdés vagy téma", + "topic_placeholder": "Írjon valamit…", + "options_heading": "Adjon hozzá választható lehetőségeket", + "options_label": "%(number)s. lehetőség", + "options_placeholder": "Adjon meg egy lehetőséget", + "options_add_button": "Lehetőség hozzáadása", + "disclosed_notes": "A szavazók a szavazásuk után látják a szavazatokat", + "notes": "Az eredmény csak a szavazás végeztével válik láthatóvá" } } diff --git a/src/i18n/strings/id.json b/src/i18n/strings/id.json index 5dac2f8565..49f3c08ff9 100644 --- a/src/i18n/strings/id.json +++ b/src/i18n/strings/id.json @@ -1,15 +1,10 @@ { - "Account": "Akun", "No Microphones detected": "Tidak ada mikrofon terdeteksi", "No media permissions": "Tidak ada izin media", "Are you sure?": "Apakah Anda yakin?", "An error has occurred.": "Telah terjadi kesalahan.", "Are you sure you want to reject the invitation?": "Anda yakin menolak undangannya?", - "Change Password": "Ubah Kata Sandi", - "Confirm password": "Konfirmasi kata sandi", - "Current password": "Kata sandi sekarang", "Deactivate Account": "Nonaktifkan Akun", - "Email": "Email", "Email address": "Alamat email", "Default": "Bawaan", "Download %(text)s": "Unduh %(text)s", @@ -18,12 +13,9 @@ "Incorrect verification code": "Kode verifikasi tidak benar", "Invalid Email Address": "Alamat Email Tidak Absah", "Invited": "Diundang", - "Sign in with": "Masuk dengan", "Low priority": "Prioritas rendah", - "New passwords don't match": "Kata sandi baru tidak cocok", "": "", "Operation failed": "Operasi gagal", - "Passwords can't be empty": "Kata sandi tidak boleh kosong", "Profile": "Profil", "Reason": "Alasan", "Return to login screen": "Kembali ke halaman masuk", @@ -66,7 +58,6 @@ "%(items)s and %(lastItem)s": "%(items)s dan %(lastItem)s", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Tidak dapat terhubung ke homeserver — harap cek koneksi anda, pastikan sertifikat SSL homeserver Anda terpercaya, dan ekstensi browser tidak memblokir permintaan.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Tidak dapat terhubung ke homeserver melalui HTTP ketika URL di browser berupa HTTPS. Gunakan HTTPS atau aktifkan skrip yang tidak aman.", - "Cryptography": "Kriptografi", "Decrypt %(text)s": "Dekripsi %(text)s", "Sunday": "Minggu", "Notification targets": "Target notifikasi", @@ -77,7 +68,6 @@ "Unavailable": "Tidak Tersedia", "All Rooms": "Semua Ruangan", "Source URL": "URL Sumber", - "No update available.": "Tidak ada pembaruan yang tersedia.", "Tuesday": "Selasa", "Search…": "Cari…", "Unnamed room": "Ruang tanpa nama", @@ -92,7 +82,6 @@ "Invite to this room": "Undang ke ruangan ini", "Thursday": "Kamis", "Yesterday": "Kemarin", - "Error encountered (%(errorDetail)s).": "Terjadi kesalahan (%(errorDetail)s).", "Low Priority": "Prioritas Rendah", "Failed to change password. Is your password correct?": "Gagal untuk mengubah kata sandi. Apakah kata sandi Anda benar?", "Thank you!": "Terima kasih!", @@ -436,7 +425,6 @@ "%(duration)ss": "%(duration)sd", "Unignore": "Hilangkan Abaian", "Copied!": "Disalin!", - "Phone": "Ponsel", "Historical": "Riwayat", "Unban": "Hilangkan Cekalan", "Home": "Beranda", @@ -449,17 +437,14 @@ "Algorithm:": "Algoritma:", "Unencrypted": "Tidak Dienkripsi", "Bridges": "Jembatan", - "exists": "sudah ada", "Lock": "Gembok", "Later": "Nanti", "Accepting…": "Menerima…", "Italics": "Miring", "None": "Tidak Ada", - "Ignored/Blocked": "Diabaikan/Diblokir", "Mushroom": "Jamur", "Folder": "Map", "Scissors": "Gunting", - "Cancelling…": "Membatalkan…", "Ok": "Ok", "Success!": "Berhasil!", "Notes": "Nota", @@ -527,7 +512,6 @@ "Dog": "Anjing", "Demote": "Turunkan", "Replying": "Membalas", - "Encryption": "Enkripsi", "General": "Umum", "Deactivate user?": "Nonaktifkan pengguna?", "Remove %(phone)s?": "Hapus %(phone)s?", @@ -537,8 +521,6 @@ "Checking server": "Memeriksa server", "Show advanced": "Tampilkan lanjutan", "Hide advanced": "Sembunyikan lanjutan", - "Enter username": "Masukkan nama pengguna", - "Enter password": "Masukkan kata sandi", "Upload Error": "Kesalahan saat Mengunggah", "Cancel All": "Batalkan Semua", "Upload all": "Unggah semua", @@ -563,8 +545,6 @@ "Main address": "Alamat utama", "Phone Number": "Nomor Telepon", "Room Addresses": "Alamat Ruangan", - "Room version:": "Versi ruangan:", - "Room version": "Versi ruangan", "Room information": "Informasi ruangan", "Bulk options": "Opsi massal", "Ignored users": "Pengguna yang diabaikan", @@ -586,7 +566,6 @@ "Audio Output": "Output Audio", "Set up": "Siapkan", "Delete Backup": "Hapus Cadangan", - "Got It": "Mengerti", "Unrecognised address": "Alamat tidak dikenal", "Send Logs": "Kirim Catatan", "Filter results": "Saring hasil", @@ -598,9 +577,6 @@ "one": "(~%(count)s hasil)", "other": "(~%(count)s hasil)" }, - "Signed Out": "Keluar", - "Start authentication": "Mulai autentikasi", - "Token incorrect": "Token salah", "Delete widget": "Hapus widget", "Reject invitation": "Tolak undangan", "Confirm Removal": "Konfirmasi Penghapusan", @@ -612,7 +588,6 @@ "Confirm passphrase": "Konfirmasi frasa sandi", "Enter passphrase": "Masukkan frasa sandi", "Unknown error": "Kesalahan tidak diketahui", - "New Password": "Kata sandi baru", "Results": "Hasil", "Joined": "Tergabung", "Joining": "Bergabung", @@ -738,34 +713,12 @@ }, "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Verifikasi setiap sesi yang digunakan oleh pengguna satu per satu untuk menandainya sebagai tepercaya, dan tidak memercayai perangkat yang ditandatangani silang.", "Failed to set display name": "Gagal untuk menetapkan nama tampilan", - "Session key:": "Kunci sesi:", - "Session ID:": "ID Sesi:", - "Import E2E room keys": "Impor kunci enkripsi ujung ke ujung", - "Homeserver feature support:": "Dukungan fitur homeserver:", - "Self signing private key:": "Kunci privat penandatanganan diri:", - "User signing private key:": "Kunci rahasia penandatanganan pengguna:", - "not found locally": "tidak ditemukan secara lokal", - "cached locally": "dicache secara lokal", - "Master private key:": "Kunci privat utama:", - "not found in storage": "tidak ditemukan di penyimpanan", - "in secret storage": "di penyimpanan rahasia", - "Cross-signing private keys:": "Kunci privat penandatanganan silang:", - "not found": "tidak ditemukan", - "in memory": "di penyimpanan", - "Cross-signing public keys:": "Kunci publik penandatanganan silang:", "Cross-signing is not set up.": "Penandatanganan silang belum disiapkan.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Akun Anda mempunyai identitas penandatanganan silang di penyimpanan rahasia, tetapi belum dipercayai oleh sesi ini.", "Cross-signing is ready but keys are not backed up.": "Penandatanganan silang telah siap tetapi kunci belum dicadangkan.", "Cross-signing is ready for use.": "Penandatanganan silang siap digunakan.", "Your homeserver does not support cross-signing.": "Homeserver Anda tidak mendukung penandatanganan silang.", - "Passwords don't match": "Kata sandi tidak cocok", - "Do you want to set an email address?": "Apakah Anda ingin menetapkan sebuah alamat email?", - "Export E2E room keys": "Ekspor kunci ruangan enkripsi ujung ke ujung", "No display name": "Tidak ada nama tampilan", - "Channel: ": "Saluran: ", - "Workspace: ": "Ruang kerja: ", - "This bridge is managed by .": "Jembatan ini dikelola oleh .", - "This bridge was provisioned by .": "Jembatan ini disediakan oleh .", "Space options": "Opsi space", "Jump to first invite.": "Pergi ke undangan pertama.", "Jump to first unread room.": "Pergi ke ruangan yang belum dibaca.", @@ -796,11 +749,6 @@ "Delete avatar": "Hapus avatar", "Accept to continue:": "Terima untuk melanjutkan:", "Your server isn't responding to some requests.": "Server Anda tidak menanggapi beberapa permintaan.", - "Waiting for %(displayName)s to verify…": "Menunggu %(displayName)s untuk memverifikasi…", - "Unable to find a supported verification method.": "Tidak dapat menemukan metode verifikasi yang didukung.", - "Verify this user by confirming the following number appears on their screen.": "Verifikasi pengguna ini dengan mengkonfirmasi nomor berikut yang ditampilkan.", - "Verify this user by confirming the following emoji appear on their screen.": "Verifikasi pengguna ini dengan mengkonfirmasi emoji berikut yang ditampilkan.", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Pesan dengan pengguna ini terenkripsi secara ujung ke ujung dan tidak dapat dibaca oleh pihak ketiga.", "Show sidebar": "Tampilkan sisi bilah", "Hide sidebar": "Sembunyikan sisi bilah", "unknown person": "pengguna tidak dikenal", @@ -826,8 +774,6 @@ "Share your public space": "Bagikan space publik Anda", "Invite to %(spaceName)s": "Undang ke %(spaceName)s", "Double check that your server supports the room version chosen and try again.": "Periksa ulang jika server Anda mendukung versi ruangan ini dan coba lagi.", - "Check for update": "Periksa untuk pembaruan", - "New version available. Update now.": "Versi yang baru telah tersedia. Perbarui sekarang.", "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Manajer integrasi menerima data pengaturan, dan dapat mengubah widget, mengirimkan undangan ruangan, dan mengatur tingkat daya dengan sepengetahuan Anda.", "Manage integrations": "Kelola integrasi", "Use an integration manager to manage bots, widgets, and sticker packs.": "Gunakan sebuah manajer integrasi untuk mengelola bot, widget, dan paket stiker.", @@ -856,42 +802,13 @@ "Reject all %(invitedRooms)s invites": "Tolak semua %(invitedRooms)s undangan", "Accept all %(invitedRooms)s invites": "Terima semua %(invitedRooms)s undangan", "You have no ignored users.": "Anda tidak memiliki pengguna yang diabaikan.", - "Room ID or address of ban list": "ID ruangan atau alamat daftar larangan", - "If this isn't what you want, please use a different tool to ignore users.": "Jika itu bukan yang Anda ingin, mohon pakai alat yang lain untuk mengabaikan pengguna.", - "Subscribing to a ban list will cause you to join it!": "Berlangganan sebuah daftar larangan akan membuat Anda bergabung!", - "Subscribed lists": "Langganan daftar", - "eg: @bot:* or example.org": "mis: @bot:* atau contoh.org", - "Server or user ID to ignore": "Server atau ID pengguna untuk diabaikan", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Mengabaikan orang dilakukan melalui daftar larangan yang berisi aturan tentang siapa yang harus dicekal. Berlangganan daftar larangan berarti pengguna/server yang diblokir oleh daftar itu akan disembunyikan dari Anda.", - "Personal ban list": "Daftar Larangan Saya", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Tambahkan pengguna dan server yang ingin Anda abaikan di sini. Gunakan tanda bintang agar %(brand)s cocok dengan karakter apa saja. Misalnya, @bot:* akan mengabaikan semua pengguna yang memiliki nama 'bot' di server apa saja.", - "⚠ These settings are meant for advanced users.": "⚠ Pengaturan ini hanya untuk pengguna berkelanjutan saja.", - "You are currently subscribed to:": "Anda saat ini berlangganan:", - "View rules": "Tampilkan aturan", - "You are not subscribed to any lists": "Anda belum berlangganan daftar apa pun", - "You are currently ignoring:": "Anda saat ini mengabaikan:", - "You have not ignored anyone.": "Anda belum mengabaikan siapa pun.", - "User rules": "Aturan pengguna", - "Server rules": "Aturan server", - "Ban list rules - %(roomName)s": "Daftar aturan cekalan — %(roomName)s", - "Please try again or view your console for hints.": "Mohon coba lagi atau lihat konsol Anda untuk petunjuk.", - "Error subscribing to list": "Terjadi kesalahan berlangganan daftar", - "Error unsubscribing from list": "Terjadi kesalahan membatalkan langganan daftar", - "Error removing ignored user/server": "Terjadi kesalahan menghapus pengguna/server yang diabaikan", - "Please verify the room ID or address and try again.": "Mohon verifikasi ID ruangan atau alamat dan coba lagi.", - "Something went wrong. Please try again or view your console for hints.": "Ada sesuatu yang salah. Mohon coba lagi atau lihat konsol Anda untuk petunjuk.", - "Error adding ignored user/server": "Terjadi kesalahan menambahkan pengguna/server yang diabaikan", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Untuk melaporkan masalah keamanan yang berkaitan dengan Matrix, mohon baca Kebijakan Penyingkapan Keamanan Matrix.org.", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Terima Ketentuan Layanannya server identitas %(serverName)s untuk mengizinkan Anda untuk dapat ditemukan dengan alamat email atau nomor telepon.", - "Language and region": "Bahasa dan wilayah", "Rooms outside of a space": "Ruangan yang tidak berada di sebuah space", "Missing media permissions, click the button below to request.": "Membutuhkan izin media, klik tombol di bawah untuk meminta izin.", "This room isn't bridging messages to any platforms. Learn more.": "Ruangan tidak ini menjembatani pesan-pesan ke platform apa pun. Pelajari lebih lanjut.", "This room is bridging messages to the following platforms. Learn more.": "Ruangan ini menjembatani pesan-pesan ke platform berikut ini. Pelajari lebih lanjut.", "Space information": "Informasi space", - "View older messages in %(roomName)s.": "Lihat pesan-pesan lama di %(roomName)s.", - "Upgrade this room to the recommended room version": "Tingkatkan ruangan ini ke versi ruangan yang direkomendasikan", - "This room is not accessible by remote Matrix servers": "Ruangan ini tidak dapat diakses oleh pengguna Matrix jarak jauh", "Voice & Video": "Suara & Video", "No Audio Outputs detected": "Tidak ada output audio yang terdeteksi", "Request media permissions": "Minta izin media", @@ -998,7 +915,6 @@ "The conversation continues here.": "Obrolannya dilanjutkan di sini.", "More options": "Opsi lebih banyak", "Send voice message": "Kirim sebuah pesan suara", - "Create poll": "Buat poll", "You do not have permission to start polls in this room.": "Anda tidak memiliki izin untuk memulai sebuah poll di ruangan ini.", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (tingkat daya %(powerLevelNumber)s)", "Filter room members": "Saring anggota ruangan", @@ -1245,13 +1161,6 @@ "In reply to this message": "Membalas ke pesan ini", "In reply to ": "Membalas ke ", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Tidak dapat memuat peristiwa yang dibalas, karena tidak ada atau Anda tidak memiliki izin untuk menampilkannya.", - "Add option": "Tambahkan opsi", - "Write an option": "Tulis sebuah opsi", - "Option %(number)s": "Opsi %(number)s", - "Create options": "Buat opsi", - "Question or topic": "Pertanyaan atau topik", - "What is your poll question or topic?": "Apa pertanyaan atau topik poll Anda?", - "Create Poll": "Buat Poll", "Language Dropdown": "Dropdown Bahasa", "%(count)s people you know have already joined": { "one": "%(count)s orang yang Anda tahu telah bergabung", @@ -1335,7 +1244,6 @@ "New passwords must match each other.": "Kata sandi baru harus cocok.", "Skip verification for now": "Lewatkan verifikasi untuk sementara", "Really reset verification keys?": "Benar-benar ingin mengatur ulang kunci-kunci verifikasi?", - "Original event source": "Sumber peristiwa asli", "Could not load user profile": "Tidak dapat memuat profil pengguna", "Currently joining %(count)s rooms": { "one": "Saat ini bergabung dengan %(count)s ruangan", @@ -1357,10 +1265,6 @@ "You may want to try a different search or check for typos.": "Anda mungkin ingin mencoba pencarian yang berbeda atau periksa untuk typo.", "No results found": "Tidak ada hasil yang ditemukan", "You don't have permission": "Anda tidak memiliki izin", - "You have %(count)s unread notifications in a prior version of this room.": { - "one": "Anda punya %(count)s notifikasi yang belum dibaca dalam versi sebelumnya dari ruangan ini.", - "other": "Anda punya %(count)s notifikasi yang belum dibaca dalam versi sebelumnya dari ruangan ini." - }, "Failed to reject invite": "Gagal untuk menolak undangan", "No more results": "Tidak ada hasil lagi", "Server may be unavailable, overloaded, or search timed out :(": "Server mungkin tidak tersedia, terlalu penuh, atau waktu pencarian habis :(", @@ -1375,13 +1279,6 @@ "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Pesan Anda tidak terkirim karena homeserver ini melebihi sebuah batas sumber daya. Mohon hubungi administrator layanan Anda untuk melanjutkan menggunakan layanannya.", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Pesan Anda tidak terkirim karena homesever ini telah mencapat batas Pengguna Aktif Bulanan. Mohon hubungi administrator layanan Anda untuk melanjutkan menggunakan layanannya.", "You can't send any messages until you review and agree to our terms and conditions.": "Anda tidak dapat mengirimkan pesan apa saja sampai Anda lihat dan terima syarat dan ketentuan kami.", - "Verification requested": "Verifikasi diminta", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Data dari %(brand)s versi lama telah terdeteksi. Ini akan menyebabkan kriptografi ujung ke ujung tidak berfungsi di versi yang lebih lama. Pesan terenkripsi secara ujung ke ujung yang dipertukarkan baru-baru ini saat menggunakan versi yang lebih lama mungkin tidak dapat didekripsi dalam versi ini. Ini juga dapat menyebabkan pesan yang dipertukarkan dengan versi ini gagal. Jika Anda mengalami masalah, keluar dan masuk kembali. Untuk menyimpan riwayat pesan, ekspor dan impor ulang kunci Anda.", - "Old cryptography data detected": "Data kriptografi lama terdeteksi", - "Review terms and conditions": "Lihat syarat dan ketentuan", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Untuk melanjutkan menggunakan homeserver %(homeserverDomain)s Anda harus lihat dan terima ke syarat dan ketentuan kami.", - "Terms and Conditions": "Syarat dan Ketentuan", - "For security, this session has been signed out. Please sign in again.": "Untuk keamanan, sesi ini telah dikeluarkan. Silakan masuk lagi.", "Unable to copy a link to the room to the clipboard.": "Tidak dapat menyalin sebuah tautan ruangan ke papan klip.", "Unable to copy room link": "Tidak dapat menyalin tautan ruangan", "Are you sure you want to leave the space '%(spaceName)s'?": "Apakah Anda yakin untuk keluar dari space '%(spaceName)s'?", @@ -1393,23 +1290,6 @@ "Error downloading audio": "Terjadi kesalahan mengunduh audio", "Unnamed audio": "Audio tidak dinamai", "Sign in with SSO": "Masuk dengan SSO", - "Enter phone number (required on this homeserver)": "Masukkan nomor telepon (diperlukan di homeserver ini)", - "Other users can invite you to rooms using your contact details": "Pengguna lain dapat mengundang Anda ke ruangan menggunakan detail kontak Anda", - "Enter email address (required on this homeserver)": "Masukkan alamat email (diperlukan di homeserver ini)", - "Use an email address to recover your account": "Gunakan sebuah alamat email untuk memulihkan akun Anda", - "That phone number doesn't look quite right, please check and try again": "Nomor teleponnya tidak terlihat benar, mohon periksa dan coba lagi", - "Enter phone number": "Masukkan nomor telepon", - "Password is allowed, but unsafe": "Kata sandi diperbolehkan, tetapi tidak aman", - "Nice, strong password!": "Bagus, kata sandinya kuat!", - "Something went wrong in confirming your identity. Cancel and try again.": "Ada sesuatu yang salah saat mengkonfirmasi identitas Anda. Batalkan dan coba lagi.", - "Please enter the code it contains:": "Silakan masukkan kode yang berisi:", - "A text message has been sent to %(msisdn)s": "Sebuah pesan teks telah dikirim ke %(msisdn)s", - "Please review and accept the policies of this homeserver:": "Mohon lihat dan terima semua kebijakan homeserver ini:", - "Please review and accept all of the homeserver's policies": "Mohon lihat dan terima semua kebijakan homeserver ini", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Tidak ada kunci publik captcha di konfigurasi homeserver. Mohon melaporkannya ke administrator homeserver Anda.", - "Confirm your identity by entering your account password below.": "Konfirmasi identitas Anda dengan memasukkan kata sandi akun Anda di bawah.", - "Doesn't look like a valid email address": "Kelihatannya bukan sebuah alamat email yang absah", - "Enter email address": "Masukkan alamat email", "Country Dropdown": "Dropdown Negara", "This homeserver would like to make sure you are not a robot.": "Homeserver ini memastikan Anda bahwa Anda bukan sebuah robot.", "This room is public": "Ruangan ini publik", @@ -1667,8 +1547,6 @@ "Passphrase must not be empty": "Frasa sandi harus tidak kosong", "Passphrases must match": "Frasa sandi harus cocok", "Unable to set up secret storage": "Tidak dapat menyiapkan penyimpanan rahasia", - "Sorry, the poll you tried to create was not posted.": "Maaf, poll yang Anda buat tidak dapat dikirim.", - "Failed to post poll": "Gagal untuk mengirim poll", "Sorry, your vote was not registered. Please try again.": "Maaf, suara Anda tidak didaftarkan. Silakan coba lagi.", "Vote not registered": "Suara tidak didaftarkan", "Developer": "Pengembang", @@ -1733,7 +1611,6 @@ "Back to thread": "Kembali ke utasan", "Room members": "Anggota ruangan", "Back to chat": "Kembali ke obrolan", - "Waiting for you to verify on your other device…": "Menunggu Anda untuk verifikasi di perangkat Anda yang lain…", "Your new device is now verified. Other users will see it as trusted.": "Perangkat baru Anda telah diverifikasi. Pengguna lain akan melihat perangkat baru Anda sebagai dipercayai.", "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Perangkat baru Anda telah diverifikasi. Perangkat baru Anda dapat mengakses pesan-pesan terenkripsi Anda, dan pengguna lain akan melihat perangkat baru Anda sebagai dipercayai.", "Verify with another device": "Verifikasi dengan perangkat lain", @@ -1744,9 +1621,6 @@ "You cancelled verification on your other device.": "Anda membatalkan verifikasi di perangkat Anda yang lain.", "Almost there! Is your other device showing the same shield?": "Hampir selesai! Apakah perangkat lain Anda menampilkan perisai yang sama?", "To proceed, please accept the verification request on your other device.": "Untuk melanjutkan, mohon terima permintaan verifikasi di perangkat Anda yang lain.", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Menunggu Anda untuk memverifikasi perangkat Anda yang lain, %(deviceName)s (%(deviceId)s)…", - "Verify this device by confirming the following number appears on its screen.": "Verifikasi perangkat ini dengan mengkonfirmasi nomor berikut ini yang ditampilkan di layarnya.", - "Confirm the emoji below are displayed on both devices, in the same order:": "Konfirmasi emoji di bawah yang ditampilkan di kedua perangkat, dalam urutan yang sama:", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Pasangan tidak diketahui (pengguna, sesi): (%(userId)s, %(deviceId)s)", "Unrecognised room address: %(roomAlias)s": "Alamat ruangan tidak dikenal: %(roomAlias)s", "Could not fetch location": "Tidak dapat mendapatkan lokasi", @@ -1759,7 +1633,6 @@ "Remove them from everything I'm able to": "Keluarkan dari semuanya yang saya bisa", "Message pending moderation: %(reason)s": "Pesan akan dimoderasikan: %(reason)s", "Message pending moderation": "Pesan akan dimoderasikan", - "Internal room ID": "ID ruangan internal", "Group all your people in one place.": "Kelompokkan semua orang di satu tempat.", "Group all your rooms that aren't part of a space in one place.": "Kelompokkan semua ruangan yang tidak ada di sebuah space di satu tempat.", "Group all your favourite rooms and people in one place.": "Kelompokkan semua ruangan dan orang favorit Anda di satu tempat.", @@ -1776,15 +1649,9 @@ "%(space1Name)s and %(space2Name)s": "%(space1Name)s dan %(space2Name)s", "Use to scroll": "Gunakan untuk menggulirkan", "Feedback sent! Thanks, we appreciate it!": "Masukan terkirim! Terima kasih, kami mengapresiasinya!", - "Edit poll": "Edit pungutan suara", "Sorry, you can't edit a poll after votes have been cast.": "Maaf, Anda tidak dapat mengedit sebuah poll setelah suara-suara diberikan.", "Can't edit poll": "Tidak dapat mengedit poll", "Join %(roomAddress)s": "Bergabung dengan %(roomAddress)s", - "Results are only revealed when you end the poll": "Hasil hanya akan disediakan ketika Anda mengakhiri pemungutan suara", - "Voters see results as soon as they have voted": "Pemberi suara akan melihat hasilnya ketika mereka telah memberikan suara", - "Closed poll": "Pemungutan suara tertutup", - "Open poll": "Pemungutan suara terbuka", - "Poll type": "Tipe pemungutan suara", "Results will be visible when the poll is ended": "Hasil akan tersedia setelah pemungutan suara berakhir", "Search Dialog": "Dialog Pencarian", "Pinned": "Disematkan", @@ -1833,8 +1700,6 @@ "Forget this space": "Lupakan space ini", "You were removed by %(memberName)s": "Anda telah dikeluarkan oleh %(memberName)s", "Loading preview": "Memuat tampilan", - "View older version of %(spaceName)s.": "Lihat versi %(spaceName)s yang lama.", - "Upgrade this space to the recommended room version": "Tingkatkan space ini ke versi ruangan yang disarankan", "Failed to join": "Gagal untuk bergabung", "The person who invited you has already left, or their server is offline.": "Orang yang mengundang Anda telah keluar, atau servernya sedang luring.", "The person who invited you has already left.": "Orang yang mengundang Anda telah keluar.", @@ -1910,13 +1775,7 @@ "Your message wasn't sent because this homeserver has been blocked by its administrator. Please contact your service administrator to continue using the service.": "Pesan Anda tidak dikirim karena homeserver ini telah diblokir oleh administrator. Mohon hubungi administrator layanan Anda untuk terus menggunakan layanan ini.", "An error occurred whilst sharing your live location, please try again": "Sebuah kesalahan terjadi saat membagikan lokasi langsung Anda, mohon coba lagi", "An error occurred whilst sharing your live location": "Sebuah kesalahan terjadi saat berbagi lokasi langsung Anda", - "Click to read topic": "Klik untuk membaca topik", - "Edit topic": "Edit topik", - "Resent!": "Dikirimkan ulang!", - "Did not receive it? Resend it": "Belum menerima? Kirim ulang", - "To create your account, open the link in the email we just sent to %(emailAddress)s.": "Untuk membuat akun Anda, buka tautan dalam email yang kami kirim ke %(emailAddress)s.", "Unread email icon": "Ikon email belum dibaca", - "Check your email to continue": "Periksa email Anda untuk melanjutkan", "Joining…": "Bergabung…", "%(count)s people joined": { "one": "%(count)s orang bergabung", @@ -1969,7 +1828,6 @@ "Messages in this chat will be end-to-end encrypted.": "Pesan di obrolan ini akan dienkripsi secara ujung ke ujung.", "Saved Items": "Item yang Tersimpan", "Choose a locale": "Pilih locale", - "Spell check": "Pemeriksa ejaan", "We're creating a room with %(names)s": "Kami sedang membuat sebuah ruangan dengan %(names)s", "Sessions": "Sesi", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Untuk keamanan yang terbaik, verifikasi sesi Anda dan keluarkan dari sesi yang Anda tidak kenal atau tidak digunakan lagi.", @@ -2050,11 +1908,7 @@ "Thread root ID: %(threadRootId)s": "ID akar utasan: %(threadRootId)s", "We were unable to start a chat with the other user.": "Kami tidak dapat memulai sebuah obrolan dengan pengguna lain.", "Error starting verification": "Terjadi kesalahan memulai verifikasi", - "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.": "Merasa eksperimental? Coba ide terkini kami dalam pengembangan. Fitur ini belum selesai; mereka mungkin tidak stabil, mungkin berubah, atau dihapus sama sekali. Pelajari lebih lanjut.", "WARNING: ": "PERINGATAN: ", - "Early previews": "Pratinjau awal", - "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "Apa berikutnya untuk %(brand)s? Fitur Uji Coba merupakan cara yang terbaik untuk mendapatkan hal-hal baru lebih awal, mencoba fitur baru dan membantu memperbaikinya sebelum diluncurkan.", - "Upcoming features": "Fitur yang akan datang", "You have unverified sessions": "Anda memiliki sesi yang belum diverifikasi", "Change layout": "Ubah tata letak", "Search users in this room…": "Cari pengguna di ruangan ini…", @@ -2075,9 +1929,6 @@ "Edit link": "Sunting tautan", "%(senderName)s started a voice broadcast": "%(senderName)s memulai sebuah siaran suara", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", - "Registration token": "Token pendaftaran", - "Enter a registration token provided by the homeserver administrator.": "Masukkan token pendaftaran yang disediakan oleh administrator homeserver.", - "Manage account": "Kelola akun", "Your account details are managed separately at %(hostname)s.": "Detail akun Anda dikelola secara terpisah di %(hostname)s.", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Semua pesan dan undangan dari pengguna ini akan disembunyikan. Apakah Anda yakin ingin mengabaikan?", "Ignore %(user)s": "Abaikan %(user)s", @@ -2093,28 +1944,22 @@ "Scan QR code": "Pindai kode QR", "Select '%(scanQRCode)s'": "Pilih '%(scanQRCode)s'", "Enable '%(manageIntegrations)s' in Settings to do this.": "Aktifkan '%(manageIntegrations)s' di Pengaturan untuk melakukan ini.", - "Warning: upgrading a room will not automatically migrate room members to the new version of the room. We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.": "Peringatan: meningkatkan sebuah ruangan tidak akan memindahkan anggota ruang ke versi baru ruangan secara otomatis. Kami akan mengirimkan sebuah tautan ke ruangan yang baru di versi lama ruangan - anggota ruangan harus mengeklik tautan ini untuk bergabung dengan ruangan yang baru.", - "Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named '%(myBanList)s' - stay in this room to keep the ban list in effect.": "Daftar larangan pribadi Anda menampung semua pengguna/server yang secara pribadi tidak ingin Anda lihat pesannya. Setelah mengabaikan pengguna/server pertama Anda, sebuah ruangan yang baru akan muncul di daftar ruangan Anda yang bernama '%(myBanList)s' - tetaplah di ruangan ini agar daftar larangan tetap berlaku.", "WARNING: session already verified, but keys do NOT MATCH!": "PERINGATAN: sesi telah diverifikasi, tetapi kuncinya TIDAK COCOK!", "Unable to connect to Homeserver. Retrying…": "Tidak dapat menghubungkan ke Homeserver. Mencoba ulang…", "Starting backup…": "Memulai pencadangan…", "Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Hanya lanjutkan jika Anda yakin Anda telah kehilangan semua perangkat lainnya dan kunci keamanan Anda.", - "Keep going…": "Lanjutkan…", "Connecting…": "Menghubungkan…", "Loading live location…": "Memuat lokasi langsung…", "Fetching keys from server…": "Mendapatkan kunci- dari server…", "Checking…": "Memeriksa…", "Waiting for partner to confirm…": "Menunggu pengguna untuk konfirmasi…", "Adding…": "Menambahkan…", - "Write something…": "Tulis sesuatu…", "Rejecting invite…": "Menolak undangan…", "Joining room…": "Bergabung dengan ruangan…", "Joining space…": "Bergabung dengan space…", "Encrypting your message…": "Mengenkripsi pesan Anda…", "Sending your message…": "Mengirim pesan Anda…", "Set a new account password…": "Atur kata sandi akun baru…", - "Downloading update…": "Mengunduh pembaruan…", - "Checking for an update…": "Memeriksa pembaruan…", "Backing up %(sessionsRemaining)s keys…": "Mencadangkan %(sessionsRemaining)s kunci…", "Connecting to integration manager…": "Menghubungkan ke pengelola integrasi…", "Saving…": "Menyimpan…", @@ -2182,7 +2027,6 @@ "Error changing password": "Terjadi kesalahan mengubah kata sandi", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (status HTTP %(httpStatus)s)", "Unknown password change error (%(stringifiedError)s)": "Terjadi kesalahan perubahan kata sandi yang tidak diketahui (%(stringifiedError)s)", - "Error while changing password: %(error)s": "Terjadi kesalahan mengubah kata sandi: %(error)s", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Tidak dapat mengundang pengguna dengan surel tanpa server identitas. Anda dapat menghubungkan di \"Pengaturan\".", "Failed to download source media, no source url was found": "Gagal mengunduh media sumber, tidak ada URL sumber yang ditemukan", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "Setelah pengguna yang diundang telah bergabung ke %(brand)s, Anda akan dapat bercakapan dan ruangan akan terenkripsi secara ujung ke ujung", @@ -2540,7 +2384,15 @@ "sliding_sync_disable_warning": "Untuk menonaktifkan Anda harus keluar dan masuk kembali, gunakan dengan hati-hati!", "sliding_sync_proxy_url_optional_label": "URL Proksi (opsional)", "sliding_sync_proxy_url_label": "URL Proksi", - "video_rooms_beta": "Ruangan video adalah fitur beta" + "video_rooms_beta": "Ruangan video adalah fitur beta", + "bridge_state_creator": "Jembatan ini disediakan oleh .", + "bridge_state_manager": "Jembatan ini dikelola oleh .", + "bridge_state_workspace": "Ruang kerja: ", + "bridge_state_channel": "Saluran: ", + "beta_section": "Fitur yang akan datang", + "beta_description": "Apa berikutnya untuk %(brand)s? Fitur Uji Coba merupakan cara yang terbaik untuk mendapatkan hal-hal baru lebih awal, mencoba fitur baru dan membantu memperbaikinya sebelum diluncurkan.", + "experimental_section": "Pratinjau awal", + "experimental_description": "Merasa eksperimental? Coba ide terkini kami dalam pengembangan. Fitur ini belum selesai; mereka mungkin tidak stabil, mungkin berubah, atau dihapus sama sekali. Pelajari lebih lanjut." }, "keyboard": { "home": "Beranda", @@ -2876,7 +2728,26 @@ "record_session_details": "Rekam nama, versi, dan URL klien untuk dapat mengenal sesi dengan lebih muda dalam pengelola sesi", "strict_encryption": "Jangan kirim pesan terenkripsi ke sesi yang belum diverifikasi dari sesi ini", "enable_message_search": "Aktifkan pencarian pesan di ruangan terenkripsi", - "manually_verify_all_sessions": "Verifikasi semua sesi jarak jauh secara manual" + "manually_verify_all_sessions": "Verifikasi semua sesi jarak jauh secara manual", + "cross_signing_public_keys": "Kunci publik penandatanganan silang:", + "cross_signing_in_memory": "di penyimpanan", + "cross_signing_not_found": "tidak ditemukan", + "cross_signing_private_keys": "Kunci privat penandatanganan silang:", + "cross_signing_in_4s": "di penyimpanan rahasia", + "cross_signing_not_in_4s": "tidak ditemukan di penyimpanan", + "cross_signing_master_private_Key": "Kunci privat utama:", + "cross_signing_cached": "dicache secara lokal", + "cross_signing_not_cached": "tidak ditemukan secara lokal", + "cross_signing_self_signing_private_key": "Kunci privat penandatanganan diri:", + "cross_signing_user_signing_private_key": "Kunci rahasia penandatanganan pengguna:", + "cross_signing_homeserver_support": "Dukungan fitur homeserver:", + "cross_signing_homeserver_support_exists": "sudah ada", + "export_megolm_keys": "Ekspor kunci ruangan enkripsi ujung ke ujung", + "import_megolm_keys": "Impor kunci enkripsi ujung ke ujung", + "cryptography_section": "Kriptografi", + "session_id": "ID Sesi:", + "session_key": "Kunci sesi:", + "encryption_section": "Enkripsi" }, "preferences": { "room_list_heading": "Daftar ruangan", @@ -2991,6 +2862,12 @@ }, "security_recommendations": "Saran keamanan", "security_recommendations_description": "Tingkatkan keamanan akun Anda dengan mengikuti saran berikut." + }, + "general": { + "oidc_manage_button": "Kelola akun", + "account_section": "Akun", + "language_section": "Bahasa dan wilayah", + "spell_check_section": "Pemeriksa ejaan" } }, "devtools": { @@ -3092,7 +2969,8 @@ "low_bandwidth_mode": "Mode bandwidth rendah", "developer_mode": "Mode pengembang", "view_source_decrypted_event_source": "Sumber peristiwa terdekripsi", - "view_source_decrypted_event_source_unavailable": "Sumber terdekripsi tidak tersedia" + "view_source_decrypted_event_source_unavailable": "Sumber terdekripsi tidak tersedia", + "original_event_source": "Sumber peristiwa asli" }, "export_chat": { "html": "HTML", @@ -3732,6 +3610,17 @@ "url_preview_encryption_warning": "Di ruangan terenkripsi, seperti ruangan ini, tampilan URL dinonaktifkan secara bawaan untuk memastikan homeserver Anda (di mana tampilannya dibuat) tidak mendapatkan informasi tentang tautan yang Anda lihat di ruangan ini.", "url_preview_explainer": "Ketika seseorang menambahkan URL di pesannya, sebuah tampilan URL dapat ditampilkan untuk memberikan informasi lainnya tentang tautan itu seperti judul, deskripsi, dan sebuah gambar dari website.", "url_previews_section": "Tampilan URL" + }, + "advanced": { + "unfederated": "Ruangan ini tidak dapat diakses oleh pengguna Matrix jarak jauh", + "room_upgrade_warning": "Peringatan: meningkatkan sebuah ruangan tidak akan memindahkan anggota ruang ke versi baru ruangan secara otomatis. Kami akan mengirimkan sebuah tautan ke ruangan yang baru di versi lama ruangan - anggota ruangan harus mengeklik tautan ini untuk bergabung dengan ruangan yang baru.", + "space_upgrade_button": "Tingkatkan space ini ke versi ruangan yang disarankan", + "room_upgrade_button": "Tingkatkan ruangan ini ke versi ruangan yang direkomendasikan", + "space_predecessor": "Lihat versi %(spaceName)s yang lama.", + "room_predecessor": "Lihat pesan-pesan lama di %(roomName)s.", + "room_id": "ID ruangan internal", + "room_version_section": "Versi ruangan", + "room_version": "Versi ruangan:" } }, "encryption": { @@ -3747,8 +3636,22 @@ "sas_prompt": "Bandingkan emoji unik", "sas_description": "Bandingkan emoji jika Anda tidak memiliki sebuah kamera di kedua perangkat", "qr_or_sas": "%(qrCode)s atau %(emojiCompare)s", - "qr_or_sas_header": "Verifikasi perangkat ini dengan menyelesaikan salah satu di bawah:" - } + "qr_or_sas_header": "Verifikasi perangkat ini dengan menyelesaikan salah satu di bawah:", + "explainer": "Pesan dengan pengguna ini terenkripsi secara ujung ke ujung dan tidak dapat dibaca oleh pihak ketiga.", + "complete_action": "Mengerti", + "sas_emoji_caption_self": "Konfirmasi emoji di bawah yang ditampilkan di kedua perangkat, dalam urutan yang sama:", + "sas_emoji_caption_user": "Verifikasi pengguna ini dengan mengkonfirmasi emoji berikut yang ditampilkan.", + "sas_caption_self": "Verifikasi perangkat ini dengan mengkonfirmasi nomor berikut ini yang ditampilkan di layarnya.", + "sas_caption_user": "Verifikasi pengguna ini dengan mengkonfirmasi nomor berikut yang ditampilkan.", + "unsupported_method": "Tidak dapat menemukan metode verifikasi yang didukung.", + "waiting_other_device_details": "Menunggu Anda untuk memverifikasi perangkat Anda yang lain, %(deviceName)s (%(deviceId)s)…", + "waiting_other_device": "Menunggu Anda untuk verifikasi di perangkat Anda yang lain…", + "waiting_other_user": "Menunggu %(displayName)s untuk memverifikasi…", + "cancelling": "Membatalkan…" + }, + "old_version_detected_title": "Data kriptografi lama terdeteksi", + "old_version_detected_description": "Data dari %(brand)s versi lama telah terdeteksi. Ini akan menyebabkan kriptografi ujung ke ujung tidak berfungsi di versi yang lebih lama. Pesan terenkripsi secara ujung ke ujung yang dipertukarkan baru-baru ini saat menggunakan versi yang lebih lama mungkin tidak dapat didekripsi dalam versi ini. Ini juga dapat menyebabkan pesan yang dipertukarkan dengan versi ini gagal. Jika Anda mengalami masalah, keluar dan masuk kembali. Untuk menyimpan riwayat pesan, ekspor dan impor ulang kunci Anda.", + "verification_requested_toast_title": "Verifikasi diminta" }, "emoji": { "category_frequently_used": "Sering Digunakan", @@ -3863,7 +3766,51 @@ "phone_optional_label": "Nomor telepon (opsional)", "email_help_text": "Tambahkan sebuah email untuk dapat mengatur ulang kata sandi Anda.", "email_phone_discovery_text": "Gunakan email atau nomor telepon untuk dapat ditemukan oleh kontak yang sudah ada secara opsional.", - "email_discovery_text": "Gunakan email untuk dapat ditemukan oleh kontak yang sudah ada secara opsional." + "email_discovery_text": "Gunakan email untuk dapat ditemukan oleh kontak yang sudah ada secara opsional.", + "session_logged_out_title": "Keluar", + "session_logged_out_description": "Untuk keamanan, sesi ini telah dikeluarkan. Silakan masuk lagi.", + "change_password_error": "Terjadi kesalahan mengubah kata sandi: %(error)s", + "change_password_mismatch": "Kata sandi baru tidak cocok", + "change_password_empty": "Kata sandi tidak boleh kosong", + "set_email_prompt": "Apakah Anda ingin menetapkan sebuah alamat email?", + "change_password_confirm_label": "Konfirmasi kata sandi", + "change_password_confirm_invalid": "Kata sandi tidak cocok", + "change_password_current_label": "Kata sandi sekarang", + "change_password_new_label": "Kata sandi baru", + "change_password_action": "Ubah Kata Sandi", + "email_field_label": "Email", + "email_field_label_required": "Masukkan alamat email", + "email_field_label_invalid": "Kelihatannya bukan sebuah alamat email yang absah", + "uia": { + "password_prompt": "Konfirmasi identitas Anda dengan memasukkan kata sandi akun Anda di bawah.", + "recaptcha_missing_params": "Tidak ada kunci publik captcha di konfigurasi homeserver. Mohon melaporkannya ke administrator homeserver Anda.", + "terms_invalid": "Mohon lihat dan terima semua kebijakan homeserver ini", + "terms": "Mohon lihat dan terima semua kebijakan homeserver ini:", + "email_auth_header": "Periksa email Anda untuk melanjutkan", + "email": "Untuk membuat akun Anda, buka tautan dalam email yang kami kirim ke %(emailAddress)s.", + "email_resend_prompt": "Belum menerima? Kirim ulang", + "email_resent": "Dikirimkan ulang!", + "msisdn_token_incorrect": "Token salah", + "msisdn": "Sebuah pesan teks telah dikirim ke %(msisdn)s", + "msisdn_token_prompt": "Silakan masukkan kode yang berisi:", + "registration_token_prompt": "Masukkan token pendaftaran yang disediakan oleh administrator homeserver.", + "registration_token_label": "Token pendaftaran", + "sso_failed": "Ada sesuatu yang salah saat mengkonfirmasi identitas Anda. Batalkan dan coba lagi.", + "fallback_button": "Mulai autentikasi" + }, + "password_field_label": "Masukkan kata sandi", + "password_field_strong_label": "Bagus, kata sandinya kuat!", + "password_field_weak_label": "Kata sandi diperbolehkan, tetapi tidak aman", + "password_field_keep_going_prompt": "Lanjutkan…", + "username_field_required_invalid": "Masukkan nama pengguna", + "msisdn_field_required_invalid": "Masukkan nomor telepon", + "msisdn_field_number_invalid": "Nomor teleponnya tidak terlihat benar, mohon periksa dan coba lagi", + "msisdn_field_label": "Ponsel", + "identifier_label": "Masuk dengan", + "reset_password_email_field_description": "Gunakan sebuah alamat email untuk memulihkan akun Anda", + "reset_password_email_field_required_invalid": "Masukkan alamat email (diperlukan di homeserver ini)", + "msisdn_field_description": "Pengguna lain dapat mengundang Anda ke ruangan menggunakan detail kontak Anda", + "registration_msisdn_field_required_invalid": "Masukkan nomor telepon (diperlukan di homeserver ini)" }, "room_list": { "sort_unread_first": "Tampilkan ruangan dengan pesan yang belum dibaca dahulu", @@ -4057,7 +4004,13 @@ "see_changes_button": "Apa yang baru?", "release_notes_toast_title": "Apa Yang Baru", "toast_title": "Perbarui %(brand)s", - "toast_description": "Sebuah versi %(brand)s yang baru telah tersedia" + "toast_description": "Sebuah versi %(brand)s yang baru telah tersedia", + "error_encountered": "Terjadi kesalahan (%(errorDetail)s).", + "checking": "Memeriksa pembaruan…", + "no_update": "Tidak ada pembaruan yang tersedia.", + "downloading": "Mengunduh pembaruan…", + "new_version_available": "Versi yang baru telah tersedia. Perbarui sekarang.", + "check_action": "Periksa untuk pembaruan" }, "threads": { "all_threads": "Semua utasan", @@ -4110,7 +4063,35 @@ }, "labs_mjolnir": { "room_name": "Daftar Cekalan Saya", - "room_topic": "Ini adalah daftar pengguna/server Anda telah blokir — jangan tinggalkan ruangan ini!" + "room_topic": "Ini adalah daftar pengguna/server Anda telah blokir — jangan tinggalkan ruangan ini!", + "ban_reason": "Diabaikan/Diblokir", + "error_adding_ignore": "Terjadi kesalahan menambahkan pengguna/server yang diabaikan", + "something_went_wrong": "Ada sesuatu yang salah. Mohon coba lagi atau lihat konsol Anda untuk petunjuk.", + "error_adding_list_title": "Terjadi kesalahan berlangganan daftar", + "error_adding_list_description": "Mohon verifikasi ID ruangan atau alamat dan coba lagi.", + "error_removing_ignore": "Terjadi kesalahan menghapus pengguna/server yang diabaikan", + "error_removing_list_title": "Terjadi kesalahan membatalkan langganan daftar", + "error_removing_list_description": "Mohon coba lagi atau lihat konsol Anda untuk petunjuk.", + "rules_title": "Daftar aturan cekalan — %(roomName)s", + "rules_server": "Aturan server", + "rules_user": "Aturan pengguna", + "personal_empty": "Anda belum mengabaikan siapa pun.", + "personal_section": "Anda saat ini mengabaikan:", + "no_lists": "Anda belum berlangganan daftar apa pun", + "view_rules": "Tampilkan aturan", + "lists": "Anda saat ini berlangganan:", + "title": "Pengguna yang diabaikan", + "advanced_warning": "⚠ Pengaturan ini hanya untuk pengguna berkelanjutan saja.", + "explainer_1": "Tambahkan pengguna dan server yang ingin Anda abaikan di sini. Gunakan tanda bintang agar %(brand)s cocok dengan karakter apa saja. Misalnya, @bot:* akan mengabaikan semua pengguna yang memiliki nama 'bot' di server apa saja.", + "explainer_2": "Mengabaikan orang dilakukan melalui daftar larangan yang berisi aturan tentang siapa yang harus dicekal. Berlangganan daftar larangan berarti pengguna/server yang diblokir oleh daftar itu akan disembunyikan dari Anda.", + "personal_heading": "Daftar Larangan Saya", + "personal_description": "Daftar larangan pribadi Anda menampung semua pengguna/server yang secara pribadi tidak ingin Anda lihat pesannya. Setelah mengabaikan pengguna/server pertama Anda, sebuah ruangan yang baru akan muncul di daftar ruangan Anda yang bernama '%(myBanList)s' - tetaplah di ruangan ini agar daftar larangan tetap berlaku.", + "personal_new_label": "Server atau ID pengguna untuk diabaikan", + "personal_new_placeholder": "mis: @bot:* atau contoh.org", + "lists_heading": "Langganan daftar", + "lists_description_1": "Berlangganan sebuah daftar larangan akan membuat Anda bergabung!", + "lists_description_2": "Jika itu bukan yang Anda ingin, mohon pakai alat yang lain untuk mengabaikan pengguna.", + "lists_new_label": "ID ruangan atau alamat daftar larangan" }, "create_space": { "name_required": "Mohon masukkan nama untuk space ini", @@ -4175,6 +4156,12 @@ "private_unencrypted_warning": "Pesan privat Anda biasanya dienkripsi, tetapi di ruangan ini tidak terenkripsi. Biasanya ini disebabkan oleh perangkat yang tidak mendukung atau metode yang sedang digunakan, seperti undangan email.", "enable_encryption_prompt": "Aktifkan enkripsi di pengaturan.", "unencrypted_warning": "Enkripsi ujung ke ujung tidak diaktifkan" + }, + "edit_topic": "Edit topik", + "read_topic": "Klik untuk membaca topik", + "unread_notifications_predecessor": { + "one": "Anda punya %(count)s notifikasi yang belum dibaca dalam versi sebelumnya dari ruangan ini.", + "other": "Anda punya %(count)s notifikasi yang belum dibaca dalam versi sebelumnya dari ruangan ini." } }, "file_panel": { @@ -4189,9 +4176,31 @@ "intro": "Untuk melanjutkan Anda harus menerima persyaratan layanan ini.", "column_service": "Layanan", "column_summary": "Kesimpulan", - "column_document": "Dokumen" + "column_document": "Dokumen", + "tac_title": "Syarat dan Ketentuan", + "tac_description": "Untuk melanjutkan menggunakan homeserver %(homeserverDomain)s Anda harus lihat dan terima ke syarat dan ketentuan kami.", + "tac_button": "Lihat syarat dan ketentuan" }, "space_settings": { "title": "Pengaturan — %(spaceName)s" + }, + "poll": { + "create_poll_title": "Buat poll", + "create_poll_action": "Buat Poll", + "edit_poll_title": "Edit pungutan suara", + "failed_send_poll_title": "Gagal untuk mengirim poll", + "failed_send_poll_description": "Maaf, poll yang Anda buat tidak dapat dikirim.", + "type_heading": "Tipe pemungutan suara", + "type_open": "Pemungutan suara terbuka", + "type_closed": "Pemungutan suara tertutup", + "topic_heading": "Apa pertanyaan atau topik poll Anda?", + "topic_label": "Pertanyaan atau topik", + "topic_placeholder": "Tulis sesuatu…", + "options_heading": "Buat opsi", + "options_label": "Opsi %(number)s", + "options_placeholder": "Tulis sebuah opsi", + "options_add_button": "Tambahkan opsi", + "disclosed_notes": "Pemberi suara akan melihat hasilnya ketika mereka telah memberikan suara", + "notes": "Hasil hanya akan disediakan ketika Anda mengakhiri pemungutan suara" } } diff --git a/src/i18n/strings/is.json b/src/i18n/strings/is.json index 0fd6b8664c..20b90a42d4 100644 --- a/src/i18n/strings/is.json +++ b/src/i18n/strings/is.json @@ -44,12 +44,6 @@ "Missing user_id in request": "Vantar notandaauðkenni í beiðni", "Reason": "Ástæða", "Send": "Senda", - "Phone": "Sími", - "Export E2E room keys": "Flytja út E2E dulritunarlykla spjallrásar", - "Current password": "Núverandi lykilorð", - "New Password": "Nýtt lykilorð", - "Confirm password": "Staðfestu lykilorðið", - "Change Password": "Breyta lykilorði", "Authentication": "Auðkenning", "Notification targets": "Markmið tilkynninga", "Unban": "Afbanna", @@ -86,8 +80,6 @@ "Copied!": "Afritað!", "Email address": "Tölvupóstfang", "Something went wrong!": "Eitthvað fór úrskeiðis!", - "Error encountered (%(errorDetail)s).": "Villa fannst (%(errorDetail)s).", - "No update available.": "Engin uppfærsla tiltæk.", "Home": "Forsíða", "collapse": "fella saman", "expand": "fletta út", @@ -112,19 +104,12 @@ "Source URL": "Upprunaslóð", "All messages": "Öll skilaboð", "Low Priority": "Lítill forgangur", - "Signed Out": "Skráð/ur út", - "Terms and Conditions": "Skilmálar og kvaðir", "Invite to this room": "Bjóða inn á þessa spjallrás", "Notifications": "Tilkynningar", "Connectivity to the server has been lost.": "Tenging við vefþjón hefur rofnað.", "Search failed": "Leit mistókst", - "Import E2E room keys": "Flytja inn E2E dulritunarlykla spjallrásar", - "Cryptography": "Dulritun", - "Check for update": "Athuga með uppfærslu", "Default Device": "Sjálfgefið tæki", - "Email": "Tölvupóstfang", "Profile": "Notandasnið", - "Account": "Notandaaðgangur", "A new password must be entered.": "Það verður að setja inn nýtt lykilorð.", "New passwords must match each other.": "Nýju lykilorðin verða að vera þau sömu.", "Return to login screen": "Fara aftur í innskráningargluggann", @@ -188,21 +173,7 @@ "Change notification settings": "Breytta tilkynningastillingum", "You can't send any messages until you review and agree to our terms and conditions.": "Þú getur ekki sent nein skilaboð fyrr en þú hefur farið yfir og samþykkir skilmála okkar.", "Unknown server error": "Óþekkt villa á þjóni", - "Subscribed lists": "Skráðir listar", - "eg: @bot:* or example.org": "t.d.: @vélmenni:* eða dæmi.is", - "Personal ban list": "Persónulegur bannlisti", - "⚠ These settings are meant for advanced users.": "⚠ Þessar stillingar eru ætlaðar fyrir þaulvana notendur.", "Ignored users": "Hunsaðir notendur", - "You are currently subscribed to:": "Þú ert skráður til:", - "View rules": "Skoða reglur", - "You are not subscribed to any lists": "Þú ert ekki skráður fyrir neina lista", - "You are currently ignoring:": "Þú ert að hunsa:", - "You have not ignored anyone.": "Þú hefur ekki hunsað nein.", - "User rules": "Reglur notanda", - "Server rules": "Reglur netþjóns", - "Please try again or view your console for hints.": "Reyndu aftur eða skoðaðu vísbendingar á stjórnskjánum þínum.", - "Error unsubscribing from list": "Galli við að afskrá frá lista", - "Error removing ignored user/server": "Villa við að fjarlægja hunsaða notanda/netþjón", "Use the Desktop app to search encrypted messages": "Notaðu tölvuforritið til að sía dulrituð skilaboð", "Use the Desktop app to see all encrypted files": "Notaðu tölvuforritið til að sjá öll dulrituð gögn", "Not encrypted": "Ekki dulritað", @@ -237,7 +208,6 @@ "Click the button below to confirm adding this email address.": "Smelltu á hnappinn hér að neðan til að staðfesta að bæta við þessu netfangi.", "Confirm adding email": "Staðfestu að bæta við tölvupósti", "None": "Ekkert", - "Ignored/Blocked": "Hunsað/Hindrað", "Italics": "Skáletrað", "Discovery": "Uppgötvun", "Removing…": "Er að fjarlægja…", @@ -269,7 +239,6 @@ "Lion": "Ljón", "Cat": "Köttur", "Dog": "Hundur", - "Encryption": "Dulritun", "General": "Almennt", "Demote": "Leggja til baka", "Replying": "Svara", @@ -583,11 +552,6 @@ "No results found": "Engar niðurstöður fundust", "Delete all": "Eyða öllu", "Wait!": "Bíddu!", - "Sign in with": "Skrá inn með", - "Enter phone number": "Settu inn símanúmer", - "Enter username": "Settu inn notandanafn", - "Enter password": "Settu inn lykilorð", - "Enter email address": "Skrifaðu netfang", "This room is public": "Þessi spjallrás er opinber", "Avatar": "Auðkennismynd", "Move right": "Færa til hægri", @@ -634,7 +598,6 @@ "Add existing rooms": "Bæta við fyrirliggjandi spjallrásum", "Server name": "Heiti þjóns", "Looks good": "Lítur vel út", - "Create options": "Búa til valkosti", "Information": "Upplýsingar", "Rotate Right": "Snúa til hægri", "Rotate Left": "Snúa til vinstri", @@ -708,12 +671,6 @@ "Space members": "Meðlimir svæðis", "Upgrade required": "Uppfærsla er nauðsynleg", "Display Name": "Birtingarnafn", - "Session ID:": "Auðkenni setu:", - "exists": "er til staðar", - "not found": "fannst ekki", - "Passwords don't match": "Lykilorðin samsvara ekki", - "Channel: ": "Rás: ", - "Workspace: ": "Vinnusvæði: ", "Space options": "Valkostir svæðis", "Preview Space": "Forskoða svæði", "Visibility": "Sýnileiki", @@ -743,8 +700,6 @@ "Cake": "Kökur", "Pizza": "Flatbökur", "Apple": "Epli", - "Cancelling…": "Hætti við…", - "Got It": "Náði því", "Show sidebar": "Sýna hliðarspjald", "Hide sidebar": "Fela hliðarspjald", "Messaging": "Skilaboð", @@ -763,7 +718,6 @@ "Join the conference from the room information card on the right": "Taka þátt í fjarfundinum á upplýsingaspjaldi spjallrásaarinnar til hægri", "Join the conference at the top of this room": "Taka þátt í fjarfundinum efst í þessari spjallrás", "Try scrolling up in the timeline to see if there are any earlier ones.": "Prófaðu að skruna upp í tímalínunni til að sjá hvort það séu einhver eldri.", - "Something went wrong. Please try again or view your console for hints.": "Eitthvað fór úrskeiðis. Reyndu aftur eða skoðaðu vísbendingar á stjórnskjánum þínum.", "You are now ignoring %(userId)s": "Þú ert núna að hunsa %(userId)s", "Unrecognised room address: %(roomAlias)s": "Óþekkjanlegt vistfang spjallrásar: %(roomAlias)s", "Room %(roomId)s not visible": "Spjallrásin %(roomId)s er ekki sýnileg", @@ -798,15 +752,10 @@ "Ignored attempt to disable encryption": "Hunsaði tilraun til að gera dulritun óvirka", "This client does not support end-to-end encryption.": "Þetta forrit styður ekki enda-í-enda dulritun.", "Room Addresses": "Vistföng spjallrása", - "Room version:": "Útgáfa spjallrásar:", - "Room version": "Útgáfa spjallrásar", "Reject all %(invitedRooms)s invites": "Hafna öllum boðsgestum %(invitedRooms)s", "Accept all %(invitedRooms)s invites": "Samþykkja alla boðsgesti %(invitedRooms)s", - "Room ID or address of ban list": "Auðkenni spjallrásar eða vistfang bannlista", - "Ban list rules - %(roomName)s": "Reglur bannlista - %(roomName)s", "Loading new room": "Hleð inn nýrri spjallrás", "Upgrading room": "Uppfæri spjallrás", - "cached locally": "í staðværu skyndiminni", "Show all rooms": "Sýna allar spjallrásir", "Encryption upgrade available": "Uppfærsla dulritunar tiltæk", "Contact your server admin.": "Hafðu samband við kerfisstjórann þinn.", @@ -829,7 +778,6 @@ "No homeserver URL provided": "Engin slóð heimaþjóns tilgreind", "Cannot reach identity server": "Næ ekki sambandi við auðkennisþjón", "Private space": "Einkasvæði", - "Doesn't look like a valid email address": "Þetta lítur ekki út eins og gilt tölvupóstfang", "Mentions only": "Aðeins minnst á", "Reset everything": "Frumstilla allt", "Not Trusted": "Ekki treyst", @@ -842,11 +790,6 @@ "Your server": "Netþjónninn þinn", "Can't find this server or its room list": "Fann ekki þennan netþjón eða spjallrásalista hans", "This address is already in use": "Þetta vistfang er nú þegar í notkun", - "Open poll": "Opna könnun", - "Poll type": "Tegund könnunar", - "Edit poll": "Breyta könnun", - "Create Poll": "Búa til könnun", - "Create poll": "Búa til könnun", "Share content": "Deila efni", "Share entire screen": "Deila öllum skjánum", "Widget ID": "Auðkenni viðmótshluta", @@ -930,7 +873,6 @@ "If they don't match, the security of your communication may be compromised.": "Ef þetta samsvarar ekki, getur verið að samskiptin þín séu berskjölduð.", "Confirm by comparing the following with the User Settings in your other session:": "Staðfestu með því að bera eftirfarandi saman við 'Stillingar notanda' í hinni setunni þinni:", "Start using Key Backup": "Byrja að nota öryggisafrit dulritunarlykla", - "Closed poll": "Lokuð könnun", "No votes cast": "Engin atkvæði greidd", "This room has been replaced and is no longer active.": "Þessari spjallrás hefur verið skipt út og er hún ekki lengur virk.", "Delete Backup": "Eyða öryggisafriti", @@ -943,11 +885,6 @@ "one": "og %(count)s til viðbótar", "other": "og %(count)s til viðbótar" }, - "Session key:": "Setulykill:", - "Master private key:": "Aðal-einkalykill:", - "in memory": "í minni", - "Passwords can't be empty": "Lykilorð mega ekki vera auð", - "New passwords don't match": "Nýju lykilorðin eru ekki eins", "No display name": "Ekkert birtingarnafn", "Access": "Aðgangur", "Back to thread": "Til baka í spjallþráð", @@ -957,11 +894,7 @@ "Cannot reach homeserver": "Næ ekki að tengjast heimaþjóni", "Favourited": "Í eftirlætum", "Spanner": "Skrúflykill", - "Waiting for %(displayName)s to verify…": "Bíð eftir að %(displayName)s sannreyni…", "Invalid base_url for m.homeserver": "Ógilt base_url fyrir m.homeserver", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Til að halda áfram að nota %(homeserverDomain)s heimaþjóninn þarftu að yfirfara og samþykkja skilmála okkar og kvaðir.", - "Enter phone number (required on this homeserver)": "Settu inn símanúmer (nauðsynlegt á þessum heimaþjóni)", - "Enter email address (required on this homeserver)": "Settu inn tölvupóstfang (nauðsynlegt á þessum heimaþjóni)", "This homeserver would like to make sure you are not a robot.": "Þessi heimaþjónn vill ganga úr skugga um að þú sért ekki vélmenni.", "Your homeserver": "Heimaþjónninn þinn", "Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "Stilltu vistföng fyrir þessa spjallrás svo notendur geti fundið hana í gegnum heimaþjóninn þinn (%(localDomain)s)", @@ -980,8 +913,6 @@ "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Til að tilkynna Matrix-tengd öryggisvandamál, skaltu lesa Security Disclosure Policy á matrix.org.", "Account management": "Umsýsla notandaaðgangs", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Samþykktu þjónustuskilmála auðkennisþjónsins (%(serverName)s) svo hægt sé að finna þig með tölvupóstfangi eða símanúmeri.", - "Language and region": "Tungumál og landsvæði", - "New version available. Update now.": "Ný útgáfa tiltæk. Uppfæra núna.", "Enter a new identity server": "Settu inn nýjan auðkennisþjón", "Do not use an identity server": "Ekki nota auðkennisþjón", "Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Að nota auðkennisþjón er valkvætt. Ef þú velur að nota ekki auðkennisþjón, munu aðrir notendur ekki geta fundið þig og þú munt ekki geta boðið öðrum með símanúmeri eða tölvupósti.", @@ -1035,7 +966,6 @@ "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Þessi seta er ekki að öryggisafrita dulritunarlyklana þína, en þú ert með fyrirliggjandi öryggisafrit sem þú getur endurheimt úr og notað til að halda áfram.", "Unable to load key backup status": "Tókst ekki að hlaða inn stöðu öryggisafritunar dulritunarlykla", "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Ertu viss? Þú munt tapa dulrituðu skilaboðunum þínum ef dulritunarlyklarnir þínir eru ekki rétt öryggisafritaðir.", - "in secret storage": "í leynigeymslu", "Switch theme": "Skipta um þema", "Unable to create key backup": "Tókst ekki að gera öryggisafrit af dulritunarlykli", "Create key backup": "Gera öryggisafrit af dulritunarlykli", @@ -1074,10 +1004,6 @@ "Including you, %(commaSeparatedMembers)s": "Að þér meðtöldum, %(commaSeparatedMembers)s", "Only room administrators will see this warning": "Aðeins stjórnendur spjallrásar munu sjá þessa aðvörun", "Bulk options": "Valkostir magnvinnslu", - "Server or user ID to ignore": "Netþjónn eða auðkenni notanda sem á að hunsa", - "Please verify the room ID or address and try again.": "Yfirfarðu auðkenni spjallrásar og vistfang hennar og reyndu aftur.", - "Error subscribing to list": "Villa við að gerast áskrifandi að lista", - "Error adding ignored user/server": "Villa við að bæta við hunsuðum notanda/netþjóni", "Clear cross-signing keys": "Hreinsa kross-undirritunarlykla", "Destroy cross-signing keys?": "Eyða kross-undirritunarlyklum?", "a device cross-signing signature": "kross-undirritun undirritunarlykils tækis", @@ -1105,13 +1031,10 @@ "other": "Setja dulrituð skilaboð leynilega í skyndiminni á tækinu svo þau birtist í leitarniðurstöðum, notar %(size)s til að geyma skilaboð frá %(rooms)s spjallrásum." }, "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Sannreyndu hverja setu sem notandinn notar til að merkja hana sem treysta, án þess að treyta kross-undirrituðum tækjum.", - "Cross-signing private keys:": "Kross-undirritun einkalykla:", - "Cross-signing public keys:": "Kross-undirritun dreifilykla:", "Cross-signing is not set up.": "Kross-undirritun er ekki uppsett.", "Cross-signing is ready but keys are not backed up.": "Kross-undirritun er tilbúin en ekki er búið að öryggisafrita dulritunarlykla.", "Cross-signing is ready for use.": "Kross-undirritun er tilbúin til notkunar.", "Your homeserver does not support cross-signing.": "Heimaþjónninn þinn styður ekki kross-undirritun.", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Örugg skilaboð við þennan notanda eru enda-í-enda dulrituð þannig að enginn annar getur lesið þau.", "IRC display name width": "Breidd IRC-birtingarnafns", "%(brand)s URL": "%(brand)s URL", "Cancel search": "Hætta við leitina", @@ -1207,9 +1130,6 @@ "This address does not point at this room": "Vistfangið beinir ekki á þessa spjallrás", "Please provide an address": "Gefðu upp vistfang", "Some characters not allowed": "Sumir stafir eru óleyfilegir", - "Results are only revealed when you end the poll": "Niðurstöður birtast einungis eftir að þú hefur lokað könnuninni", - "Voters see results as soon as they have voted": "Kjósendur sjá niðurstöðurnar þegar þeir hafa kosið", - "Sorry, the poll you tried to create was not posted.": "Því miður, könnunin sem þú varst að reyna að útbúa birtist ekki.", "Joined": "Gekk í hópinn", "Enter a server name": "Settu inn nafn á þjóni", "e.g. my-room": "t.d. mín-spjallrás", @@ -1217,12 +1137,6 @@ "In reply to this message": "Sem svar við þessum skilaboðum", "Custom level": "Sérsniðið stig", "Power level": "Stig valda", - "Add option": "Bæta við valkosti", - "Write an option": "Skrifaðu valmöguleika", - "Option %(number)s": "Valkostur %(number)s", - "Question or topic": "Spurning eða viðfangsefni", - "What is your poll question or topic?": "Hver er spurning eða viðfangsefni könnunarinnar?", - "Failed to post poll": "Mistókst að birta könnun", "Language Dropdown": "Fellilisti tungumála", "%(count)s people you know have already joined": { "one": "%(count)s aðili sem þú þekkir hefur þegar tekið þátt", @@ -1251,7 +1165,6 @@ "You won't get any notifications": "Þú munt ekki fá neinar tilkynningar", "Get notified for every message": "Fáðu tilkynningu fyrir öll skilaboð", "Uploaded sound": "Innsent hljóð", - "Internal room ID": "Innra auðkenni spjallrásar", "No Audio Outputs detected": "Engir hljóðútgangar fundust", "Message search": "Leita í skilaboðum", "Open in OpenStreetMap": "Opna í OpenStreetMap", @@ -1277,8 +1190,6 @@ "Unexpected error resolving homeserver configuration": "Óvænt villa kom upp við að lesa uppsetningu heimaþjóns", "Your %(brand)s is misconfigured": "%(brand)s-uppsetningin þín er rangt stillt", "Message didn't send. Click for info.": "Mistókst að senda skilaboð. Smelltu til að fá nánari upplýsingar.", - "View older messages in %(roomName)s.": "Skoða eldri skilaboð í %(roomName)s.", - "This room is not accessible by remote Matrix servers": "Þessi spjallrás er ekki aðgengileg fjartengdum Matrix-netþjónum", "No media permissions": "Engar heimildir fyrir myndefni", "That doesn't match.": "Þetta stemmir ekki.", "That matches!": "Þetta passar!", @@ -1301,7 +1212,6 @@ "Device verified": "Tæki er sannreynt", "Could not load user profile": "Gat ekki hlaðið inn notandasniði", " invites you": " býður þér", - "Confirm your identity by entering your account password below.": "Staðfestu auðkennin þín með því að setja inn hér fyrir neðan lykilorðið á aðganginn þinn.", "Country Dropdown": "Fellilisti með löndum", "Collapse reply thread": "Fella saman svarþráð", "Enter Security Phrase": "Settu inn öryggisfrasa", @@ -1336,7 +1246,6 @@ "Add existing room": "Bæta við fyrirliggjandi spjallrás", "Disconnect from the identity server and connect to instead?": "Aftengjast frá auðkennisþjóninum og tengjast í staðinn við ?", "Checking server": "Athuga með þjón", - "Do you want to set an email address?": "Viltu skrá tölvupóstfang?", "Decide who can view and join %(spaceName)s.": "Veldu hverjir geta skoðað og tekið þátt í %(spaceName)s.", "Verification Request": "Beiðni um sannvottun", "Save your Security Key": "Vista öryggislykilinn þinn", @@ -1366,10 +1275,7 @@ "Verify this device": "Sannreyna þetta tæki", "Search names and descriptions": "Leita í nöfnum og lýsingum", "toggle event": "víxla atburði af/á", - "Verification requested": "Beðið um sannvottun", - "Review terms and conditions": "Yfirfara skilmála og kvaðir", "Sign in with SSO": "Skrá inn með einfaldri innskráningu (SSO)", - "Token incorrect": "Rangt teikn", "You are sharing your live location": "Þú ert að deila staðsetninu þinni í rauntíma", "Revoke permissions": "Afturkalla heimildir", "Take a picture": "Taktu mynd", @@ -1403,19 +1309,12 @@ "Reason: %(reason)s": "Ástæða: %(reason)s", "%(spaceName)s menu": "Valmynd %(spaceName)s", "wait and try again later": "bíða og reyna aftur síðar", - "User signing private key:": "Notanda-undirritaður einkalykill:", - "Self signing private key:": "Sjálf-undirritaður einkalykill:", - "not found locally": "fannst ekki á tækinu", - "not found in storage": "fannst ekki í geymslu", "New Recovery Method": "Ný endurheimtuaðferð", "I'll verify later": "Ég mun sannreyna síðar", "Please contact your service administrator to continue using this service.": "Hafðu samband við kerfisstjóra þjónustunnar þinnar til að halda áfram að nota þessa þjónustu.", "Identity server URL does not appear to be a valid identity server": "Slóð á auðkennisþjón virðist ekki vera á gildan auðkennisþjón", "Invalid base_url for m.identity_server": "Ógilt base_url fyrir m.identity_server", "Joining": "Geng í hópinn", - "Old cryptography data detected": "Gömul dulritunargögn fundust", - "Password is allowed, but unsafe": "Lykilorð er leyfilegt, en óöruggt", - "Nice, strong password!": "Fínt, sterkt lykilorð!", "Keys restored": "Dulritunarlyklar endurheimtir", "No backup found!": "Ekkert öryggisafrit fannst!", "Incorrect Security Phrase": "Rangur öryggisfrasi", @@ -1462,22 +1361,7 @@ "Scroll to most recent messages": "Skruna að nýjustu skilaboðunum", "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Þetta boð í %(roomName)s var sent til %(email)s sem er ekki tengt notandaaðgangnum þínum", "Unnamed audio": "Nafnlaust hljóð", - "Use an email address to recover your account": "Notaðu tölvupóstfang til að endurheimta aðganginn þinn", - "Start authentication": "Hefja auðkenningu", - "Something went wrong in confirming your identity. Cancel and try again.": "Eitthvað fór úrskeiðis við að staðfesta auðkennin þín. Hættu við og prófaðu aftur.", - "Please enter the code it contains:": "Settu inn kóðann sem þau innihalda:", - "A text message has been sent to %(msisdn)s": "Textaskilaboð hafa verið send á %(msisdn)s", - "Please review and accept the policies of this homeserver:": "Yfirfarðu og samþykktu reglur þessa heimaþjóns:", - "Please review and accept all of the homeserver's policies": "Yfirfarðu og samþykktu allar reglur þessa heimaþjóns", "To continue, use Single Sign On to prove your identity.": "Til að halda áfram skaltu nota einfalda innskráningu (single-sign-on) til að sanna auðkennið þitt.", - "Homeserver feature support:": "Heimaþjónninn styður eftirfarandi eiginleika:", - "Waiting for you to verify on your other device…": "Bíð eftir að þú staðfestir á hinu tækinu…", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Bíð eftir að þú staðfestir á hinu tækinu, %(deviceName)s (%(deviceId)s)…", - "Unable to find a supported verification method.": "Fann ekki neina studda sannvottunaraðferð.", - "Verify this user by confirming the following number appears on their screen.": "Sannreyndu þennan notanda með því að staðfesta eftirfarandi númer sem birtist á skjánum hans.", - "Verify this device by confirming the following number appears on its screen.": "Sannreyndu þetta tæki með því að staðfesta eftirfarandi númer sem birtist á skjá þess.", - "Verify this user by confirming the following emoji appear on their screen.": "Sannreyndu þennan notanda með því að staðfesta eftirfarandi táknmynd sem birtist á skjánum hans.", - "Confirm the emoji below are displayed on both devices, in the same order:": "Staðfestu að táknmyndirnar hér fyrir neðan séu birtar á báðum tækjunum og í sömu röð:", "Recommended for public spaces.": "Mælt með fyrir opinber almenningssvæði.", "Allow people to preview your space before they join.": "Bjóddu fólki að forskoða svæðið þitt áður en þau geta tekið þátt.", "Failed to update the visibility of this space": "Mistókst að uppfæra sýnileika þessa svæðis", @@ -1502,7 +1386,6 @@ "Please note you are logging into the %(hs)s server, not matrix.org.": "Athugaðu að þú ert að skrá þig inn á %(hs)s þjóninn, ekki inn á matrix.org.", "Homeserver URL does not appear to be a valid Matrix homeserver": "Slóð heimaþjóns virðist ekki beina á gildan heimaþjón", "Really reset verification keys?": "Viltu í alvörunni endurstilla sannvottunarlyklana?", - "For security, this session has been signed out. Please sign in again.": "Í öryggisskyni hefur verið skráð út þessari setu. Skráðu þig aftur inn.", "Are you sure you want to leave the room '%(roomName)s'?": "Ertu viss um að þú viljir yfirgefa spjallrásina '%(roomName)s'?", "Are you sure you want to leave the space '%(spaceName)s'?": "Ertu viss um að þú viljir yfirgefa svæðið '%(spaceName)s'?", "This space is not public. You will not be able to rejoin without an invite.": "Þetta svæði er ekki opinbert. Þú munt ekki geta tekið aftur þátt nema að vera boðið.", @@ -1537,14 +1420,11 @@ "Some of your messages have not been sent": "Sum skilaboðin þín hafa ekki verið send", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Skilaboðin þín voru ekki send vegna þess að þessi heimaþjónn er kominn fram yfir takmörk á notuðum tilföngum. Hafðu samband við kerfisstjóra þjónustunnar þinnar til að halda áfram að nota þjónustuna.", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Skilaboðin þín voru ekki send vegna þess að þessi heimaþjónn er kominn fram yfir takmörk á mánaðarlega virkum notendum. Hafðu samband við kerfisstjóra þjónustunnar þinnar til að halda áfram að nota þjónustuna.", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Vantar captcha fyrir dreifilykil í uppsetningu heimaþjónsins. Tilkynntu þetta til kerfisstjóra heimaþjónsins þíns.", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Sé viðmótshluta eytt hverfur hann hjá öllum notendum í þessari spjallrás. Ertu viss um að þú viljir eyða þessum viðmótshluta?", "You can also set up Secure Backup & manage your keys in Settings.": "Þú getur líka sett upp varið öryggisafrit og sýslað með dulritunarlykla í stillingunum.", "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Geymdu öryggislykilinn þinn á öruggum stað, eins og í lykilorðastýringu eða jafnvel í peningaskáp, þar sem hann er notaður til að verja gögnin þín.", "You seem to be in a call, are you sure you want to quit?": "Það lítur út eins og þú sért í símtali, ertu viss um að þú viljir hætta?", "You seem to be uploading files, are you sure you want to quit?": "Það lítur út eins og þú sért að senda inn skrár, ertu viss um að þú viljir hætta?", - "Other users can invite you to rooms using your contact details": "Aðrir notendur geta boðið þér á spjallrásir með því að nota nánari tengiliðaupplýsingar þínar", - "That phone number doesn't look quite right, please check and try again": "Þetta símanúmer lítur ekki rétt út, yfirfarðu það og prófaðu svo aftur", "Adding spaces has moved.": "Aðgerðin til að bæta við svæðum hefur verið flutt.", "You are not allowed to view this server's rooms list": "Þú hefur ekki heimild til að skoða spjallrásalistann á þessum netþjóni", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Aðgangurinn þinn er með auðkenni kross-undirritunar í leynigeymslu, en þessu er ekki ennþá treyst í þessari setu.", @@ -1600,9 +1480,6 @@ "You do not have permission to invite people to this space.": "Þú hefur ekki heimild til að bjóða fólk á þetta svæði.", "Ask your %(brand)s admin to check your config for incorrect or duplicate entries.": "Biddu kerfisstjórann á %(brand)s að athuga hvort uppsetningin þín innihaldi rangar eða tvíteknar færslur.", "Ensure you have a stable internet connection, or get in touch with the server admin": "Gakktu úr skugga um að þú hafir stöðuga nettengingu, eða hafðu samband við kerfisstjóra netþjónsins þíns", - "View older version of %(spaceName)s.": "Skoða eldri útgáfu af %(spaceName)s.", - "Upgrade this room to the recommended room version": "Uppfæra þessa spjallrás í þá útgáfu spjallrásar sem mælt er með", - "Upgrade this space to the recommended room version": "Uppfæra þetta svæði í þá útgáfu spjallrásar sem mælt er með", "Request media permissions": "Biðja um heimildir fyrir myndefni", "Sign out and remove encryption keys?": "Skrá út og fjarlægja dulritunarlykla?", "Want to add an existing space instead?": "Viltu frekar bæta við fyrirliggjandi svæði?", @@ -1652,8 +1529,6 @@ "Verifies a user, session, and pubkey tuple": "Sannreynir auðkenni notanda, setu og dreifilykils", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Við báðum vafrann þinn að muna hvaða heimaþjón þú notar til að skrá þig inn, en því miður virðist það hafa gleymst. Farðu á innskráningarsíðuna og reyndu aftur.", "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Við mælum með því að þú fjarlægir tölvupóstföngin þín og símanúmer af auðkennisþjóninum áður en þú aftengist.", - "This bridge is managed by .": "Þessari brú er stýrt af .", - "This bridge was provisioned by .": "Brúin var veitt af .", "Double check that your server supports the room version chosen and try again.": "Athugaðu vandlega hvort netþjónninn styðji ekki valda útgáfu spjallrása og reyndu aftur.", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Undirritunarlykillinn sem þú gafst upp samsvarar lyklinum sem þú fékkst frá %(userId)s og setunni %(deviceId)s. Setan er því merkt sem sannreynd.", "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "AÐVÖRUN: SANNVOTTUN LYKILS MISTÓKST! Undirritunarlykillinn fyrir %(userId)s og setuna %(deviceId)s er \"%(fprint)s\" sem samsvarar ekki uppgefna lyklinum \"%(fingerprint)s\". Þetta gæti þýtt að einhver hafi komist inn í samskiptin þín!", @@ -1662,7 +1537,6 @@ "other": "%(count)s aðilar hafa tekið þátt" }, "Connection lost": "Tenging rofnaði", - "Resent!": "Endursent!", "Live location enabled": "Staðsetning í rauntíma virkjuð", "Close sidebar": "Loka hliðarstiku", "View List": "Skoða lista", @@ -1703,10 +1577,8 @@ "Unban from space": "Afbanna úr svæði", "Confirm account deactivation": "Staðfestu óvirkjun reiknings", "a key signature": "Fingrafar lykils", - "Spell check": "Stafsetningaryfirferð", "Saved Items": "Vistuð atriði", "Show spaces": "Sýna svæði", - "Check your email to continue": "Skoðaðu tölvupóstinn þinn til að halda áfram", "Stop and close": "Hætta og loka", "Show rooms": "Sýna spjallrásir", "Use an identity server to invite by email. Use the default (%(defaultIdentityServerName)s) or manage in Settings.": "Notaðu auðkennisþjón til að geta boðið með tölvupósti. Notaðu sjálfgefinn auðkennisþjón (%(defaultIdentityServerName)s( eða sýslaðu með þetta í stillingunum.", @@ -1718,8 +1590,6 @@ "Friends and family": "Vinir og fjölskylda", "We'll help you get connected.": "Við munum hjálpa þér að tengjast.", "Choose a locale": "Veldu staðfærslu", - "Click to read topic": "Smelltu til að lesa umfjöllunarefni", - "Edit topic": "Breyta umfjöllunarefni", "Video call ended": "Mynddsímtali lauk", "Sessions": "Setur", "Deactivating your account is a permanent action — be careful!": "Að gera aðganginn þinn óvirkan er endanleg aðgerð - farðu varlega!", @@ -1738,7 +1608,6 @@ }, "%(user1)s and %(user2)s": "%(user1)s og %(user2)s", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s eða %(copyButton)s", - "Did not receive it? Resend it": "Fékkstu hann ekki? Endursenda hann", "Unread email icon": "Táknmynd fyrir ólesinn tölvupóst", "No live locations": "Engar staðsetningar í rauntíma", "Live location error": "Villa í rauntímastaðsetningu", @@ -1850,8 +1719,6 @@ "one": "Ertu viss um að þú viljir skrá þig út úr %(count)s setu?", "other": "Ertu viss um að þú viljir skrá þig út úr %(count)s setum?" }, - "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "Hvað er væntanlegt í %(brand)s? Að taka þátt í tilraunum gefur færi á að sjá nýja hluti fyrr, prófa nýja eiginleika og vera með í að móta þá áður en þeir fara í almenna notkun.", - "Upcoming features": "Væntanlegir eiginleikar", "Give one or multiple users in this room more privileges": "Gefðu einum eða fleiri notendum á þessari spjallrás auknar heimildir", "Add privileged users": "Bæta við notendum með auknar heimildir", "Sorry — this call is currently full": "Því miður - þetta símtal er fullt í augnablikinu", @@ -2112,7 +1979,13 @@ "automatic_debug_logs": "Senda atvikaskrár sjálfkrafa við allar villur", "sliding_sync_proxy_url_optional_label": "Slóð milliþjóns (valfrjálst)", "sliding_sync_proxy_url_label": "Slóð milliþjóns", - "video_rooms_beta": "Myndspjallrásir eru beta-prófunareiginleiki" + "video_rooms_beta": "Myndspjallrásir eru beta-prófunareiginleiki", + "bridge_state_creator": "Brúin var veitt af .", + "bridge_state_manager": "Þessari brú er stýrt af .", + "bridge_state_workspace": "Vinnusvæði: ", + "bridge_state_channel": "Rás: ", + "beta_section": "Væntanlegir eiginleikar", + "beta_description": "Hvað er væntanlegt í %(brand)s? Að taka þátt í tilraunum gefur færi á að sjá nýja hluti fyrr, prófa nýja eiginleika og vera með í að móta þá áður en þeir fara í almenna notkun." }, "keyboard": { "home": "Forsíða", @@ -2428,7 +2301,26 @@ "send_analytics": "Senda greiningargögn", "strict_encryption": "Aldrei senda dulrituð skilaboð af þessu tæki til ósannvottaðra tækja", "enable_message_search": "Virka skilaboðleit í dulrituðum spjallrásum", - "manually_verify_all_sessions": "Sannreyna handvirkt allar fjartengdar setur" + "manually_verify_all_sessions": "Sannreyna handvirkt allar fjartengdar setur", + "cross_signing_public_keys": "Kross-undirritun dreifilykla:", + "cross_signing_in_memory": "í minni", + "cross_signing_not_found": "fannst ekki", + "cross_signing_private_keys": "Kross-undirritun einkalykla:", + "cross_signing_in_4s": "í leynigeymslu", + "cross_signing_not_in_4s": "fannst ekki í geymslu", + "cross_signing_master_private_Key": "Aðal-einkalykill:", + "cross_signing_cached": "í staðværu skyndiminni", + "cross_signing_not_cached": "fannst ekki á tækinu", + "cross_signing_self_signing_private_key": "Sjálf-undirritaður einkalykill:", + "cross_signing_user_signing_private_key": "Notanda-undirritaður einkalykill:", + "cross_signing_homeserver_support": "Heimaþjónninn styður eftirfarandi eiginleika:", + "cross_signing_homeserver_support_exists": "er til staðar", + "export_megolm_keys": "Flytja út E2E dulritunarlykla spjallrásar", + "import_megolm_keys": "Flytja inn E2E dulritunarlykla spjallrásar", + "cryptography_section": "Dulritun", + "session_id": "Auðkenni setu:", + "session_key": "Setulykill:", + "encryption_section": "Dulritun" }, "preferences": { "room_list_heading": "Spjallrásalisti", @@ -2520,6 +2412,11 @@ "other": "Skrá út tæki" }, "security_recommendations": "Ráðleggingar varðandi öryggi" + }, + "general": { + "account_section": "Notandaaðgangur", + "language_section": "Tungumál og landsvæði", + "spell_check_section": "Stafsetningaryfirferð" } }, "devtools": { @@ -3159,6 +3056,16 @@ "default_url_previews_off": "Forskoðun vefslóða er sjálfgefið óvirk fyrir þátttakendur í þessari spjallrás.", "url_preview_encryption_warning": "Í dulrituðum spjallrásum, eins og þessari, er sjálfgefið slökkt á forskoðun vefslóða til að tryggja að heimaþjónn þinn (þar sem forskoðunin myndast) geti ekki safnað upplýsingum um tengla sem þú sérð í þessari spjallrás.", "url_previews_section": "Forskoðun vefslóða" + }, + "advanced": { + "unfederated": "Þessi spjallrás er ekki aðgengileg fjartengdum Matrix-netþjónum", + "space_upgrade_button": "Uppfæra þetta svæði í þá útgáfu spjallrásar sem mælt er með", + "room_upgrade_button": "Uppfæra þessa spjallrás í þá útgáfu spjallrásar sem mælt er með", + "space_predecessor": "Skoða eldri útgáfu af %(spaceName)s.", + "room_predecessor": "Skoða eldri skilaboð í %(roomName)s.", + "room_id": "Innra auðkenni spjallrásar", + "room_version_section": "Útgáfa spjallrásar", + "room_version": "Útgáfa spjallrásar:" } }, "encryption": { @@ -3173,8 +3080,21 @@ "sas_prompt": "Bera saman einstakar táknmyndir", "sas_description": "Berðu saman einstakar táknmyndir ef ekki er myndavél á tækjunum", "qr_or_sas": "%(qrCode)s eða %(emojiCompare)s", - "qr_or_sas_header": "Sannreyndu þetta tæki með því að ljúka einu af eftirtöldu:" - } + "qr_or_sas_header": "Sannreyndu þetta tæki með því að ljúka einu af eftirtöldu:", + "explainer": "Örugg skilaboð við þennan notanda eru enda-í-enda dulrituð þannig að enginn annar getur lesið þau.", + "complete_action": "Náði því", + "sas_emoji_caption_self": "Staðfestu að táknmyndirnar hér fyrir neðan séu birtar á báðum tækjunum og í sömu röð:", + "sas_emoji_caption_user": "Sannreyndu þennan notanda með því að staðfesta eftirfarandi táknmynd sem birtist á skjánum hans.", + "sas_caption_self": "Sannreyndu þetta tæki með því að staðfesta eftirfarandi númer sem birtist á skjá þess.", + "sas_caption_user": "Sannreyndu þennan notanda með því að staðfesta eftirfarandi númer sem birtist á skjánum hans.", + "unsupported_method": "Fann ekki neina studda sannvottunaraðferð.", + "waiting_other_device_details": "Bíð eftir að þú staðfestir á hinu tækinu, %(deviceName)s (%(deviceId)s)…", + "waiting_other_device": "Bíð eftir að þú staðfestir á hinu tækinu…", + "waiting_other_user": "Bíð eftir að %(displayName)s sannreyni…", + "cancelling": "Hætti við…" + }, + "old_version_detected_title": "Gömul dulritunargögn fundust", + "verification_requested_toast_title": "Beðið um sannvottun" }, "emoji": { "category_frequently_used": "Oft notað", @@ -3277,7 +3197,46 @@ "phone_optional_label": "Sími (valfrjálst)", "email_help_text": "Bættu við tölvupóstfangi til að geta endurstillt lykilorðið þitt.", "email_phone_discovery_text": "Notaðu tölvupóstfang eða símanúmer til að geta verið finnanleg/ur fyrir tengiliðina þína.", - "email_discovery_text": "Notaðu tölvupóstfang til að geta verið finnanleg/ur fyrir tengiliðina þína." + "email_discovery_text": "Notaðu tölvupóstfang til að geta verið finnanleg/ur fyrir tengiliðina þína.", + "session_logged_out_title": "Skráð/ur út", + "session_logged_out_description": "Í öryggisskyni hefur verið skráð út þessari setu. Skráðu þig aftur inn.", + "change_password_mismatch": "Nýju lykilorðin eru ekki eins", + "change_password_empty": "Lykilorð mega ekki vera auð", + "set_email_prompt": "Viltu skrá tölvupóstfang?", + "change_password_confirm_label": "Staðfestu lykilorðið", + "change_password_confirm_invalid": "Lykilorðin samsvara ekki", + "change_password_current_label": "Núverandi lykilorð", + "change_password_new_label": "Nýtt lykilorð", + "change_password_action": "Breyta lykilorði", + "email_field_label": "Tölvupóstfang", + "email_field_label_required": "Skrifaðu netfang", + "email_field_label_invalid": "Þetta lítur ekki út eins og gilt tölvupóstfang", + "uia": { + "password_prompt": "Staðfestu auðkennin þín með því að setja inn hér fyrir neðan lykilorðið á aðganginn þinn.", + "recaptcha_missing_params": "Vantar captcha fyrir dreifilykil í uppsetningu heimaþjónsins. Tilkynntu þetta til kerfisstjóra heimaþjónsins þíns.", + "terms_invalid": "Yfirfarðu og samþykktu allar reglur þessa heimaþjóns", + "terms": "Yfirfarðu og samþykktu reglur þessa heimaþjóns:", + "email_auth_header": "Skoðaðu tölvupóstinn þinn til að halda áfram", + "email_resend_prompt": "Fékkstu hann ekki? Endursenda hann", + "email_resent": "Endursent!", + "msisdn_token_incorrect": "Rangt teikn", + "msisdn": "Textaskilaboð hafa verið send á %(msisdn)s", + "msisdn_token_prompt": "Settu inn kóðann sem þau innihalda:", + "sso_failed": "Eitthvað fór úrskeiðis við að staðfesta auðkennin þín. Hættu við og prófaðu aftur.", + "fallback_button": "Hefja auðkenningu" + }, + "password_field_label": "Settu inn lykilorð", + "password_field_strong_label": "Fínt, sterkt lykilorð!", + "password_field_weak_label": "Lykilorð er leyfilegt, en óöruggt", + "username_field_required_invalid": "Settu inn notandanafn", + "msisdn_field_required_invalid": "Settu inn símanúmer", + "msisdn_field_number_invalid": "Þetta símanúmer lítur ekki rétt út, yfirfarðu það og prófaðu svo aftur", + "msisdn_field_label": "Sími", + "identifier_label": "Skrá inn með", + "reset_password_email_field_description": "Notaðu tölvupóstfang til að endurheimta aðganginn þinn", + "reset_password_email_field_required_invalid": "Settu inn tölvupóstfang (nauðsynlegt á þessum heimaþjóni)", + "msisdn_field_description": "Aðrir notendur geta boðið þér á spjallrásir með því að nota nánari tengiliðaupplýsingar þínar", + "registration_msisdn_field_required_invalid": "Settu inn símanúmer (nauðsynlegt á þessum heimaþjóni)" }, "room_list": { "sort_unread_first": "Birta spjallrásir með ólesnum skilaboðum fyrst", @@ -3454,7 +3413,11 @@ "see_changes_button": "Hvað er nýtt á döfinni?", "release_notes_toast_title": "Nýtt á döfinni", "toast_title": "Uppfæra %(brand)s", - "toast_description": "Ný útgáfa %(brand)s er tiltæk" + "toast_description": "Ný útgáfa %(brand)s er tiltæk", + "error_encountered": "Villa fannst (%(errorDetail)s).", + "no_update": "Engin uppfærsla tiltæk.", + "new_version_available": "Ný útgáfa tiltæk. Uppfæra núna.", + "check_action": "Athuga með uppfærslu" }, "threads": { "all_threads": "Allir spjallþræðir", @@ -3501,7 +3464,30 @@ }, "labs_mjolnir": { "room_name": "Bannlistinn minn", - "room_topic": "Þetta er listinn þinn yfir notendur/netþjóna sem þú hefur lokað á - ekki fara af spjallsvæðinu!" + "room_topic": "Þetta er listinn þinn yfir notendur/netþjóna sem þú hefur lokað á - ekki fara af spjallsvæðinu!", + "ban_reason": "Hunsað/Hindrað", + "error_adding_ignore": "Villa við að bæta við hunsuðum notanda/netþjóni", + "something_went_wrong": "Eitthvað fór úrskeiðis. Reyndu aftur eða skoðaðu vísbendingar á stjórnskjánum þínum.", + "error_adding_list_title": "Villa við að gerast áskrifandi að lista", + "error_adding_list_description": "Yfirfarðu auðkenni spjallrásar og vistfang hennar og reyndu aftur.", + "error_removing_ignore": "Villa við að fjarlægja hunsaða notanda/netþjón", + "error_removing_list_title": "Galli við að afskrá frá lista", + "error_removing_list_description": "Reyndu aftur eða skoðaðu vísbendingar á stjórnskjánum þínum.", + "rules_title": "Reglur bannlista - %(roomName)s", + "rules_server": "Reglur netþjóns", + "rules_user": "Reglur notanda", + "personal_empty": "Þú hefur ekki hunsað nein.", + "personal_section": "Þú ert að hunsa:", + "no_lists": "Þú ert ekki skráður fyrir neina lista", + "view_rules": "Skoða reglur", + "lists": "Þú ert skráður til:", + "title": "Hunsaðir notendur", + "advanced_warning": "⚠ Þessar stillingar eru ætlaðar fyrir þaulvana notendur.", + "personal_heading": "Persónulegur bannlisti", + "personal_new_label": "Netþjónn eða auðkenni notanda sem á að hunsa", + "personal_new_placeholder": "t.d.: @vélmenni:* eða dæmi.is", + "lists_heading": "Skráðir listar", + "lists_new_label": "Auðkenni spjallrásar eða vistfang bannlista" }, "create_space": { "name_required": "Settu inn eitthvað nafn fyrir svæðið", @@ -3557,7 +3543,9 @@ "private_unencrypted_warning": "Einkaskilaboðin þín eru venjulega dulrituð, en þessi spjallrás er það hinsvegar ekki. Venjulega kemur þetta til vegna tækis sem ekki sé stutt, eða aðferðarinnar sem sé notuð, eins og t.d. boðum í tölvupósti.", "enable_encryption_prompt": "Virkjaðu dulritun í stillingum.", "unencrypted_warning": "Enda-í-enda dulritun er ekki virkjuð" - } + }, + "edit_topic": "Breyta umfjöllunarefni", + "read_topic": "Smelltu til að lesa umfjöllunarefni" }, "file_panel": { "guest_note": "Þú verður að skrá þig til að geta notað þennan eiginleika", @@ -3571,9 +3559,30 @@ "intro": "Þú verður að samþykkja þjónustuskilmálana til að geta haldið áfram.", "column_service": "Þjónusta", "column_summary": "Yfirlit", - "column_document": "Skjal" + "column_document": "Skjal", + "tac_title": "Skilmálar og kvaðir", + "tac_description": "Til að halda áfram að nota %(homeserverDomain)s heimaþjóninn þarftu að yfirfara og samþykkja skilmála okkar og kvaðir.", + "tac_button": "Yfirfara skilmála og kvaðir" }, "space_settings": { "title": "Stillingar - %(spaceName)s" + }, + "poll": { + "create_poll_title": "Búa til könnun", + "create_poll_action": "Búa til könnun", + "edit_poll_title": "Breyta könnun", + "failed_send_poll_title": "Mistókst að birta könnun", + "failed_send_poll_description": "Því miður, könnunin sem þú varst að reyna að útbúa birtist ekki.", + "type_heading": "Tegund könnunar", + "type_open": "Opna könnun", + "type_closed": "Lokuð könnun", + "topic_heading": "Hver er spurning eða viðfangsefni könnunarinnar?", + "topic_label": "Spurning eða viðfangsefni", + "options_heading": "Búa til valkosti", + "options_label": "Valkostur %(number)s", + "options_placeholder": "Skrifaðu valmöguleika", + "options_add_button": "Bæta við valkosti", + "disclosed_notes": "Kjósendur sjá niðurstöðurnar þegar þeir hafa kosið", + "notes": "Niðurstöður birtast einungis eftir að þú hefur lokað könnuninni" } } diff --git a/src/i18n/strings/it.json b/src/i18n/strings/it.json index 0c2ec9d701..9ca0e8af32 100644 --- a/src/i18n/strings/it.json +++ b/src/i18n/strings/it.json @@ -6,7 +6,6 @@ "Create new room": "Crea una nuova stanza", "Favourite": "Preferito", "Failed to change password. Is your password correct?": "Modifica password fallita. La tua password è corretta?", - "Account": "Account", "Admin Tools": "Strumenti di amministrazione", "No Microphones detected": "Nessun Microfono rilevato", "No Webcams detected": "Nessuna Webcam rilevata", @@ -77,16 +76,7 @@ "Not a valid %(brand)s keyfile": "Non è una chiave di %(brand)s valida", "Authentication check failed: incorrect password?": "Controllo di autenticazione fallito: password sbagliata?", "Incorrect verification code": "Codice di verifica sbagliato", - "Phone": "Telefono", "No display name": "Nessun nome visibile", - "New passwords don't match": "Le nuove password non corrispondono", - "Passwords can't be empty": "Le password non possono essere vuote", - "Export E2E room keys": "Esporta chiavi E2E della stanza", - "Do you want to set an email address?": "Vuoi impostare un indirizzo email?", - "Current password": "Password attuale", - "New Password": "Nuova password", - "Confirm password": "Conferma password", - "Change Password": "Modifica password", "Failed to set display name": "Impostazione nome visibile fallita", "Unban": "Togli ban", "Failed to ban user": "Ban utente fallito", @@ -123,7 +113,6 @@ "%(roomName)s is not accessible at this time.": "%(roomName)s non è al momento accessibile.", "Failed to unban": "Rimozione ban fallita", "Banned by %(displayName)s": "Bandito da %(displayName)s", - "This room is not accessible by remote Matrix servers": "Questa stanza non è accessibile da server di Matrix remoti", "Jump to first unread message.": "Salta al primo messaggio non letto.", "not specified": "non specificato", "This room has no local addresses": "Questa stanza non ha indirizzi locali", @@ -137,11 +126,6 @@ "Failed to copy": "Copia fallita", "Add an Integration": "Aggiungi un'integrazione", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Stai per essere portato in un sito di terze parti per autenticare il tuo account da usare con %(integrationsUrl)s. Vuoi continuare?", - "Token incorrect": "Token errato", - "A text message has been sent to %(msisdn)s": "È stato inviato un messaggio di testo a %(msisdn)s", - "Please enter the code it contains:": "Inserisci il codice contenuto:", - "Start authentication": "Inizia l'autenticazione", - "Sign in with": "Accedi con", "Email address": "Indirizzo email", "Something went wrong!": "Qualcosa è andato storto!", "Delete Widget": "Elimina widget", @@ -178,10 +162,6 @@ "Failed to reject invitation": "Rifiuto dell'invito fallito", "This room is not public. You will not be able to rejoin without an invite.": "Questa stanza non è pubblica. Non potrai rientrare senza un invito.", "Are you sure you want to leave the room '%(roomName)s'?": "Sei sicuro di volere uscire dalla stanza '%(roomName)s'?", - "Signed Out": "Disconnesso", - "For security, this session has been signed out. Please sign in again.": "Per sicurezza questa sessione è stata disconnessa. Accedi di nuovo.", - "Old cryptography data detected": "Rilevati dati di crittografia obsoleti", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Sono stati rilevati dati da una vecchia versione di %(brand)s. Ciò avrà causato malfunzionamenti della crittografia end-to-end nella vecchia versione. I messaggi cifrati end-to-end scambiati di recente usando la vecchia versione potrebbero essere indecifrabili in questa versione. Anche i messaggi scambiati con questa versione possono fallire. Se riscontri problemi, disconnettiti e riaccedi. Per conservare la cronologia, esporta e re-importa le tue chiavi.", "Connectivity to the server has been lost.": "Connessione al server persa.", "Sent messages will be stored until your connection has returned.": "I messaggi inviati saranno salvati fino al ritorno della connessione.", "You seem to be uploading files, are you sure you want to quit?": "Sembra che tu stia inviando file, sei sicuro di volere uscire?", @@ -200,12 +180,8 @@ "Uploading %(filename)s": "Invio di %(filename)s", "Unable to remove contact information": "Impossibile rimuovere le informazioni di contatto", "": "", - "Import E2E room keys": "Importa chiavi E2E stanza", - "Cryptography": "Crittografia", - "Check for update": "Controlla aggiornamenti", "Reject all %(invitedRooms)s invites": "Rifiuta tutti gli inviti da %(invitedRooms)s", "No media permissions": "Nessuna autorizzazione per i media", - "Email": "Email", "Profile": "Profilo", "A new password must be entered.": "Deve essere inserita una nuova password.", "New passwords must match each other.": "Le nuove password devono coincidere.", @@ -235,7 +211,6 @@ "Unavailable": "Non disponibile", "Source URL": "URL d'origine", "Filter results": "Filtra risultati", - "No update available.": "Nessun aggiornamento disponibile.", "Tuesday": "Martedì", "Search…": "Cerca…", "Preparing to send logs": "Preparazione invio dei log", @@ -249,7 +224,6 @@ "Thursday": "Giovedì", "Logs sent": "Log inviati", "Yesterday": "Ieri", - "Error encountered (%(errorDetail)s).": "Errore riscontrato (%(errorDetail)s).", "Low Priority": "Priorità bassa", "Thank you!": "Grazie!", "Missing roomId.": "ID stanza mancante.", @@ -260,9 +234,6 @@ "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Eliminare l'archiviazione del browser potrebbe risolvere il problema, ma verrai disconnesso e la cronologia delle chat criptate sarà illeggibile.", "Can't leave Server Notices room": "Impossibile abbandonare la stanza Notifiche Server", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Questa stanza viene usata per messaggi importanti dall'homeserver, quindi non puoi lasciarla.", - "Terms and Conditions": "Termini e condizioni", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Per continuare a usare l'homeserver %(homeserverDomain)s devi leggere e accettare i nostri termini e condizioni.", - "Review terms and conditions": "Leggi i termini e condizioni", "Replying": "Rispondere", "Popout widget": "Oggetto a comparsa", "Share Link to User": "Condividi link utente", @@ -304,14 +275,12 @@ "If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Se l'altra versione di %(brand)s è ancora aperta in un'altra scheda, chiudila perché usare %(brand)s nello stesso host con il caricamento lento sia attivato che disattivato può causare errori.", "Incompatible local cache": "Cache locale non compatibile", "Clear cache and resync": "Svuota cache e risincronizza", - "Please review and accept the policies of this homeserver:": "Consulta ed accetta le condizioni di questo homeserver:", "Add some now": "Aggiungine ora", "Unable to load! Check your network connectivity and try again.": "Impossibile caricare! Controlla la tua connessione di rete e riprova.", "You do not have permission to invite people to this room.": "Non hai l'autorizzazione di invitare persone in questa stanza.", "Unknown server error": "Errore sconosciuto del server", "Delete Backup": "Elimina backup", "Unable to load key backup status": "Impossibile caricare lo stato del backup delle chiavi", - "Please review and accept all of the homeserver's policies": "Si prega di rivedere e accettare tutte le politiche dell'homeserver", "To avoid losing your chat history, you must export your room keys before logging out. You will need to go back to the newer version of %(brand)s to do this": "Per evitare di perdere la cronologia della chat, devi esportare le tue chiavi della stanza prima di uscire. Dovrai tornare alla versione più recente di %(brand)s per farlo", "Incompatible Database": "Database non compatibile", "Continue With Encryption Disabled": "Continua con la crittografia disattivata", @@ -339,11 +308,6 @@ "Invite anyway": "Invita comunque", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "Il file '%(fileName)s' supera la dimensione massima di invio su questo homeserver", "The user must be unbanned before they can be invited.": "L'utente non deve essere bandito per essere invitato.", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "I messaggi sicuri con questo utente sono criptati end-to-end e non possono essere letti da terze parti.", - "Got It": "Capito", - "Verify this user by confirming the following emoji appear on their screen.": "Verifica questo utente confermando che la seguente emoji appare sul suo schermo.", - "Verify this user by confirming the following number appears on their screen.": "Verifica questo utente confermando che il seguente numero appare sul suo schermo.", - "Unable to find a supported verification method.": "Impossibile trovare un metodo di verifica supportato.", "Dog": "Cane", "Cat": "Gatto", "Lion": "Leone", @@ -421,7 +385,6 @@ "Display Name": "Nome visualizzato", "Email addresses": "Indirizzi email", "Phone numbers": "Numeri di telefono", - "Language and region": "Lingua e regione", "Account management": "Gestione account", "General": "Generale", "Ignored users": "Utenti ignorati", @@ -431,10 +394,7 @@ "Request media permissions": "Richiedi autorizzazioni multimediali", "Voice & Video": "Voce e video", "Room information": "Informazioni stanza", - "Room version": "Versione stanza", - "Room version:": "Versione stanza:", "Room Addresses": "Indirizzi stanza", - "Encryption": "Crittografia", "Error updating main address": "Errore di aggiornamento indirizzo principale", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Si è verificato un errore aggiornando l'indirizzo principale della stanza. Potrebbe non essere permesso dal server o un problema temporaneo.", "Main address": "Indirizzo principale", @@ -461,7 +421,6 @@ "Success!": "Completato!", "Recovery Method Removed": "Metodo di ripristino rimosso", "If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Se non hai rimosso il metodo di ripristino, è possibile che un aggressore stia cercando di accedere al tuo account. Cambia la password del tuo account e imposta immediatamente un nuovo metodo di recupero nelle impostazioni.", - "Upgrade this room to the recommended room version": "Aggiorna questa stanza alla versione consigliata", "This room is running room version , which this homeserver has marked as unstable.": "La versione di questa stanza è , che questo homeserver ha segnalato come non stabile.", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Aggiornare questa stanza spegnerà l'istanza attuale della stanza e ne creerà una aggiornata con lo stesso nome.", "Failed to revoke invite": "Revoca dell'invito fallita", @@ -469,14 +428,9 @@ "Revoke invite": "Revoca invito", "Invited by %(sender)s": "Invitato/a da %(sender)s", "Remember my selection for this widget": "Ricorda la mia scelta per questo widget", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "Hai %(count)s notifiche non lette in una versione precedente di questa stanza.", - "one": "Hai %(count)s notifiche non lette in una versione precedente di questa stanza." - }, "The file '%(fileName)s' failed to upload.": "Invio del file '%(fileName)s' fallito.", "The server does not support the room version specified.": "Il server non supporta la versione di stanza specificata.", "The user's homeserver does not support the version of the room.": "L'homeserver dell'utente non supporta la versione della stanza.", - "View older messages in %(roomName)s.": "Vedi messaggi più vecchi in %(roomName)s.", "Join the conversation with an account": "Unisciti alla conversazione con un account", "Sign Up": "Registrati", "Reason: %(reason)s": "Motivo: %(reason)s", @@ -514,16 +468,6 @@ }, "Cancel All": "Annulla tutto", "Upload Error": "Errore di invio", - "Use an email address to recover your account": "Usa un indirizzo email per ripristinare il tuo account", - "Enter email address (required on this homeserver)": "Inserisci indirizzo email (necessario in questo homeserver)", - "Doesn't look like a valid email address": "Non sembra essere un indirizzo email valido", - "Enter password": "Inserisci password", - "Password is allowed, but unsafe": "La password è permessa, ma non sicura", - "Nice, strong password!": "Bene, password robusta!", - "Passwords don't match": "Le password non corrispondono", - "Other users can invite you to rooms using your contact details": "Altri utenti ti possono invitare nelle stanze usando i tuoi dettagli di contatto", - "Enter phone number (required on this homeserver)": "Inserisci numero di telefono (necessario in questo homeserver)", - "Enter username": "Inserisci nome utente", "Some characters not allowed": "Alcuni caratteri non sono permessi", "Add room": "Aggiungi stanza", "Failed to get autodiscovery configuration from server": "Ottenimento automatico configurazione dal server fallito", @@ -630,7 +574,6 @@ "Show advanced": "Mostra avanzate", "Explore rooms": "Esplora stanze", "Show image": "Mostra immagine", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Chiave pubblica di Captcha mancante nella configurazione dell'homeserver. Segnalalo all'amministratore dell'homeserver.", "Add Email Address": "Aggiungi indirizzo email", "Add Phone Number": "Aggiungi numero di telefono", "Your email address hasn't been verified yet": "Il tuo indirizzo email non è ancora stato verificato", @@ -649,30 +592,7 @@ "Room %(name)s": "Stanza %(name)s", "This action requires accessing the default identity server to validate an email address or phone number, but the server does not have any terms of service.": "Questa azione richiede l'accesso al server di identità predefinito per verificare un indirizzo email o numero di telefono, ma il server non ha termini di servizio.", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)", - "Error adding ignored user/server": "Errore di aggiunta utente/server ignorato", - "Something went wrong. Please try again or view your console for hints.": "Qualcosa è andato storto. Riprova o controlla la console per suggerimenti.", - "Error subscribing to list": "Errore di iscrizione alla lista", - "Error removing ignored user/server": "Errore di rimozione utente/server ignorato", - "Error unsubscribing from list": "Errore di disiscrizione dalla lista", - "Please try again or view your console for hints.": "Riprova o controlla la console per suggerimenti.", "None": "Nessuno", - "Ban list rules - %(roomName)s": "Regole lista banditi - %(roomName)s", - "Server rules": "Regole server", - "User rules": "Regole utente", - "You have not ignored anyone.": "Non hai ignorato nessuno.", - "You are currently ignoring:": "Attualmente stai ignorando:", - "You are not subscribed to any lists": "Non sei iscritto ad alcuna lista", - "View rules": "Vedi regole", - "You are currently subscribed to:": "Attualmente sei iscritto a:", - "⚠ These settings are meant for advanced users.": "⚠ Queste opzioni sono pensate per utenti esperti.", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Aggiungi qui gli utenti e i server che vuoi ignorare. Usa l'asterisco perchè %(brand)s consideri qualsiasi carattere. Ad esempio, @bot:* ignorerà tutti gli utenti che hanno il nome 'bot' su qualsiasi server.", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Si possono ignorare persone attraverso liste di ban contenenti regole per chi bandire. Iscriversi ad una lista di ban significa che gli utenti/server bloccati da quella lista ti verranno nascosti.", - "Personal ban list": "Lista di ban personale", - "Server or user ID to ignore": "Server o ID utente da ignorare", - "eg: @bot:* or example.org": "es: @bot:* o esempio.org", - "Subscribed lists": "Liste sottoscritte", - "Subscribing to a ban list will cause you to join it!": "Iscriversi ad una lista di ban implica di unirsi ad essa!", - "If this isn't what you want, please use a different tool to ignore users.": "Se non è ciò che vuoi, usa uno strumento diverso per ignorare utenti.", "Message Actions": "Azioni messaggio", "You have ignored this user, so their message is hidden. Show anyways.": "Hai ignorato questo utente, perciò il suo messaggio è nascosto. Mostra comunque.", "You verified %(name)s": "Hai verificato %(name)s", @@ -704,7 +624,6 @@ "Integrations not allowed": "Integrazioni non permesse", "Remove for everyone": "Rimuovi per tutti", "Manage integrations": "Gestisci integrazioni", - "Ignored/Blocked": "Ignorati/Bloccati", "Verification Request": "Richiesta verifica", "Error upgrading room": "Errore di aggiornamento stanza", "Double check that your server supports the room version chosen and try again.": "Controlla che il tuo server supporti la versione di stanza scelta e riprova.", @@ -714,10 +633,6 @@ "Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Aggiornare una stanza è un'azione avanzata ed è consigliabile quando una stanza non è stabile a causa di errori, funzioni mancanti o vulnerabilità di sicurezza.", "This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please report a bug.": "Solitamente ciò influisce solo come la stanza viene elaborata sul server. Se stai riscontrando problemi con il tuo %(brand)s, segnala un errore.", "You'll upgrade this room from to .": "Aggiornerai questa stanza dalla alla .", - "Cross-signing public keys:": "Chiavi pubbliche di firma incrociata:", - "not found": "non trovato", - "Cross-signing private keys:": "Chiavi private di firma incrociata:", - "in secret storage": "in un archivio segreto", "Secret storage public key:": "Chiave pubblica dell'archivio segreto:", "in account data": "nei dati dell'account", " wants to chat": " vuole chattare", @@ -732,7 +647,6 @@ "Close preview": "Chiudi anteprima", "Language Dropdown": "Lingua a tendina", "Country Dropdown": "Nazione a tendina", - "This bridge is managed by .": "Questo bridge è gestito da .", "Recent Conversations": "Conversazioni recenti", "Show more": "Mostra altro", "Direct Messages": "Messaggi diretti", @@ -755,8 +669,6 @@ "Upgrade your encryption": "Aggiorna la tua crittografia", "Verify this session": "Verifica questa sessione", "Encryption upgrade available": "Aggiornamento crittografia disponibile", - "Waiting for %(displayName)s to verify…": "In attesa della verifica da %(displayName)s …", - "This bridge was provisioned by .": "Questo bridge è stato fornito da .", "Securely cache encrypted messages locally for them to appear in search results.": "Tieni in cache localmente i messaggi cifrati in modo sicuro affinché appaiano nei risultati di ricerca.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "A %(brand)s mancano alcuni componenti richiesti per tenere in cache i messaggi cifrati in modo sicuro. Se vuoi sperimentare questa funzionalità, compila un %(brand)s Desktop personale con i componenti di ricerca aggiunti.", "Verifies a user, session, and pubkey tuple": "Verifica un utente, una sessione e una tupla pubblica", @@ -764,15 +676,12 @@ "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "ATTENZIONE: VERIFICA CHIAVI FALLITA! La chiave per %(userId)s e per la sessione %(deviceId)s è \"%(fprint)s\" la quale non corriponde con la chiave \"%(fingerprint)s\" fornita. Ciò può significare che le comunicazioni vengono intercettate!", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "La chiave che hai fornito corrisponde alla chiave che hai ricevuto dalla sessione di %(userId)s %(deviceId)s. Sessione contrassegnata come verificata.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Il tuo account ha un'identità a firma incrociata nell'archivio segreto, ma non è ancora fidata da questa sessione.", - "in memory": "in memoria", "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Questa sessione non sta facendo il backup delle tue chiavi, ma hai un backup esistente dal quale puoi ripristinare e che puoi usare da ora in poi.", "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Connetti questa sessione al backup chiavi prima di disconnetterti per non perdere eventuali chiavi che possono essere solo in questa sessione.", "Connect this session to Key Backup": "Connetti questa sessione al backup chiavi", "This backup is trusted because it has been restored on this session": "Questo backup è fidato perchè è stato ripristinato in questa sessione", "Setting up keys": "Configurazione chiavi", "Your keys are not being backed up from this session.": "Il backup chiavi non viene fatto per questa sessione.", - "Session ID:": "ID sessione:", - "Session key:": "Chiave sessione:", "Message search": "Ricerca messaggio", "This room is bridging messages to the following platforms. Learn more.": "Questa stanza fa un bridge dei messaggi con le seguenti piattaforme. Maggiori informazioni.", "Bridges": "Bridge", @@ -806,7 +715,6 @@ "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "La verifica di questo utente contrassegnerà come fidata la sua sessione a te e viceversa.", "Verify this device to mark it as trusted. Trusting this device gives you and other users extra peace of mind when using end-to-end encrypted messages.": "Verifica questo dispositivo per segnarlo come fidato. Fidarsi di questo dispositivo offre a te e agli altri utenti una maggiore tranquillità nell'uso di messaggi cifrati end-to-end.", "Verifying this device will mark it as trusted, and users who have verified with you will trust this device.": "La verifica di questo dispositivo lo segnerà come fidato e gli utenti che si sono verificati con te si fideranno di questo dispositivo.", - "Confirm your identity by entering your account password below.": "Conferma la tua identità inserendo la password dell'account sotto.", "Restore your key backup to upgrade your encryption": "Ripristina il tuo backup chiavi per aggiornare la crittografia", "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Aggiorna questa sessione per consentirle di verificare altre sessioni, garantendo loro l'accesso ai messaggi cifrati e contrassegnandole come fidate per gli altri utenti.", "Create key backup": "Crea backup chiavi", @@ -823,9 +731,6 @@ "You declined": "Hai rifiutato", "%(name)s declined": "%(name)s ha rifiutato", "Your homeserver does not support cross-signing.": "Il tuo homeserver non supporta la firma incrociata.", - "Homeserver feature support:": "Funzioni supportate dall'homeserver:", - "exists": "esiste", - "Cancelling…": "Annullamento…", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Per segnalare un problema di sicurezza relativo a Matrix, leggi la Politica di divulgazione della sicurezza di Matrix.org .", "Mark all as read": "Segna tutto come letto", "Accepting…": "Accettazione…", @@ -857,10 +762,6 @@ "Confirm by comparing the following with the User Settings in your other session:": "Conferma confrontando il seguente con le impostazioni utente nell'altra sessione:", "Confirm this user's session by comparing the following with their User Settings:": "Conferma questa sessione confrontando il seguente con le sue impostazioni utente:", "If they don't match, the security of your communication may be compromised.": "Se non corrispondono, la sicurezza delle tue comunicazioni potrebbe essere compromessa.", - "Self signing private key:": "Chiave privata di auto-firma:", - "cached locally": "in cache locale", - "not found locally": "non trovato in locale", - "User signing private key:": "Chiave privata di firma utente:", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Verifica individualmente ogni sessione usata da un utente per segnarla come fidata, senza fidarsi dei dispositivi a firma incrociata.", "In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "Nelle stanze cifrate, i tuoi messaggi sono protetti e solo tu ed il destinatario avete le chiavi univoche per sbloccarli.", "Verify all users in a room to ensure it's secure.": "Verifica tutti gli utenti in una stanza per confermare che sia sicura.", @@ -907,8 +808,6 @@ "Confirm encryption setup": "Conferma impostazione crittografia", "Click the button below to confirm setting up encryption.": "Clicca il pulsante sotto per confermare l'impostazione della crittografia.", "IRC display name width": "Larghezza nome di IRC", - "Please verify the room ID or address and try again.": "Verifica l'ID o l'indirizzo della stanza e riprova.", - "Room ID or address of ban list": "ID o indirizzo stanza della lista ban", "Error creating address": "Errore creazione indirizzo", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Si è verificato un errore creando l'indirizzo. Potrebbe non essere permesso dal server o un problema temporaneo.", "You don't have permission to delete the address.": "Non hai l'autorizzazione per eliminare l'indirizzo.", @@ -923,7 +822,6 @@ "Your homeserver has exceeded one of its resource limits.": "Il tuo homeserver ha superato uno dei suoi limiti di risorse.", "Contact your server admin.": "Contatta il tuo amministratore del server.", "Ok": "Ok", - "New version available. Update now.": "Nuova versione disponibile. Aggiorna ora.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "L'amministratore del server ha disattivato la crittografia end-to-end in modo predefinito nelle stanze private e nei messaggi diretti.", "Switch theme": "Cambia tema", "All settings": "Tutte le impostazioni", @@ -954,7 +852,6 @@ "Are you sure you want to cancel entering passphrase?": "Sei sicuro di volere annullare l'inserimento della frase?", "Change notification settings": "Cambia impostazioni di notifica", "Your server isn't responding to some requests.": "Il tuo server non sta rispondendo ad alcune richieste.", - "Master private key:": "Chiave privata principale:", "You're all caught up.": "Non hai nulla di nuovo da vedere.", "Server isn't responding": "Il server non risponde", "Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "Il tuo server non sta rispondendo ad alcune tue richieste. Sotto trovi alcuni probabili motivi.", @@ -987,7 +884,6 @@ "Room settings": "Impostazioni stanza", "Take a picture": "Scatta una foto", "Safeguard against losing access to encrypted messages & data": "Proteggiti dalla perdita dei messaggi e dati crittografati", - "not found in storage": "non trovato nell'archivio", "Widgets": "Widget", "Edit widgets, bridges & bots": "Modifica widget, bridge e bot", "Add widgets, bridges & bots": "Aggiungi widget, bridge e bot", @@ -1278,9 +1174,6 @@ "other": "Salva in cache i messaggi cifrati localmente in modo che appaiano nei risultati di ricerca, usando %(size)s per salvarli da %(rooms)s stanze." }, "There was a problem communicating with the homeserver, please try again later.": "C'è stato un problema nella comunicazione con l'homeserver, riprova più tardi.", - "That phone number doesn't look quite right, please check and try again": "Quel numero di telefono non sembra corretto, controlla e riprova", - "Enter phone number": "Inserisci numero di telefono", - "Enter email address": "Inserisci indirizzo email", "Decline All": "Rifiuta tutti", "Approve widget permissions": "Approva permessi del widget", "This widget would like to:": "Il widget vorrebbe:", @@ -1320,18 +1213,14 @@ "Wrong Security Key": "Chiave di sicurezza sbagliata", "Set my room layout for everyone": "Imposta la disposizione della stanza per tutti", "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Fai il backup delle tue chiavi di crittografia con i dati del tuo account in caso perdessi l'accesso alle sessioni. Le tue chiavi saranno protette con una chiave di recupero univoca.", - "Channel: ": "Canale: ", - "Workspace: ": "Spazio di lavoro: ", "Use app for a better experience": "Usa l'app per un'esperienza migliore", "Use app": "Usa l'app", "Allow this widget to verify your identity": "Permetti a questo widget di verificare la tua identità", "The widget will verify your user ID, but won't be able to perform actions for you:": "Il widget verificherà il tuo ID utente, ma non sarà un grado di eseguire azioni per te:", "Remember this": "Ricordalo", - "Something went wrong in confirming your identity. Cancel and try again.": "Qualcosa è andato storto confermando la tua identità. Annulla e riprova.", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Abbiamo chiesto al browser di ricordare quale homeserver usi per farti accedere, ma sfortunatamente l'ha dimenticato. Vai alla pagina di accesso e riprova.", "We couldn't log you in": "Non abbiamo potuto farti accedere", "Recently visited rooms": "Stanze visitate di recente", - "Original event source": "Sorgente dell'evento originale", "%(count)s members": { "one": "%(count)s membro", "other": "%(count)s membri" @@ -1391,7 +1280,6 @@ "Invited people will be able to read old messages.": "Le persone invitate potranno leggere i vecchi messaggi.", "You most likely do not want to reset your event index store": "Probabilmente non hai bisogno di reinizializzare il tuo archivio indice degli eventi", "Avatar": "Avatar", - "Verification requested": "Verifica richiesta", "We couldn't create your DM.": "Non abbiamo potuto creare il tuo messaggio diretto.", "Consult first": "Prima consulta", "Reset event store?": "Reinizializzare l'archivio eventi?", @@ -1594,7 +1482,6 @@ "MB": "MB", "In reply to this message": "In risposta a questo messaggio", "Export chat": "Esporta conversazione", - "Create poll": "Crea sondaggio", "Updating spaces... (%(progress)s out of %(count)s)": { "one": "Aggiornamento spazio...", "other": "Aggiornamento spazi... (%(progress)s di %(count)s)" @@ -1635,13 +1522,6 @@ "The homeserver the user you're verifying is connected to": "L'homeserver al quale è connesso l'utente che stai verificando", "This room isn't bridging messages to any platforms. Learn more.": "Questa stanza non fa un bridge dei messaggi con alcuna piattaforma. Maggiori informazioni.", "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Questa stanza è in alcuni spazi di cui non sei amministratore. In quegli spazi, la vecchia stanza verrà ancora mostrata, ma alla gente verrà chiesto di entrare in quella nuova.", - "Add option": "Aggiungi opzione", - "Write an option": "Scrivi un'opzione", - "Option %(number)s": "Opzione %(number)s", - "Create options": "Crea opzioni", - "Question or topic": "Domanda o argomento", - "What is your poll question or topic?": "Qual è la domanda o l'argomento del sondaggio?", - "Create Poll": "Crea sondaggio", "You do not have permission to start polls in this room.": "Non hai i permessi per creare sondaggi in questa stanza.", "Copy link to thread": "Copia link nella conversazione", "Thread options": "Opzioni conversazione", @@ -1673,8 +1553,6 @@ "one": "%(spaceName)s e altri %(count)s", "other": "%(spaceName)s e altri %(count)s" }, - "Sorry, the poll you tried to create was not posted.": "Spiacenti, il sondaggio che hai provato a creare non è stato inviato.", - "Failed to post poll": "Invio del sondaggio fallito", "Sorry, your vote was not registered. Please try again.": "Spiacenti, il tuo voto non è stato registrato. Riprova.", "Vote not registered": "Voto non registrato", "Developer": "Sviluppatore", @@ -1740,10 +1618,6 @@ "You cancelled verification on your other device.": "Hai annullato la verifica nell'altro dispositivo.", "Almost there! Is your other device showing the same shield?": "Quasi fatto! L'altro dispositivo sta mostrando lo stesso scudo?", "To proceed, please accept the verification request on your other device.": "Per continuare, accetta la richiesta di verifica nell'altro tuo dispositivo.", - "Waiting for you to verify on your other device…": "In attesa della verifica nel tuo altro dispositivo…", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "In attesa della verifica nel tuo altro dispositivo, %(deviceName)s (%(deviceId)s)…", - "Verify this device by confirming the following number appears on its screen.": "Verifica questo dispositivo confermando che il seguente numero appare sul suo schermo.", - "Confirm the emoji below are displayed on both devices, in the same order:": "Conferma che gli emoji sottostanti sono mostrati in entrambi i dispositivi, nello stesso ordine:", "Back to thread": "Torna alla conversazione", "Room members": "Membri stanza", "Back to chat": "Torna alla chat", @@ -1759,7 +1633,6 @@ "You were removed from %(roomName)s by %(memberName)s": "Sei stato rimosso da %(roomName)s da %(memberName)s", "Message pending moderation": "Messaggio in attesa di moderazione", "Message pending moderation: %(reason)s": "Messaggio in attesa di moderazione: %(reason)s", - "Internal room ID": "ID interno stanza", "Group all your rooms that aren't part of a space in one place.": "Raggruppa tutte le tue stanze che non fanno parte di uno spazio in un unico posto.", "Group all your people in one place.": "Raggruppa tutte le tue persone in un unico posto.", "Group all your favourite rooms and people in one place.": "Raggruppa tutte le tue stanze e persone preferite in un unico posto.", @@ -1777,14 +1650,8 @@ "Feedback sent! Thanks, we appreciate it!": "Opinione inviata! Grazie, lo apprezziamo!", "%(space1Name)s and %(space2Name)s": "%(space1Name)s e %(space2Name)s", "Join %(roomAddress)s": "Entra in %(roomAddress)s", - "Edit poll": "Modifica sondaggio", "Sorry, you can't edit a poll after votes have been cast.": "Spiacenti, non puoi modificare un sondaggio dopo che sono stati inviati voti.", "Can't edit poll": "Impossibile modificare il sondaggio", - "Results are only revealed when you end the poll": "I risultati verranno rivelati solo quando termini il sondaggio", - "Voters see results as soon as they have voted": "I votanti vedranno i risultati appena avranno votato", - "Closed poll": "Sondaggio chiuso", - "Open poll": "Apri sondaggio", - "Poll type": "Tipo sondaggio", "Results will be visible when the poll is ended": "I risultati saranno visibili quando il sondaggio è terminato", "Open thread": "Apri conversazione", "Search Dialog": "Finestra di ricerca", @@ -1833,8 +1700,6 @@ "Forget this space": "Dimentica questo spazio", "You were removed by %(memberName)s": "Sei stato rimosso da %(memberName)s", "Loading preview": "Caricamento anteprima", - "View older version of %(spaceName)s.": "Vedi versione più vecchia di %(spaceName)s.", - "Upgrade this space to the recommended room version": "Aggiorna questo spazio alla versione di stanza consigliata", "Failed to join": "Entrata fallita", "The person who invited you has already left, or their server is offline.": "La persona che ti ha invitato/a è già uscita, o il suo server è offline.", "The person who invited you has already left.": "La persona che ti ha invitato/a è già uscita.", @@ -1910,13 +1775,7 @@ "To join, please enable video rooms in Labs first": "Per entrare, prima attiva le stanze video in Laboratori", "An error occurred whilst sharing your live location, please try again": "Si è verificato un errore condividendo la tua posizione in tempo reale, riprova", "An error occurred whilst sharing your live location": "Si è verificato un errore condividendo la tua posizione in tempo reale", - "Resent!": "Inviata!", - "Did not receive it? Resend it": "Non l'hai ricevuta? Inviala di nuovo", - "To create your account, open the link in the email we just sent to %(emailAddress)s.": "Per creare il tuo account, apri il collegamento nell'email che abbiamo inviato a %(emailAddress)s.", "Unread email icon": "Icona email non letta", - "Check your email to continue": "Controlla l'email per continuare", - "Click to read topic": "Clicca per leggere l'argomento", - "Edit topic": "Modifica argomento", "Joining…": "Ingresso…", "%(count)s people joined": { "one": "È entrata %(count)s persona", @@ -1969,7 +1828,6 @@ "Messages in this chat will be end-to-end encrypted.": "I messaggi in questa conversazione saranno cifrati end-to-end.", "Saved Items": "Elementi salvati", "Choose a locale": "Scegli una lingua", - "Spell check": "Controllo ortografico", "We're creating a room with %(names)s": "Stiamo creando una stanza con %(names)s", "Sessions": "Sessioni", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Per una maggiore sicurezza, verifica le tue sessioni e disconnetti quelle che non riconosci o che non usi più.", @@ -2051,10 +1909,6 @@ "WARNING: ": "ATTENZIONE: ", "We were unable to start a chat with the other user.": "Non siamo riusciti ad avviare la conversazione con l'altro utente.", "Error starting verification": "Errore di avvio della verifica", - "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.": "Ti senti di sperimentare? Prova le nostre ultime idee in sviluppo. Queste funzioni non sono complete; potrebbero essere instabili, cambiare o essere scartate. Maggiori informazioni.", - "Early previews": "Anteprime", - "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "Cosa riserva il futuro di %(brand)s? I laboratori sono il miglior modo di provare cose in anticipo, testare nuove funzioni ed aiutare a plasmarle prima che vengano distribuite.", - "Upcoming features": "Funzionalità in arrivo", "Change layout": "Cambia disposizione", "You have unverified sessions": "Hai sessioni non verificate", "Search users in this room…": "Cerca utenti in questa stanza…", @@ -2075,11 +1929,8 @@ "Edit link": "Modifica collegamento", "%(senderName)s started a voice broadcast": "%(senderName)s ha iniziato una trasmissione vocale", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", - "Registration token": "Token di registrazione", - "Enter a registration token provided by the homeserver administrator.": "Inserisci un token di registrazione fornito dall'amministratore dell'homeserver.", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Tutti i messaggi e gli inviti da questo utente verranno nascosti. Vuoi davvero ignorarli?", "Ignore %(user)s": "Ignora %(user)s", - "Manage account": "Gestisci account", "Your account details are managed separately at %(hostname)s.": "I dettagli del tuo account sono gestiti separatamente su %(hostname)s.", "unknown": "sconosciuto", "Red": "Rosso", @@ -2089,13 +1940,11 @@ "There are no past polls in this room": "In questa stanza non ci sono sondaggi passati", "There are no active polls in this room": "In questa stanza non ci sono sondaggi attivi", "Declining…": "Rifiuto…", - "Warning: upgrading a room will not automatically migrate room members to the new version of the room. We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.": "Attenzione: aggiornare una stanza non migrerà automaticamente i membri della stanza alla nuova versione. Inseriremo un link alla nuova stanza nella vecchia versione - i membri dovranno cliccare questo link per unirsi alla nuova stanza.", "This session is backing up your keys.": "Questa sessione sta facendo il backup delle tue chiavi.", "WARNING: session already verified, but keys do NOT MATCH!": "ATTENZIONE: sessione già verificata, ma le chiavi NON CORRISPONDONO!", "Enter a Security Phrase only you know, as it's used to safeguard your data. To be secure, you shouldn't re-use your account password.": "Inserisci una frase di sicurezza che conosci solo tu, dato che è usata per proteggere i tuoi dati. Per sicurezza, non dovresti riutilizzare la password dell'account.", "Starting backup…": "Avvio del backup…", "Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Procedi solo se sei sicuro di avere perso tutti gli altri tuoi dispositivi e la chiave di sicurezza.", - "Keep going…": "Continua…", "Connecting…": "In connessione…", "Scan QR code": "Scansiona codice QR", "Select '%(scanQRCode)s'": "Seleziona '%(scanQRCode)s'", @@ -2105,16 +1954,12 @@ "Enable '%(manageIntegrations)s' in Settings to do this.": "Attiva '%(manageIntegrations)s' nelle impostazioni per continuare.", "Waiting for partner to confirm…": "In attesa che il partner confermi…", "Adding…": "Aggiunta…", - "Write something…": "Scrivi qualcosa…", "Rejecting invite…": "Rifiuto dell'invito…", "Joining room…": "Ingresso nella stanza…", "Joining space…": "Ingresso nello spazio…", "Encrypting your message…": "Crittazione del tuo messaggio…", "Sending your message…": "Invio del tuo messaggio…", - "Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named '%(myBanList)s' - stay in this room to keep the ban list in effect.": "La tua lista personale di ban contiene tutti gli utenti/server da cui non vuoi vedere messaggi. Dopo aver ignorato il tuo primo utente/server, apparirà una nuova stanza nel tuo elenco stanze chiamata '%(myBanList)s' - resta in questa stanza per mantenere effettiva la lista ban.", "Set a new account password…": "Imposta una nuova password dell'account…", - "Downloading update…": "Scaricamento aggiornamento…", - "Checking for an update…": "Controllo aggiornamenti…", "Backing up %(sessionsRemaining)s keys…": "Backup di %(sessionsRemaining)s chiavi…", "Connecting to integration manager…": "Connessione al gestore di integrazioni…", "Saving…": "Salvataggio…", @@ -2182,7 +2027,6 @@ "Error changing password": "Errore nella modifica della password", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (stato HTTP %(httpStatus)s)", "Unknown password change error (%(stringifiedError)s)": "Errore sconosciuto di modifica della password (%(stringifiedError)s)", - "Error while changing password: %(error)s": "Errore nella modifica della password: %(error)s", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Impossibile invitare l'utente per email senza un server d'identità. Puoi connetterti a uno in \"Impostazioni\".", "Failed to download source media, no source url was found": "Scaricamento della fonte fallito, nessun url trovato", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "Una volta che gli utenti si saranno uniti a %(brand)s, potrete scrivervi e la stanza sarà crittografata end-to-end", @@ -2540,7 +2384,15 @@ "sliding_sync_disable_warning": "Per disattivarlo dovrai disconnetterti e riaccedere, usare con cautela!", "sliding_sync_proxy_url_optional_label": "URL proxy (facoltativo)", "sliding_sync_proxy_url_label": "URL proxy", - "video_rooms_beta": "Le stanze video sono una funzionalità beta" + "video_rooms_beta": "Le stanze video sono una funzionalità beta", + "bridge_state_creator": "Questo bridge è stato fornito da .", + "bridge_state_manager": "Questo bridge è gestito da .", + "bridge_state_workspace": "Spazio di lavoro: ", + "bridge_state_channel": "Canale: ", + "beta_section": "Funzionalità in arrivo", + "beta_description": "Cosa riserva il futuro di %(brand)s? I laboratori sono il miglior modo di provare cose in anticipo, testare nuove funzioni ed aiutare a plasmarle prima che vengano distribuite.", + "experimental_section": "Anteprime", + "experimental_description": "Ti senti di sperimentare? Prova le nostre ultime idee in sviluppo. Queste funzioni non sono complete; potrebbero essere instabili, cambiare o essere scartate. Maggiori informazioni." }, "keyboard": { "home": "Pagina iniziale", @@ -2876,7 +2728,26 @@ "record_session_details": "Registra il nome, la versione e l'url del client per riconoscere le sessioni più facilmente nel gestore di sessioni", "strict_encryption": "Non inviare mai messaggi cifrati a sessioni non verificate da questa sessione", "enable_message_search": "Attiva la ricerca messaggi nelle stanze cifrate", - "manually_verify_all_sessions": "Verifica manualmente tutte le sessioni remote" + "manually_verify_all_sessions": "Verifica manualmente tutte le sessioni remote", + "cross_signing_public_keys": "Chiavi pubbliche di firma incrociata:", + "cross_signing_in_memory": "in memoria", + "cross_signing_not_found": "non trovato", + "cross_signing_private_keys": "Chiavi private di firma incrociata:", + "cross_signing_in_4s": "in un archivio segreto", + "cross_signing_not_in_4s": "non trovato nell'archivio", + "cross_signing_master_private_Key": "Chiave privata principale:", + "cross_signing_cached": "in cache locale", + "cross_signing_not_cached": "non trovato in locale", + "cross_signing_self_signing_private_key": "Chiave privata di auto-firma:", + "cross_signing_user_signing_private_key": "Chiave privata di firma utente:", + "cross_signing_homeserver_support": "Funzioni supportate dall'homeserver:", + "cross_signing_homeserver_support_exists": "esiste", + "export_megolm_keys": "Esporta chiavi E2E della stanza", + "import_megolm_keys": "Importa chiavi E2E stanza", + "cryptography_section": "Crittografia", + "session_id": "ID sessione:", + "session_key": "Chiave sessione:", + "encryption_section": "Crittografia" }, "preferences": { "room_list_heading": "Elenco stanze", @@ -2991,6 +2862,12 @@ }, "security_recommendations": "Consigli di sicurezza", "security_recommendations_description": "Migliora la sicurezza del tuo account seguendo questi consigli." + }, + "general": { + "oidc_manage_button": "Gestisci account", + "account_section": "Account", + "language_section": "Lingua e regione", + "spell_check_section": "Controllo ortografico" } }, "devtools": { @@ -3092,7 +2969,8 @@ "low_bandwidth_mode": "Modalità larghezza di banda bassa", "developer_mode": "Modalità sviluppatore", "view_source_decrypted_event_source": "Sorgente dell'evento decifrato", - "view_source_decrypted_event_source_unavailable": "Sorgente decifrata non disponibile" + "view_source_decrypted_event_source_unavailable": "Sorgente decifrata non disponibile", + "original_event_source": "Sorgente dell'evento originale" }, "export_chat": { "html": "HTML", @@ -3732,6 +3610,17 @@ "url_preview_encryption_warning": "Nelle stanze criptate, come questa, le anteprime degli URL sono disattivate in modo predefinito per garantire che il tuo homeserver (dove vengono generate le anteprime) non possa raccogliere informazioni sui collegamenti che vedi in questa stanza.", "url_preview_explainer": "Quando qualcuno inserisce un URL nel proprio messaggio, è possibile mostrare un'anteprima dell'URL per fornire maggiori informazioni su quel collegamento, come il titolo, la descrizione e un'immagine dal sito web.", "url_previews_section": "Anteprime URL" + }, + "advanced": { + "unfederated": "Questa stanza non è accessibile da server di Matrix remoti", + "room_upgrade_warning": "Attenzione: aggiornare una stanza non migrerà automaticamente i membri della stanza alla nuova versione. Inseriremo un link alla nuova stanza nella vecchia versione - i membri dovranno cliccare questo link per unirsi alla nuova stanza.", + "space_upgrade_button": "Aggiorna questo spazio alla versione di stanza consigliata", + "room_upgrade_button": "Aggiorna questa stanza alla versione consigliata", + "space_predecessor": "Vedi versione più vecchia di %(spaceName)s.", + "room_predecessor": "Vedi messaggi più vecchi in %(roomName)s.", + "room_id": "ID interno stanza", + "room_version_section": "Versione stanza", + "room_version": "Versione stanza:" } }, "encryption": { @@ -3747,8 +3636,22 @@ "sas_prompt": "Confronta emoji univoci", "sas_description": "Confrontate un set di emoji univoci se non avete una fotocamera sui dispositivi", "qr_or_sas": "%(qrCode)s o %(emojiCompare)s", - "qr_or_sas_header": "Verifica questo dispositivo completando una delle seguenti cose:" - } + "qr_or_sas_header": "Verifica questo dispositivo completando una delle seguenti cose:", + "explainer": "I messaggi sicuri con questo utente sono criptati end-to-end e non possono essere letti da terze parti.", + "complete_action": "Capito", + "sas_emoji_caption_self": "Conferma che gli emoji sottostanti sono mostrati in entrambi i dispositivi, nello stesso ordine:", + "sas_emoji_caption_user": "Verifica questo utente confermando che la seguente emoji appare sul suo schermo.", + "sas_caption_self": "Verifica questo dispositivo confermando che il seguente numero appare sul suo schermo.", + "sas_caption_user": "Verifica questo utente confermando che il seguente numero appare sul suo schermo.", + "unsupported_method": "Impossibile trovare un metodo di verifica supportato.", + "waiting_other_device_details": "In attesa della verifica nel tuo altro dispositivo, %(deviceName)s (%(deviceId)s)…", + "waiting_other_device": "In attesa della verifica nel tuo altro dispositivo…", + "waiting_other_user": "In attesa della verifica da %(displayName)s …", + "cancelling": "Annullamento…" + }, + "old_version_detected_title": "Rilevati dati di crittografia obsoleti", + "old_version_detected_description": "Sono stati rilevati dati da una vecchia versione di %(brand)s. Ciò avrà causato malfunzionamenti della crittografia end-to-end nella vecchia versione. I messaggi cifrati end-to-end scambiati di recente usando la vecchia versione potrebbero essere indecifrabili in questa versione. Anche i messaggi scambiati con questa versione possono fallire. Se riscontri problemi, disconnettiti e riaccedi. Per conservare la cronologia, esporta e re-importa le tue chiavi.", + "verification_requested_toast_title": "Verifica richiesta" }, "emoji": { "category_frequently_used": "Usati di frequente", @@ -3863,7 +3766,51 @@ "phone_optional_label": "Telefono (facoltativo)", "email_help_text": "Aggiungi un'email per poter reimpostare la password.", "email_phone_discovery_text": "Usa l'email o il telefono per essere facoltativamente trovabile dai contatti esistenti.", - "email_discovery_text": "Usa l'email per essere facoltativamente trovabile dai contatti esistenti." + "email_discovery_text": "Usa l'email per essere facoltativamente trovabile dai contatti esistenti.", + "session_logged_out_title": "Disconnesso", + "session_logged_out_description": "Per sicurezza questa sessione è stata disconnessa. Accedi di nuovo.", + "change_password_error": "Errore nella modifica della password: %(error)s", + "change_password_mismatch": "Le nuove password non corrispondono", + "change_password_empty": "Le password non possono essere vuote", + "set_email_prompt": "Vuoi impostare un indirizzo email?", + "change_password_confirm_label": "Conferma password", + "change_password_confirm_invalid": "Le password non corrispondono", + "change_password_current_label": "Password attuale", + "change_password_new_label": "Nuova password", + "change_password_action": "Modifica password", + "email_field_label": "Email", + "email_field_label_required": "Inserisci indirizzo email", + "email_field_label_invalid": "Non sembra essere un indirizzo email valido", + "uia": { + "password_prompt": "Conferma la tua identità inserendo la password dell'account sotto.", + "recaptcha_missing_params": "Chiave pubblica di Captcha mancante nella configurazione dell'homeserver. Segnalalo all'amministratore dell'homeserver.", + "terms_invalid": "Si prega di rivedere e accettare tutte le politiche dell'homeserver", + "terms": "Consulta ed accetta le condizioni di questo homeserver:", + "email_auth_header": "Controlla l'email per continuare", + "email": "Per creare il tuo account, apri il collegamento nell'email che abbiamo inviato a %(emailAddress)s.", + "email_resend_prompt": "Non l'hai ricevuta? Inviala di nuovo", + "email_resent": "Inviata!", + "msisdn_token_incorrect": "Token errato", + "msisdn": "È stato inviato un messaggio di testo a %(msisdn)s", + "msisdn_token_prompt": "Inserisci il codice contenuto:", + "registration_token_prompt": "Inserisci un token di registrazione fornito dall'amministratore dell'homeserver.", + "registration_token_label": "Token di registrazione", + "sso_failed": "Qualcosa è andato storto confermando la tua identità. Annulla e riprova.", + "fallback_button": "Inizia l'autenticazione" + }, + "password_field_label": "Inserisci password", + "password_field_strong_label": "Bene, password robusta!", + "password_field_weak_label": "La password è permessa, ma non sicura", + "password_field_keep_going_prompt": "Continua…", + "username_field_required_invalid": "Inserisci nome utente", + "msisdn_field_required_invalid": "Inserisci numero di telefono", + "msisdn_field_number_invalid": "Quel numero di telefono non sembra corretto, controlla e riprova", + "msisdn_field_label": "Telefono", + "identifier_label": "Accedi con", + "reset_password_email_field_description": "Usa un indirizzo email per ripristinare il tuo account", + "reset_password_email_field_required_invalid": "Inserisci indirizzo email (necessario in questo homeserver)", + "msisdn_field_description": "Altri utenti ti possono invitare nelle stanze usando i tuoi dettagli di contatto", + "registration_msisdn_field_required_invalid": "Inserisci numero di telefono (necessario in questo homeserver)" }, "room_list": { "sort_unread_first": "Mostra prima le stanze con messaggi non letti", @@ -4057,7 +4004,13 @@ "see_changes_button": "Cosa c'è di nuovo?", "release_notes_toast_title": "Novità", "toast_title": "Aggiorna %(brand)s", - "toast_description": "Nuova versione di %(brand)s disponibile" + "toast_description": "Nuova versione di %(brand)s disponibile", + "error_encountered": "Errore riscontrato (%(errorDetail)s).", + "checking": "Controllo aggiornamenti…", + "no_update": "Nessun aggiornamento disponibile.", + "downloading": "Scaricamento aggiornamento…", + "new_version_available": "Nuova versione disponibile. Aggiorna ora.", + "check_action": "Controlla aggiornamenti" }, "threads": { "all_threads": "Tutte le conversazioni", @@ -4110,7 +4063,35 @@ }, "labs_mjolnir": { "room_name": "Mia lista ban", - "room_topic": "Questa è la lista degli utenti/server che hai bloccato - non lasciare la stanza!" + "room_topic": "Questa è la lista degli utenti/server che hai bloccato - non lasciare la stanza!", + "ban_reason": "Ignorati/Bloccati", + "error_adding_ignore": "Errore di aggiunta utente/server ignorato", + "something_went_wrong": "Qualcosa è andato storto. Riprova o controlla la console per suggerimenti.", + "error_adding_list_title": "Errore di iscrizione alla lista", + "error_adding_list_description": "Verifica l'ID o l'indirizzo della stanza e riprova.", + "error_removing_ignore": "Errore di rimozione utente/server ignorato", + "error_removing_list_title": "Errore di disiscrizione dalla lista", + "error_removing_list_description": "Riprova o controlla la console per suggerimenti.", + "rules_title": "Regole lista banditi - %(roomName)s", + "rules_server": "Regole server", + "rules_user": "Regole utente", + "personal_empty": "Non hai ignorato nessuno.", + "personal_section": "Attualmente stai ignorando:", + "no_lists": "Non sei iscritto ad alcuna lista", + "view_rules": "Vedi regole", + "lists": "Attualmente sei iscritto a:", + "title": "Utenti ignorati", + "advanced_warning": "⚠ Queste opzioni sono pensate per utenti esperti.", + "explainer_1": "Aggiungi qui gli utenti e i server che vuoi ignorare. Usa l'asterisco perchè %(brand)s consideri qualsiasi carattere. Ad esempio, @bot:* ignorerà tutti gli utenti che hanno il nome 'bot' su qualsiasi server.", + "explainer_2": "Si possono ignorare persone attraverso liste di ban contenenti regole per chi bandire. Iscriversi ad una lista di ban significa che gli utenti/server bloccati da quella lista ti verranno nascosti.", + "personal_heading": "Lista di ban personale", + "personal_description": "La tua lista personale di ban contiene tutti gli utenti/server da cui non vuoi vedere messaggi. Dopo aver ignorato il tuo primo utente/server, apparirà una nuova stanza nel tuo elenco stanze chiamata '%(myBanList)s' - resta in questa stanza per mantenere effettiva la lista ban.", + "personal_new_label": "Server o ID utente da ignorare", + "personal_new_placeholder": "es: @bot:* o esempio.org", + "lists_heading": "Liste sottoscritte", + "lists_description_1": "Iscriversi ad una lista di ban implica di unirsi ad essa!", + "lists_description_2": "Se non è ciò che vuoi, usa uno strumento diverso per ignorare utenti.", + "lists_new_label": "ID o indirizzo stanza della lista ban" }, "create_space": { "name_required": "Inserisci un nome per lo spazio", @@ -4175,6 +4156,12 @@ "private_unencrypted_warning": "I tuoi messaggi privati normalmente sono cifrati, ma questa stanza non lo è. Di solito ciò è dovuto ad un dispositivo non supportato o dal metodo usato, come gli inviti per email.", "enable_encryption_prompt": "Attiva la crittografia nelle impostazioni.", "unencrypted_warning": "La crittografia end-to-end non è attiva" + }, + "edit_topic": "Modifica argomento", + "read_topic": "Clicca per leggere l'argomento", + "unread_notifications_predecessor": { + "other": "Hai %(count)s notifiche non lette in una versione precedente di questa stanza.", + "one": "Hai %(count)s notifiche non lette in una versione precedente di questa stanza." } }, "file_panel": { @@ -4189,9 +4176,31 @@ "intro": "Per continuare devi accettare le condizioni di servizio.", "column_service": "Servizio", "column_summary": "Riepilogo", - "column_document": "Documento" + "column_document": "Documento", + "tac_title": "Termini e condizioni", + "tac_description": "Per continuare a usare l'homeserver %(homeserverDomain)s devi leggere e accettare i nostri termini e condizioni.", + "tac_button": "Leggi i termini e condizioni" }, "space_settings": { "title": "Impostazioni - %(spaceName)s" + }, + "poll": { + "create_poll_title": "Crea sondaggio", + "create_poll_action": "Crea sondaggio", + "edit_poll_title": "Modifica sondaggio", + "failed_send_poll_title": "Invio del sondaggio fallito", + "failed_send_poll_description": "Spiacenti, il sondaggio che hai provato a creare non è stato inviato.", + "type_heading": "Tipo sondaggio", + "type_open": "Apri sondaggio", + "type_closed": "Sondaggio chiuso", + "topic_heading": "Qual è la domanda o l'argomento del sondaggio?", + "topic_label": "Domanda o argomento", + "topic_placeholder": "Scrivi qualcosa…", + "options_heading": "Crea opzioni", + "options_label": "Opzione %(number)s", + "options_placeholder": "Scrivi un'opzione", + "options_add_button": "Aggiungi opzione", + "disclosed_notes": "I votanti vedranno i risultati appena avranno votato", + "notes": "I risultati verranno rivelati solo quando termini il sondaggio" } } diff --git a/src/i18n/strings/ja.json b/src/i18n/strings/ja.json index bf2d03db44..ce514be71f 100644 --- a/src/i18n/strings/ja.json +++ b/src/i18n/strings/ja.json @@ -1,12 +1,9 @@ { - "Change Password": "パスワードを変更", - "Current password": "現在のパスワード", "Favourite": "お気に入り", "Invited": "招待済", "Low priority": "低優先度", "Notifications": "通知", "Create new room": "新しいルームを作成", - "New Password": "新しいパスワード", "Failed to change password. Is your password correct?": "パスワードの変更に失敗しました。パスワードは正しいですか?", "Filter room members": "ルームのメンバーを絞り込む", "Upload avatar": "アバターをアップロード", @@ -32,7 +29,6 @@ "Friday": "金曜日", "Yesterday": "昨日", "Low Priority": "低優先度", - "No update available.": "更新はありません。", "Changelog": "更新履歴", "Invite to this room": "このルームに招待", "Wednesday": "水曜日", @@ -47,7 +43,6 @@ "Filter results": "結果を絞り込む", "Preparing to send logs": "ログを送信する準備をしています", "Logs sent": "ログが送信されました", - "Error encountered (%(errorDetail)s).": "エラーが発生しました(%(errorDetail)s)。", "Thank you!": "ありがとうございます!", "You cannot place a call with yourself.": "自分自身に通話を発信することはできません。", "Permission Required": "権限が必要です", @@ -113,14 +108,8 @@ "Authentication check failed: incorrect password?": "認証に失敗しました:間違ったパスワード?", "Please contact your homeserver administrator.": "ホームサーバー管理者に連絡してください。", "Incorrect verification code": "認証コードが誤っています", - "Phone": "電話", "No display name": "表示名がありません", - "New passwords don't match": "新しいパスワードが一致しません", - "Passwords can't be empty": "パスワードを空にすることはできません", "Warning!": "警告!", - "Export E2E room keys": "ルームのエンドツーエンド暗号鍵をエクスポート", - "Do you want to set an email address?": "メールアドレスを設定しますか?", - "Confirm password": "パスワードを確認", "Authentication": "認証", "Failed to set display name": "表示名の設定に失敗しました", "This event could not be displayed": "このイベントは表示できませんでした", @@ -159,7 +148,6 @@ "%(roomName)s is not accessible at this time.": "%(roomName)sは現在アクセスできません。", "Failed to unban": "ブロック解除に失敗しました", "Banned by %(displayName)s": "%(displayName)sによってブロックされました", - "This room is not accessible by remote Matrix servers": "このルームはリモートのMatrixサーバーからアクセスできません", "Only room administrators will see this warning": "この警告はルームの管理者にのみ表示されます", "You don't currently have any stickerpacks enabled": "現在、ステッカーパックが有効になっていません", "Add some now": "今すぐ追加", @@ -177,12 +165,6 @@ "Failed to copy": "コピーに失敗しました", "Add an Integration": "統合を追加", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "%(integrationsUrl)sで使用するアカウントを認証するため、外部サイトに移動します。続行してよろしいですか?", - "Please review and accept the policies of this homeserver:": "このホームサーバーの運営方針を確認し、同意してください:", - "Token incorrect": "誤ったトークン", - "A text message has been sent to %(msisdn)s": "テキストメッセージを%(msisdn)sに送信しました", - "Please enter the code it contains:": "それに含まれるコードを入力してください:", - "Start authentication": "認証を開始", - "Sign in with": "ログインに使用するユーザー情報", "Email address": "メールアドレス", "Something went wrong!": "問題が発生しました!", "Delete Widget": "ウィジェットを削除", @@ -247,13 +229,6 @@ "Are you sure you want to leave the room '%(roomName)s'?": "このルーム「%(roomName)s」から退出してよろしいですか?", "Can't leave Server Notices room": "サーバー通知ルームから退出することはできません", "This room is used for important messages from the Homeserver, so you cannot leave it.": "このルームはホームサーバーからの重要なメッセージに使用されるので、退出することはできません。", - "Signed Out": "サインアウトしました", - "For security, this session has been signed out. Please sign in again.": "セキュリティー上、このセッションはログアウトされています。もう一度サインインしてください。", - "Terms and Conditions": "利用規約", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "%(homeserverDomain)sのホームサーバーを引き続き使用するには、利用規約を確認して同意する必要があります。", - "Review terms and conditions": "利用規約を確認", - "Old cryptography data detected": "古い暗号化データが検出されました", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "%(brand)sの古いバージョンのデータを検出しました。これにより、古いバージョンではエンドツーエンドの暗号化が機能しなくなります。古いバージョンを使用している間に最近交換されたエンドツーエンドの暗号化されたメッセージは、このバージョンでは復号化できません。また、このバージョンで交換されたメッセージが失敗することもあります。問題が発生した場合は、ログアウトして再度ログインしてください。メッセージ履歴を保持するには、鍵をエクスポートして再インポートしてください。", "You can't send any messages until you review and agree to our terms and conditions.": "利用規約 を確認して同意するまでは、いかなるメッセージも送信できません。", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "このホームサーバーが月間アクティブユーザー制限を超えたため、メッセージを送信できませんでした。サービスを引き続き使用するには、サービスの管理者にお問い合わせください。", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "このホームサーバーがリソース制限を超えたため、メッセージを送信できませんでした。サービスを引き続き使用するには、サービスの管理者にお問い合わせください。", @@ -275,18 +250,13 @@ "Uploading %(filename)s": "%(filename)sをアップロードしています", "Unable to remove contact information": "連絡先の情報を削除できません", "": "<サポート対象外>", - "Import E2E room keys": "ルームのエンドツーエンド暗号鍵をインポート", - "Cryptography": "暗号", - "Check for update": "更新を確認", "Reject all %(invitedRooms)s invites": "%(invitedRooms)sの全ての招待を拒否", "No media permissions": "メディア権限がありません", "You may need to manually permit %(brand)s to access your microphone/webcam": "マイクまたはWebカメラにアクセスするために、手動で%(brand)sを許可する必要があるかもしれません", "No Audio Outputs detected": "音声出力が検出されません", "Default Device": "既定の端末", "Audio Output": "音声出力", - "Email": "電子メール", "Profile": "プロフィール", - "Account": "アカウント", "A new password must be entered.": "新しいパスワードを入力する必要があります。", "New passwords must match each other.": "新しいパスワードは互いに一致する必要があります。", "Return to login screen": "ログイン画面に戻る", @@ -326,17 +296,13 @@ "No homeserver URL provided": "ホームサーバーのURLが指定されていません", "The user's homeserver does not support the version of the room.": "ユーザーのホームサーバーは、このバージョンのルームをサポートしていません。", "Phone numbers": "電話番号", - "Language and region": "言語と地域", "General": "一般", "Room information": "ルームの情報", - "Room version": "ルームのバージョン", - "Room version:": "ルームのバージョン:", "Room Addresses": "ルームのアドレス", "Sounds": "音", "Notification sound": "通知音", "Set a new custom sound": "カスタム音を設定", "Browse": "参照", - "Encryption": "暗号化", "Email Address": "メールアドレス", "Main address": "メインアドレス", "Hide advanced": "高度な設定を非表示にする", @@ -369,10 +335,6 @@ "Profile picture": "プロフィール画像", "Encryption not enabled": "暗号化が有効になっていません", "The encryption used by this room isn't supported.": "このルームで使用されている暗号化はサポートされていません。", - "Cross-signing public keys:": "クロス署名の公開鍵:", - "Cross-signing private keys:": "クロス署名の秘密鍵:", - "Session ID:": "セッションID:", - "Session key:": "セッションキー:", "Session name": "セッション名", "Session key": "セッションキー", "Email addresses": "メールアドレス", @@ -391,7 +353,6 @@ "Sign out and remove encryption keys?": "サインアウトして、暗号鍵を削除しますか?", "Italics": "斜字体", "Local address": "ローカルアドレス", - "Enter username": "ユーザー名を入力", "Email (optional)": "電子メール(任意)", "Verify this session": "このセッションを認証", "Encryption upgrade available": "暗号化のアップグレードが利用できます", @@ -415,17 +376,8 @@ "Session already verified!": "このセッションは認証済です!", "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "警告:鍵の認証に失敗しました!提供された鍵「%(fingerprint)s」は、%(userId)sおよびセッション %(deviceId)s の署名鍵「%(fprint)s」と一致しません。通信が傍受されているおそれがあります!", "Your homeserver does not support cross-signing.": "あなたのホームサーバーはクロス署名に対応していません。", - "in memory": "メモリー内", - "not found": "ありません", - "in secret storage": "機密ストレージ内", - "Self signing private key:": "自己署名の秘密鍵:", - "cached locally": "ローカルでキャッシュ", - "not found locally": "ローカルにありません", - "User signing private key:": "ユーザー署名の秘密鍵:", "Secret storage public key:": "機密ストレージの公開鍵:", "in account data": "アカウントデータ内", - "Homeserver feature support:": "ホームサーバーの対応状況:", - "exists": "対応", "Account management": "アカウントの管理", "Deactivate account": "アカウントを無効化", "Message search": "メッセージの検索", @@ -495,9 +447,7 @@ " wants to chat": "がチャットの開始を求めています", "Do you want to chat with %(user)s?": "%(user)sとのチャットを開始しますか?", "Use the Desktop app to search encrypted messages": "デスクトップアプリを使用すると暗号化されたメッセージを検索できます", - "Got It": "了解", "Accepting…": "承認しています…", - "Waiting for %(displayName)s to verify…": "%(displayName)sによる認証を待機しています…", "Waiting for %(displayName)s to accept…": "%(displayName)sによる承認を待機しています…", "Room avatar": "ルームのアバター", "Start Verification": "認証を開始", @@ -530,15 +480,7 @@ "Algorithm:": "アルゴリズム:", "Backup version:": "バックアップのバージョン:", "Secret storage:": "機密ストレージ:", - "Master private key:": "マスター秘密鍵:", - "Password is allowed, but unsafe": "パスワードの要件は満たしていますが、安全ではありません", - "Nice, strong password!": "素晴らしい、強固なパスワードです!", - "Enter password": "パスワードを入力してください", - "Enter email address": "メールアドレスを入力", - "Enter phone number (required on this homeserver)": "電話番号を入力(このホームサーバーでは必須)", - "Enter phone number": "電話番号を入力", "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "セッションにアクセスできなくなる場合に備えて、アカウントデータと暗号鍵をバックアップしましょう。鍵は一意のセキュリティーキーで保護されます。", - "New version available. Update now.": "新しいバージョンが利用可能です。今すぐ更新", "Explore rooms": "ルームを探す", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Matrix関連のセキュリティー問題を報告するには、Matrix.orgのSecurity Disclosure Policyをご覧ください。", "Confirm adding email": "メールアドレスの追加を承認", @@ -589,37 +531,9 @@ "Uploaded sound": "アップロードされた音", "Bridges": "ブリッジ", "This room is bridging messages to the following platforms. Learn more.": "このルームは以下のプラットフォームにメッセージをブリッジしています。詳細", - "View older messages in %(roomName)s.": "%(roomName)sの古いメッセージを表示。", - "Upgrade this room to the recommended room version": "このルームを推奨のルームバージョンにアップグレード", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "サーバー管理者は、非公開のルームとダイレクトメッセージで既定でエンドツーエンド暗号化を無効にしています。", "Accept all %(invitedRooms)s invites": "%(invitedRooms)sの全ての招待を承認", - "Room ID or address of ban list": "ブロックリストのルームIDまたはアドレス", - "If this isn't what you want, please use a different tool to ignore users.": "望ましくない場合は、別のツールを使用してユーザーを無視してください。", - "Subscribing to a ban list will cause you to join it!": "ブロックリストを購読すると、そのリストに参加します!", - "Subscribed lists": "購読済のリスト", - "eg: @bot:* or example.org": "例:@bot:*やexample.orgなど", - "Server or user ID to ignore": "無視するサーバーまたはユーザーID", - "Personal ban list": "個人用ブロックリスト", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "無視はブロックリストにより行われます。ブロックリストは、ブロックする対象に関するルールを含みます。ブロックリストに登録されたユーザーやサーバーは、今後表示されなくなります。", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "無視するユーザー/サーバーをここに追加してください。アスタリスクを使用すると、%(brand)sに任意の文字を対象とするよう指示できます。たとえば、@bot:*は、あらゆるサーバーで「bot」という名前の全てのユーザーを無視します。", - "⚠ These settings are meant for advanced users.": "⚠以下の設定は、上級ユーザーを対象としています。", - "You are currently subscribed to:": "以下を購読しています:", - "View rules": "ルールを表示", - "You are not subscribed to any lists": "どのリストも購読していません", - "You are currently ignoring:": "以下を無視しています:", - "You have not ignored anyone.": "誰も無視していません。", - "User rules": "ユーザールール", - "Server rules": "サーバールール", - "Ban list rules - %(roomName)s": "ブロックに関するルールのリスト - %(roomName)s", "None": "なし", - "Please try again or view your console for hints.": "もう一度試すか、コンソールで手がかりを確認してください。", - "Error unsubscribing from list": "リストの購読を解除する際にエラーが発生しました", - "Error removing ignored user/server": "無視したユーザーまたはサーバーを削除する際にエラーが発生しました", - "Please verify the room ID or address and try again.": "ルームのIDやアドレスを確認して、もう一度お試しください。", - "Error subscribing to list": "リストを購読する際にエラーが発生しました", - "Something went wrong. Please try again or view your console for hints.": "問題が発生しました。もう一度試すか、コンソールで手がかりを確認してください。", - "Error adding ignored user/server": "無視したユーザーまたはサーバーを追加する際にエラーが発生しました", - "Ignored/Blocked": "無視/ブロック", "Discovery": "ディスカバリー(発見)", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "メールアドレスか電話番号でアカウントを検出可能にするには、IDサーバー(%(serverName)s)の利用規約への同意が必要です。", "Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.": "IDサーバーから切断すると、他のユーザーによって見つけられなくなり、また、メールアドレスや電話で他のユーザーを招待することもできなくなります。", @@ -653,14 +567,8 @@ "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "Webブラウザー上で動作する%(brand)sは、暗号化メッセージの安全なキャッシュをローカルに保存できません。%(brand)s デスクトップを使用すると、暗号化メッセージを検索結果に表示することができます。", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "暗号化されたメッセージの安全なキャッシュをローカルに保存するためのコンポーネントが%(brand)sにありません。この機能を試してみたい場合は、検索コンポーネントが追加された%(brand)sデスクトップのカスタム版をビルドしてください。", "Securely cache encrypted messages locally for them to appear in search results.": "検索結果の表示用に、暗号化されたメッセージをローカルに安全にキャッシュしています。", - "not found in storage": "ストレージ内にありません", "Set up": "設定", "Cross-signing is not set up.": "クロス署名が設定されていません。", - "Passwords don't match": "パスワードが一致しません", - "Channel: ": "チャンネル:", - "Workspace: ": "ワークスペース:", - "This bridge is managed by .": "このブリッジはにより管理されています。", - "This bridge was provisioned by .": "このブリッジはにより提供されました。", "Your server isn't responding to some requests.": "あなたのサーバーはいくつかのリクエストに応答しません。", "Folder": "フォルダー", "Headphones": "ヘッドホン", @@ -725,9 +633,6 @@ "Lion": "ライオン", "Cat": "猫", "Dog": "犬", - "Cancelling…": "キャンセルしています…", - "Unable to find a supported verification method.": "サポートしている認証方法が見つかりません。", - "Verify this user by confirming the following number appears on their screen.": "このユーザーを認証するには、相手の画面に以下の数字が表示されていることを確認してください。", "The user must be unbanned before they can be invited.": "招待する前にユーザーのブロックを解除する必要があります。", "Unrecognised address": "認識されないアドレス", "Error leaving room": "ルームを退出する際にエラーが発生しました", @@ -1020,8 +925,6 @@ "This action requires accessing the default identity server to validate an email address or phone number, but the server does not have any terms of service.": "このアクションを行うには、既定のIDサーバー にアクセスしてメールアドレスまたは電話番号を認証する必要がありますが、サーバーには利用規約がありません。", "You've reached the maximum number of simultaneous calls.": "同時通話数の上限に達しました。", "Too Many Calls": "通話が多すぎます", - "Verify this user by confirming the following emoji appear on their screen.": "このユーザーを認証するには、相手の画面に以下の絵文字が表示されていることを確認してください。", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "このユーザーとのメッセージはエンドツーエンドで暗号化されており、第三者が解読することはできません。", "Dial pad": "ダイヤルパッド", "There was an error looking up the phone number": "電話番号を検索する際にエラーが発生しました", "Unable to look up phone number": "電話番号が見つかりません", @@ -1212,8 +1115,6 @@ "Or send invite link": "もしくはリンクを送信", "If you can't see who you're looking for, send them your invite link below.": "探している相手が見つからなければ、以下のリンクを送信してください。", "Some suggestions may be hidden for privacy.": "プライバシーの観点から表示していない候補があります。", - "Add option": "選択肢を追加", - "Write an option": "選択肢を記入", "Use to scroll": "でスクロール", "Public rooms": "公開ルーム", "Use \"%(query)s\" to search": "「%(query)s」のキーワードで検索", @@ -1233,7 +1134,6 @@ "An unknown error occurred": "不明なエラーが発生しました", "unknown person": "不明な人間", "In reply to this message": "このメッセージへの返信", - "Edit poll": "アンケートを編集", "Location": "位置情報", "Submit logs": "ログを提出", "Click to view edits": "クリックすると変更履歴を表示", @@ -1256,12 +1156,8 @@ "Add existing rooms": "既存のルームを追加", "Want to add a new space instead?": "代わりに新しいスペースを追加しますか?", "Server Options": "サーバーのオプション", - "Question or topic": "質問あるいはトピック", - "Create poll": "アンケートを作成", - "Create Poll": "アンケートを作成", "Add reaction": "リアクションを追加", "Edited at %(date)s": "%(date)sに編集済", - "Internal room ID": "内部ルームID:", "Spaces you know that contain this space": "このスペースを含む参加済のスペース", "Spaces you know that contain this room": "このルームを含む参加済のスペース", "%(count)s members": { @@ -1294,14 +1190,10 @@ "Sign in with SSO": "シングルサインオンでサインイン", "Join millions for free on the largest public server": "最大の公開サーバーで、数百万人に無料で参加", "This homeserver would like to make sure you are not a robot.": "このホームサーバーは、あなたがロボットではないことの確認を求めています。", - "Doesn't look like a valid email address": "メールアドレスの形式が正しくありません", - "Enter email address (required on this homeserver)": "メールアドレスを入力してください(このホームサーバーでは必須)", - "Use an email address to recover your account": "アカウント復旧用のメールアドレスを設定してください", "Verify this device": "この端末を認証", "Verify with another device": "別の端末で認証", "Forgotten or lost all recovery methods? Reset all": "復元方法を全て失ってしまいましたか?リセットできます", "Review to ensure your account is safe": "アカウントが安全かどうか確認してください", - "Confirm your identity by entering your account password below.": "以下にアカウントのパスワードを入力して本人確認を行ってください。", "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "セキュリティーキーは、暗号化されたデータを保護するために使用されます。パスワードマネージャーもしくは金庫のような安全な場所で保管してください。", "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "あなただけが知っている秘密のパスワードを使用してください。また、バックアップ用にセキュリティーキーを保存することができます(任意)。", "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "セキュリティーキーを生成します。パスワードマネージャーもしくは金庫のような安全な場所で保管してください。", @@ -1321,7 +1213,6 @@ "Be found by phone or email": "自分を電話番号か電子メールで見つけられるようにする", "Find others by phone or email": "知人を電話番号か電子メールで探す", "You were removed from %(roomName)s by %(memberName)s": "%(memberName)sにより%(roomName)sから追放されました", - "Original event source": "元のイベントのソースコード", "Invite by email": "電子メールで招待", "Start a conversation with someone using their name or username (like ).": "名前かユーザー名(の形式)で検索して、チャットを開始しましょう。", "Start a conversation with someone using their name, email address or username (like ).": "名前、メールアドレス、ユーザー名(の形式)で検索して、チャットを開始しましょう。", @@ -1346,11 +1237,6 @@ "Share location": "位置情報を共有", "Feedback sent! Thanks, we appreciate it!": "フィードバックを送信しました!ありがとうございました!", "Can't edit poll": "アンケートは編集できません", - "Poll type": "アンケートの種類", - "Open poll": "投票の際に結果を公開", - "Closed poll": "アンケートの終了後に結果を公開", - "Voters see results as soon as they have voted": "投票した人には、投票の際に即座に結果が表示されます", - "Results are only revealed when you end the poll": "結果はアンケートが終了した後で表示されます", "Search Dialog": "検索ダイアログ", "Some invites couldn't be sent": "いくつかの招待を送信できませんでした", "Upload %(count)s other files": { @@ -1364,7 +1250,6 @@ "Back to chat": "チャットに戻る", "Room members": "ルームのメンバー", "Back to thread": "スレッドに戻る", - "Create options": "選択肢を作成", "View all %(count)s members": { "one": "1人のメンバーを表示", "other": "全%(count)s人のメンバーを表示" @@ -1378,14 +1263,12 @@ "Open in OpenStreetMap": "OpenStreetMapで開く", "The following users may not exist": "次のユーザーは存在しない可能性があります", "To leave the beta, visit your settings.": "ベータ版の使用を終了するには、設定を開いてください。", - "Option %(number)s": "選択肢%(number)s", "Message preview": "メッセージのプレビュー", "Sent": "送信済", "You don't have permission to do this": "これを行う権限がありません", "Joining": "参加しています", "Application window": "アプリケーションのウィンドウ", "Verification Request": "認証の要求", - "Verification requested": "認証が必要です", "Unable to copy a link to the room to the clipboard.": "ルームのリンクをクリップボードにコピーできませんでした。", "Unable to copy room link": "ルームのリンクをコピーできません", "The server is offline.": "サーバーはオフラインです。", @@ -1493,7 +1376,6 @@ "Clear personal data": "個人データを消去", "Your password has been reset.": "パスワードを再設定しました。", "Couldn't load page": "ページを読み込めませんでした", - "Confirm the emoji below are displayed on both devices, in the same order:": "以下の絵文字が、両方の端末で、同じ順番で表示されているかどうか確認してください:", "Show sidebar": "サイドバーを表示", "We couldn't create your DM.": "ダイレクトメッセージを作成できませんでした。", "Confirm to continue": "確認して続行", @@ -1502,8 +1384,6 @@ "Are you sure you want to deactivate your account? This is irreversible.": "アカウントを無効化してよろしいですか?この操作は元に戻すことができません。", "Want to add an existing space instead?": "代わりに既存のスペースを追加しますか?", "Space visibility": "スペースの見え方", - "That phone number doesn't look quite right, please check and try again": "電話番号が正しくありません。確認してもう一度やり直してください", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "ホームサーバーの設定にcaptchaの公開鍵が入力されていません。ホームサーバーの管理者に報告してください。", "This room is public": "このルームは公開されています", "Avatar": "アバター", "Revoke permissions": "権限を取り消す", @@ -1559,8 +1439,6 @@ "Backup could not be decrypted with this Security Phrase: please verify that you entered the correct Security Phrase.": "このセキュリティーフレーズではバックアップを復号化できませんでした。正しいセキュリティーフレーズを入力したことを確認してください。", "Drop a Pin": "場所を選択", "No votes cast": "投票がありません", - "What is your poll question or topic?": "アンケートの質問、あるいはトピックは何でしょうか?", - "Failed to post poll": "アンケートの作成に失敗しました", "Based on %(count)s votes": { "one": "%(count)s個の投票に基づく", "other": "%(count)s個の投票に基づく" @@ -1573,7 +1451,6 @@ "Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "アンケートを終了してよろしいですか?投票を締め切り、最終結果を表示します。", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "不明な(ユーザー、セッション)ペア:(%(userId)s、%(deviceId)s)", "Missing session data": "セッションのデータがありません", - "Sorry, the poll you tried to create was not posted.": "アンケートを作成できませんでした。", "Vote not registered": "投票できませんでした", "Sorry, your vote was not registered. Please try again.": "投票できませんでした。もう一度やり直してください。", "Something went wrong trying to invite the users.": "ユーザーを招待する際に、問題が発生しました。", @@ -1582,7 +1459,6 @@ "Confirm your account deactivation by using Single Sign On to prove your identity.": "シングルサインオンを使用して本人確認を行い、アカウントの無効化を承認してください。", "The poll has ended. Top answer: %(topAnswer)s": "アンケートが終了しました。最も多い投票数を獲得した選択肢:%(topAnswer)s", "The poll has ended. No votes were cast.": "アンケートが終了しました。投票はありませんでした。", - "Waiting for you to verify on your other device…": "他の端末での認証を待機しています…", "Remove from %(roomName)s": "%(roomName)sから追放", "Wait!": "お待ちください!", "Error processing audio message": "音声メッセージを処理する際にエラーが発生しました", @@ -1591,7 +1467,6 @@ "Incoming Verification Request": "認証のリクエストが届いています", "Set up Secure Messages": "セキュアメッセージを設定", "Use a different passphrase?": "異なるパスフレーズを使用しますか?", - "Please review and accept all of the homeserver's policies": "ホームサーバーの運営方針を確認し、同意してください", "Start audio stream": "音声ストリーミングを開始", "Failed to start livestream": "ライブストリームの開始に失敗しました", "Unable to start audio streaming.": "音声ストリーミングを開始できません。", @@ -1651,13 +1526,10 @@ "Invalid base_url for m.homeserver": "m.homeserverの不正なbase_url", "Skip verification for now": "認証をスキップ", "Unable to verify this device": "この端末を認証できません", - "Other users can invite you to rooms using your contact details": "他のユーザーはあなたの連絡先の情報を用いてルームに招待することができます", - "Something went wrong in confirming your identity. Cancel and try again.": "本人確認を行う際に問題が発生しました。キャンセルして、もう一度やり直してください。", "Other spaces or rooms you might not know": "知らないかもしれない他のスペースやルーム", "You're removing all spaces. Access will default to invite only": "全てのスペースを削除しようとしています。招待者しかアクセスできなくなります", "To continue, use Single Sign On to prove your identity.": "続行するには、シングルサインオンを使用して、本人確認を行ってください。", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "このユーザーを認証すると、相手のセッションと自分のセッションを信頼済として表示します。", - "Verify this device by confirming the following number appears on its screen.": "この端末を認証するには、画面に以下の数字が表示されていることを確認してください。", "Some files are too large to be uploaded. The file size limit is %(limit)s.": "アップロードしようとしているいくつかのファイルのサイズが大きすぎます。最大のサイズは%(limit)sです。", "These files are too large to upload. The file size limit is %(limit)s.": "アップロードしようとしているファイルのサイズが大きすぎます。最大のサイズは%(limit)sです。", "a new master key signature": "新しいマスターキーの署名", @@ -1708,7 +1580,6 @@ "Missing domain separator e.g. (:domain.org)": "ドメイン名のセパレーターが入力されていません。例は:domain.orgとなります", "Missing room name or separator e.g. (my-room:domain.org)": "ルーム名あるいはセパレーターが入力されていません。例はmy-room:domain.orgとなります", "This address had invalid server or is already in use": "このアドレスは不正なサーバーを含んでいるか、既に使用されています", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "端末 %(deviceName)s(%(deviceId)s)での認証を待機しています…", "Deleting cross-signing keys is permanent. Anyone you have verified with will see security alerts. You almost certainly don't want to do this, unless you've lost every device you can cross-sign from.": "クロス署名鍵の削除は取り消せません。認証した相手には、セキュリティーに関する警告が表示されます。クロス署名を行える全ての端末を失ったのでない限り、続行すべきではありません。", "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "このセッションをアップグレードすると、他のセッションを認証できるようになります。また、暗号化されたメッセージへのアクセスが可能となり、メッセージを信頼済として相手に表示できるようになります。", "Yours, or the other users' session": "あなた、もしくは他のユーザーのセッション", @@ -1789,8 +1660,6 @@ }, "%(brand)s is experimental on a mobile web browser. For a better experience and the latest features, use our free native app.": "%(brand)sは携帯端末のウェブブラウザーでは実験的です。よりよい使用経験や最新機能を求める場合は、フリーのネイティブアプリをご利用ください。", "You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "異なるホームサーバーのURLを設定すると、他のMatrixのサーバーにサインインできます。それにより、異なるホームサーバーにある既存のMatrixのアカウントを%(brand)sで使用できます。", - "Upgrade this space to the recommended room version": "このスペースを推奨のバージョンにアップグレード", - "View older version of %(spaceName)s.": "%(spaceName)sの以前のバージョンを表示。", "Loading preview": "プレビューを読み込んでいます", "You were removed by %(memberName)s": "%(memberName)sにより追放されました", "Forget this space": "このスペースの履歴を消去", @@ -1822,10 +1691,6 @@ "one": "%(spaceName)sと他%(count)s個のスペース。", "other": "スペース %(spaceName)s と他%(count)s個のスペース内。" }, - "You have %(count)s unread notifications in a prior version of this room.": { - "one": "このルームの以前のバージョンに、未読の通知が%(count)s件あります。", - "other": "このルームの以前のバージョンに、未読の通知が%(count)s件あります。" - }, "Remember my selection for this widget": "このウィジェットに関する選択を記憶", "Unable to load commit detail: %(msg)s": "コミットの詳細を読み込めません:%(msg)s", "Explore public spaces in the new search dialog": "新しい検索ダイアログで公開スペースを探す", @@ -1834,7 +1699,6 @@ "Room info": "ルームの情報", "Video room": "ビデオ通話ルーム", "Sessions": "セッション", - "Spell check": "スペルチェック", "Your password was successfully changed.": "パスワードを変更しました。", "Video settings": "ビデオの設定", "Voice settings": "音声の設定", @@ -1861,11 +1725,7 @@ "Input devices": "入力装置", "Output devices": "出力装置", "Cameras": "カメラ", - "Check your email to continue": "続行するには電子メールを確認してください", "Unread email icon": "未読メールアイコン", - "Did not receive it? Resend it": "届きませんでしたか?再送する", - "To create your account, open the link in the email we just sent to %(emailAddress)s.": "アカウントを作成するには、 %(emailAddress)sに送ったメールの中のリンクを開いてください。", - "Resent!": "再送しました!", "Sign in new device": "新しい端末でサインイン", "The scanned code is invalid.": "スキャンされたコードは無効です。", "The request was cancelled.": "リクエストはキャンセルされました。", @@ -1919,8 +1779,6 @@ "Remove server “%(roomServer)s”": "サーバー“%(roomServer)s”を削除", "Coworkers and teams": "同僚とチーム", "Choose a locale": "ロケールを選択", - "Click to read topic": "クリックしてトピックを読む", - "Edit topic": "トピックを編集", "Un-maximise": "最大化をやめる", "%(displayName)s's live location": "%(displayName)sの位置情報(ライブ)", "You need to have the right permissions in order to share locations in this room.": "このルームでの位置情報の共有には適切な権限が必要です。", @@ -1970,7 +1828,6 @@ "Message pending moderation": "保留中のメッセージのモデレート", "Widget added by": "ウィジェットの追加者", "WARNING: ": "警告:", - "Early previews": "早期プレビュー", "Send email": "電子メールを送信", "Close call": "通話を終了", "Search for": "検索", @@ -1993,12 +1850,7 @@ "Hide my messages from new joiners": "自分のメッセージを新しい参加者に表示しない", "Messages in this chat will be end-to-end encrypted.": "このチャットのメッセージはエンドツーエンドで暗号化されます。", "You don't have permission to share locations": "位置情報の共有に必要な権限がありません", - "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.": "実験に参加したいですか?開発中のアイディアを試してください。これらの機能は完成していません。不安定な可能性や変更される可能性、また、開発が中止される可能性もあります。詳細を確認。", - "Upcoming features": "今後の機能", - "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "%(brand)sのラボでは、最新の機能をいち早く使用したり、テストしたりできるほか、機能が実際にリリースされる前の改善作業を支援することができます。", "Deactivating your account is a permanent action — be careful!": "アカウントを無効化すると取り消せません。ご注意ください!", - "Registration token": "登録用トークン", - "Enter a registration token provided by the homeserver administrator.": "ホームサーバーの管理者から提供された登録用トークンを入力してください。", "The homeserver doesn't support signing in another device.": "ホームサーバーは他の端末でのサインインをサポートしていません。", "Scan the QR code below with your device that's signed out.": "サインアウトした端末で以下のQRコードをスキャンしてください。", "We were unable to start a chat with the other user.": "他のユーザーをチャットを開始できませんでした。", @@ -2020,7 +1872,6 @@ "Reminder: Your browser is unsupported, so your experience may be unpredictable.": "注意:ブラウザーはサポートされていません。期待通りに動作しない可能性があります。", "Invalid identity server discovery response": "IDサーバーのディスカバリー(発見)に関する不正な応答です", "Show: %(instance)s rooms (%(server)s)": "表示:%(instance)s ルーム(%(server)s)", - "Manage account": "アカウントを管理", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "端末からサインアウトすると、暗号化の鍵が削除され、暗号化された会話の履歴を読むことができなくなります。", "If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "暗号化されたルームの会話を今後も読み込めるようにしたい場合は、続行する前に、鍵のバックアップを設定するか、他の端末からメッセージの鍵をエクスポートしてください。", "Verifying this device will mark it as trusted, and users who have verified with you will trust this device.": "この端末を認証すると、信頼済として表示します。あなたを認証したユーザーはこの端末を信頼することができるようになります。", @@ -2085,32 +1936,26 @@ "This session is backing up your keys.": "このセッションは鍵をバックアップしています。", "There are no past polls in this room": "このルームに過去のアンケートはありません", "There are no active polls in this room": "このルームに実施中のアンケートはありません", - "Warning: upgrading a room will not automatically migrate room members to the new version of the room. We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.": "警告: ルームをアップグレードしても、ルームのメンバーが新しいバージョンのルームに自動的に移行されることはありません。 古いバージョンのルームに、新しいルームへのリンクを投稿します。ルームのメンバーは、そのリンクをクリックして新しいルームに参加する必要があります。", "Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "警告:あなたの個人データ(暗号化の鍵を含む)が、このセッションに保存されています。このセッションの使用を終了するか、他のアカウントにログインしたい場合は、そのデータを消去してください。", "WARNING: session already verified, but keys do NOT MATCH!": "警告:このセッションは認証済ですが、鍵が一致しません!", "Scan QR code": "QRコードをスキャン", "Select '%(scanQRCode)s'": "「%(scanQRCode)s」を選択", "Enable '%(manageIntegrations)s' in Settings to do this.": "これを行うには設定から「%(manageIntegrations)s」を有効にしてください。", - "Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named '%(myBanList)s' - stay in this room to keep the ban list in effect.": "個人用ブロックリストには、メッセージを表示しない全てのユーザーもしくはサーバーが記録されます。最初のユーザーまたはサーバーを無視すると、「%(myBanList)s」という名前の新しいルームがリストに表示されます。このルームから退出すると、ブロックリストは機能しなくなります。", "Enter a Security Phrase only you know, as it's used to safeguard your data. To be secure, you shouldn't re-use your account password.": "あなただけが知っているセキュリティーフレーズを入力してください。あなたのデータを保護するために使用されます。セキュリティーの観点から、アカウントのパスワードと異なるものを設定してください。", "Starting backup…": "バックアップを開始しています…", "Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "全ての端末とセキュリティーキーを紛失してしまったことが確かである場合にのみ、続行してください。", - "Keep going…": "続行…", "Connecting…": "接続しています…", "Loading live location…": "位置情報(ライブ)を読み込んでいます…", "Fetching keys from server…": "鍵をサーバーから取得しています…", "Checking…": "確認しています…", "Waiting for partner to confirm…": "相手の承認を待機しています…", "Adding…": "追加しています…", - "Write something…": "記入してください…", "Rejecting invite…": "招待を拒否しています…", "Joining room…": "ルームに参加しています…", "Joining space…": "スペースに参加しています…", "Encrypting your message…": "メッセージを暗号化しています…", "Sending your message…": "メッセージを送信しています…", "Set a new account password…": "アカウントの新しいパスワードを設定…", - "Downloading update…": "更新をダウンロードしています…", - "Checking for an update…": "更新を確認しています…", "Backing up %(sessionsRemaining)s keys…": "%(sessionsRemaining)s個の鍵をバックアップしています…", "Connecting to integration manager…": "インテグレーションマネージャーに接続しています…", "Saving…": "保存しています…", @@ -2392,7 +2237,15 @@ "sliding_sync_disable_warning": "無効にするにはログアウトして、再度ログインする必要があります。注意して使用してください!", "sliding_sync_proxy_url_optional_label": "プロクシーのURL(任意)", "sliding_sync_proxy_url_label": "プロクシーのURL", - "video_rooms_beta": "ビデオ通話ルームはベータ版の機能です" + "video_rooms_beta": "ビデオ通話ルームはベータ版の機能です", + "bridge_state_creator": "このブリッジはにより提供されました。", + "bridge_state_manager": "このブリッジはにより管理されています。", + "bridge_state_workspace": "ワークスペース:", + "bridge_state_channel": "チャンネル:", + "beta_section": "今後の機能", + "beta_description": "%(brand)sのラボでは、最新の機能をいち早く使用したり、テストしたりできるほか、機能が実際にリリースされる前の改善作業を支援することができます。", + "experimental_section": "早期プレビュー", + "experimental_description": "実験に参加したいですか?開発中のアイディアを試してください。これらの機能は完成していません。不安定な可能性や変更される可能性、また、開発が中止される可能性もあります。詳細を確認。" }, "keyboard": { "home": "ホーム", @@ -2718,7 +2571,26 @@ "record_session_details": "クライアントの名称、バージョン、URLを記録し、セッションマネージャーでより容易にセッションを認識できるよう設定", "strict_encryption": "このセッションでは、未認証のセッションに対して暗号化されたメッセージを送信しない", "enable_message_search": "暗号化されたルームでメッセージの検索を有効にする", - "manually_verify_all_sessions": "全てのリモートセッションを手動で認証" + "manually_verify_all_sessions": "全てのリモートセッションを手動で認証", + "cross_signing_public_keys": "クロス署名の公開鍵:", + "cross_signing_in_memory": "メモリー内", + "cross_signing_not_found": "ありません", + "cross_signing_private_keys": "クロス署名の秘密鍵:", + "cross_signing_in_4s": "機密ストレージ内", + "cross_signing_not_in_4s": "ストレージ内にありません", + "cross_signing_master_private_Key": "マスター秘密鍵:", + "cross_signing_cached": "ローカルでキャッシュ", + "cross_signing_not_cached": "ローカルにありません", + "cross_signing_self_signing_private_key": "自己署名の秘密鍵:", + "cross_signing_user_signing_private_key": "ユーザー署名の秘密鍵:", + "cross_signing_homeserver_support": "ホームサーバーの対応状況:", + "cross_signing_homeserver_support_exists": "対応", + "export_megolm_keys": "ルームのエンドツーエンド暗号鍵をエクスポート", + "import_megolm_keys": "ルームのエンドツーエンド暗号鍵をインポート", + "cryptography_section": "暗号", + "session_id": "セッションID:", + "session_key": "セッションキー:", + "encryption_section": "暗号化" }, "preferences": { "room_list_heading": "ルーム一覧", @@ -2832,6 +2704,12 @@ }, "security_recommendations": "セキュリティーに関する勧告", "security_recommendations_description": "以下の勧告に従い、アカウントのセキュリティーを改善しましょう。" + }, + "general": { + "oidc_manage_button": "アカウントを管理", + "account_section": "アカウント", + "language_section": "言語と地域", + "spell_check_section": "スペルチェック" } }, "devtools": { @@ -2921,7 +2799,8 @@ "low_bandwidth_mode": "低速モード", "developer_mode": "開発者モード", "view_source_decrypted_event_source": "復号化したイベントのソースコード", - "view_source_decrypted_event_source_unavailable": "復号化したソースコードが利用できません" + "view_source_decrypted_event_source_unavailable": "復号化したソースコードが利用できません", + "original_event_source": "元のイベントのソースコード" }, "export_chat": { "html": "HTML", @@ -3535,6 +3414,17 @@ "url_preview_encryption_warning": "このルームを含めて、暗号化されたルームでは、あなたのホームサーバー(これがプレビューを作成します)によるリンクの情報の収集を防ぐため、URLプレビューは既定で無効になっています。", "url_preview_explainer": "メッセージにURLが含まれる場合、タイトル、説明、ウェブサイトの画像などがURLプレビューとして表示されます。", "url_previews_section": "URLプレビュー" + }, + "advanced": { + "unfederated": "このルームはリモートのMatrixサーバーからアクセスできません", + "room_upgrade_warning": "警告: ルームをアップグレードしても、ルームのメンバーが新しいバージョンのルームに自動的に移行されることはありません。 古いバージョンのルームに、新しいルームへのリンクを投稿します。ルームのメンバーは、そのリンクをクリックして新しいルームに参加する必要があります。", + "space_upgrade_button": "このスペースを推奨のバージョンにアップグレード", + "room_upgrade_button": "このルームを推奨のルームバージョンにアップグレード", + "space_predecessor": "%(spaceName)sの以前のバージョンを表示。", + "room_predecessor": "%(roomName)sの古いメッセージを表示。", + "room_id": "内部ルームID:", + "room_version_section": "ルームのバージョン", + "room_version": "ルームのバージョン:" } }, "encryption": { @@ -3550,8 +3440,22 @@ "sas_prompt": "絵文字の並びを比較", "sas_description": "両方の端末でQRコードをキャプチャできない場合、絵文字の比較を選んでください", "qr_or_sas": "%(qrCode)sまたは%(emojiCompare)s", - "qr_or_sas_header": "以下のいずれかでこの端末を認証してください:" - } + "qr_or_sas_header": "以下のいずれかでこの端末を認証してください:", + "explainer": "このユーザーとのメッセージはエンドツーエンドで暗号化されており、第三者が解読することはできません。", + "complete_action": "了解", + "sas_emoji_caption_self": "以下の絵文字が、両方の端末で、同じ順番で表示されているかどうか確認してください:", + "sas_emoji_caption_user": "このユーザーを認証するには、相手の画面に以下の絵文字が表示されていることを確認してください。", + "sas_caption_self": "この端末を認証するには、画面に以下の数字が表示されていることを確認してください。", + "sas_caption_user": "このユーザーを認証するには、相手の画面に以下の数字が表示されていることを確認してください。", + "unsupported_method": "サポートしている認証方法が見つかりません。", + "waiting_other_device_details": "端末 %(deviceName)s(%(deviceId)s)での認証を待機しています…", + "waiting_other_device": "他の端末での認証を待機しています…", + "waiting_other_user": "%(displayName)sによる認証を待機しています…", + "cancelling": "キャンセルしています…" + }, + "old_version_detected_title": "古い暗号化データが検出されました", + "old_version_detected_description": "%(brand)sの古いバージョンのデータを検出しました。これにより、古いバージョンではエンドツーエンドの暗号化が機能しなくなります。古いバージョンを使用している間に最近交換されたエンドツーエンドの暗号化されたメッセージは、このバージョンでは復号化できません。また、このバージョンで交換されたメッセージが失敗することもあります。問題が発生した場合は、ログアウトして再度ログインしてください。メッセージ履歴を保持するには、鍵をエクスポートして再インポートしてください。", + "verification_requested_toast_title": "認証が必要です" }, "emoji": { "category_frequently_used": "使用頻度の高いリアクション", @@ -3664,7 +3568,50 @@ "phone_optional_label": "電話番号(任意)", "email_help_text": "アカウント復旧用のメールアドレスを追加。", "email_phone_discovery_text": "後ほど、このメールアドレスまたは電話番号で連絡先に見つけてもらうことができるようになります。", - "email_discovery_text": "後ほど、このメールアドレスで連絡先に見つけてもらうことができるようになります。" + "email_discovery_text": "後ほど、このメールアドレスで連絡先に見つけてもらうことができるようになります。", + "session_logged_out_title": "サインアウトしました", + "session_logged_out_description": "セキュリティー上、このセッションはログアウトされています。もう一度サインインしてください。", + "change_password_mismatch": "新しいパスワードが一致しません", + "change_password_empty": "パスワードを空にすることはできません", + "set_email_prompt": "メールアドレスを設定しますか?", + "change_password_confirm_label": "パスワードを確認", + "change_password_confirm_invalid": "パスワードが一致しません", + "change_password_current_label": "現在のパスワード", + "change_password_new_label": "新しいパスワード", + "change_password_action": "パスワードを変更", + "email_field_label": "電子メール", + "email_field_label_required": "メールアドレスを入力", + "email_field_label_invalid": "メールアドレスの形式が正しくありません", + "uia": { + "password_prompt": "以下にアカウントのパスワードを入力して本人確認を行ってください。", + "recaptcha_missing_params": "ホームサーバーの設定にcaptchaの公開鍵が入力されていません。ホームサーバーの管理者に報告してください。", + "terms_invalid": "ホームサーバーの運営方針を確認し、同意してください", + "terms": "このホームサーバーの運営方針を確認し、同意してください:", + "email_auth_header": "続行するには電子メールを確認してください", + "email": "アカウントを作成するには、 %(emailAddress)sに送ったメールの中のリンクを開いてください。", + "email_resend_prompt": "届きませんでしたか?再送する", + "email_resent": "再送しました!", + "msisdn_token_incorrect": "誤ったトークン", + "msisdn": "テキストメッセージを%(msisdn)sに送信しました", + "msisdn_token_prompt": "それに含まれるコードを入力してください:", + "registration_token_prompt": "ホームサーバーの管理者から提供された登録用トークンを入力してください。", + "registration_token_label": "登録用トークン", + "sso_failed": "本人確認を行う際に問題が発生しました。キャンセルして、もう一度やり直してください。", + "fallback_button": "認証を開始" + }, + "password_field_label": "パスワードを入力してください", + "password_field_strong_label": "素晴らしい、強固なパスワードです!", + "password_field_weak_label": "パスワードの要件は満たしていますが、安全ではありません", + "password_field_keep_going_prompt": "続行…", + "username_field_required_invalid": "ユーザー名を入力", + "msisdn_field_required_invalid": "電話番号を入力", + "msisdn_field_number_invalid": "電話番号が正しくありません。確認してもう一度やり直してください", + "msisdn_field_label": "電話", + "identifier_label": "ログインに使用するユーザー情報", + "reset_password_email_field_description": "アカウント復旧用のメールアドレスを設定してください", + "reset_password_email_field_required_invalid": "メールアドレスを入力してください(このホームサーバーでは必須)", + "msisdn_field_description": "他のユーザーはあなたの連絡先の情報を用いてルームに招待することができます", + "registration_msisdn_field_required_invalid": "電話番号を入力(このホームサーバーでは必須)" }, "room_list": { "sort_unread_first": "未読メッセージのあるルームを最初に表示", @@ -3852,7 +3799,13 @@ "see_changes_button": "新着", "release_notes_toast_title": "新着", "toast_title": "%(brand)sの更新", - "toast_description": "%(brand)sの新しいバージョンが利用可能です" + "toast_description": "%(brand)sの新しいバージョンが利用可能です", + "error_encountered": "エラーが発生しました(%(errorDetail)s)。", + "checking": "更新を確認しています…", + "no_update": "更新はありません。", + "downloading": "更新をダウンロードしています…", + "new_version_available": "新しいバージョンが利用可能です。今すぐ更新", + "check_action": "更新を確認" }, "threads": { "all_threads": "全てのスレッド", @@ -3904,7 +3857,35 @@ }, "labs_mjolnir": { "room_name": "マイブロックリスト", - "room_topic": "あなたがブロックしたユーザーとサーバーのリストです。このルームから退出しないでください!" + "room_topic": "あなたがブロックしたユーザーとサーバーのリストです。このルームから退出しないでください!", + "ban_reason": "無視/ブロック", + "error_adding_ignore": "無視したユーザーまたはサーバーを追加する際にエラーが発生しました", + "something_went_wrong": "問題が発生しました。もう一度試すか、コンソールで手がかりを確認してください。", + "error_adding_list_title": "リストを購読する際にエラーが発生しました", + "error_adding_list_description": "ルームのIDやアドレスを確認して、もう一度お試しください。", + "error_removing_ignore": "無視したユーザーまたはサーバーを削除する際にエラーが発生しました", + "error_removing_list_title": "リストの購読を解除する際にエラーが発生しました", + "error_removing_list_description": "もう一度試すか、コンソールで手がかりを確認してください。", + "rules_title": "ブロックに関するルールのリスト - %(roomName)s", + "rules_server": "サーバールール", + "rules_user": "ユーザールール", + "personal_empty": "誰も無視していません。", + "personal_section": "以下を無視しています:", + "no_lists": "どのリストも購読していません", + "view_rules": "ルールを表示", + "lists": "以下を購読しています:", + "title": "無視しているユーザー", + "advanced_warning": "⚠以下の設定は、上級ユーザーを対象としています。", + "explainer_1": "無視するユーザー/サーバーをここに追加してください。アスタリスクを使用すると、%(brand)sに任意の文字を対象とするよう指示できます。たとえば、@bot:*は、あらゆるサーバーで「bot」という名前の全てのユーザーを無視します。", + "explainer_2": "無視はブロックリストにより行われます。ブロックリストは、ブロックする対象に関するルールを含みます。ブロックリストに登録されたユーザーやサーバーは、今後表示されなくなります。", + "personal_heading": "個人用ブロックリスト", + "personal_description": "個人用ブロックリストには、メッセージを表示しない全てのユーザーもしくはサーバーが記録されます。最初のユーザーまたはサーバーを無視すると、「%(myBanList)s」という名前の新しいルームがリストに表示されます。このルームから退出すると、ブロックリストは機能しなくなります。", + "personal_new_label": "無視するサーバーまたはユーザーID", + "personal_new_placeholder": "例:@bot:*やexample.orgなど", + "lists_heading": "購読済のリスト", + "lists_description_1": "ブロックリストを購読すると、そのリストに参加します!", + "lists_description_2": "望ましくない場合は、別のツールを使用してユーザーを無視してください。", + "lists_new_label": "ブロックリストのルームIDまたはアドレス" }, "create_space": { "name_required": "スペースの名前を入力してください", @@ -3968,6 +3949,12 @@ "private_unencrypted_warning": "通常、ダイレクトメッセージは暗号化されていますが、このルームは暗号化されていません。一般にこれは、非サポートの端末が使用されているか、電子メールなどによる招待が行われたことが理由です。", "enable_encryption_prompt": "暗号化を設定から有効にする。", "unencrypted_warning": "エンドツーエンド暗号化が有効になっていません" + }, + "edit_topic": "トピックを編集", + "read_topic": "クリックしてトピックを読む", + "unread_notifications_predecessor": { + "one": "このルームの以前のバージョンに、未読の通知が%(count)s件あります。", + "other": "このルームの以前のバージョンに、未読の通知が%(count)s件あります。" } }, "file_panel": { @@ -3982,9 +3969,31 @@ "intro": "続行するには、このサービスの利用規約に同意する必要があります。", "column_service": "サービス", "column_summary": "概要", - "column_document": "ドキュメント" + "column_document": "ドキュメント", + "tac_title": "利用規約", + "tac_description": "%(homeserverDomain)sのホームサーバーを引き続き使用するには、利用規約を確認して同意する必要があります。", + "tac_button": "利用規約を確認" }, "space_settings": { "title": "設定 - %(spaceName)s" + }, + "poll": { + "create_poll_title": "アンケートを作成", + "create_poll_action": "アンケートを作成", + "edit_poll_title": "アンケートを編集", + "failed_send_poll_title": "アンケートの作成に失敗しました", + "failed_send_poll_description": "アンケートを作成できませんでした。", + "type_heading": "アンケートの種類", + "type_open": "投票の際に結果を公開", + "type_closed": "アンケートの終了後に結果を公開", + "topic_heading": "アンケートの質問、あるいはトピックは何でしょうか?", + "topic_label": "質問あるいはトピック", + "topic_placeholder": "記入してください…", + "options_heading": "選択肢を作成", + "options_label": "選択肢%(number)s", + "options_placeholder": "選択肢を記入", + "options_add_button": "選択肢を追加", + "disclosed_notes": "投票した人には、投票の際に即座に結果が表示されます", + "notes": "結果はアンケートが終了した後で表示されます" } } diff --git a/src/i18n/strings/jbo.json b/src/i18n/strings/jbo.json index da07fe8be0..c7127ca50e 100644 --- a/src/i18n/strings/jbo.json +++ b/src/i18n/strings/jbo.json @@ -67,17 +67,8 @@ "Authentication check failed: incorrect password?": ".i pu fliba lo nu birti lo du'u curmi lo nu do jonse .i na'e drani xu japyvla", "Please contact your homeserver administrator.": ".i .e'o ko tavla lo admine be le samtcise'u", "Incorrect verification code": ".i na'e drani ke lacri lerpoi", - "Phone": "fonxa", "No display name": ".i na da cmene", - "New passwords don't match": ".i le'i lerpoijaspu poi cnino na simxu le ka du", - "Passwords can't be empty": ".i lu li'u .e'a nai japyvla", "Warning!": ".i ju'i", - "Export E2E room keys": "barbei lo kumfa pe'a termifckiku", - "Do you want to set an email address?": ".i .au pei do jmina lo te samymri", - "Current password": "lo ca japyvla", - "New Password": "lerpoijaspu vau je cnino", - "Confirm password": "lo za'u re'u japyvla poi cnino", - "Change Password": "nu basti fi le ka lerpoijaspu", "Authentication": "lo nu facki lo du'u do du ma kau", "Failed to set display name": ".i pu fliba lo nu galfi lo cmene", "Session already verified!": ".i xa'o lacri le se samtcise'u", @@ -158,9 +149,6 @@ "Ask this user to verify their session, or manually verify it below.": ".i ko cpedu le ka co'a lacri le se samtcise'u kei le pilno vau ja pilno le di'e cei'i le ka co'a lacri", "Not Trusted": "na se lacri", "Cannot reach homeserver": ".i ca ku na da ka'e zilbe'i le samtcise'u", - "Got It": "je'e", - "Waiting for %(displayName)s to verify…": ".i ca'o denpa lo nu la'o zoi. %(displayName)s .zoi mo'u co'a lacri", - "Cancelling…": ".i ca'o co'u co'e", "Ok": "je'e", "Verify this session": "nu co'a lacri le se samtcise'u", "Later": "nu ca na co'e", @@ -168,7 +156,6 @@ "Sign Up": "nu co'a na'o jaspu", " wants to chat": ".i la'o zoi. .zoi kaidji le ka tavla do", " invited you": ".i la'o zoi. .zoi friti le ka ziljmina kei do", - "Enter username": ".i ko cuxna fo le ka judri cmene", "Messages in this room are end-to-end encrypted.": ".i ro zilbe'i be fo le cei'i cu mifra", "Messages in this room are not end-to-end encrypted.": ".i na pa zilbe'i be fo le cei'i cu mifra", "%(count)s verified sessions": { @@ -194,7 +181,6 @@ "one": "nu kibdu'a %(count)s vreji poi na du" }, "Are you sure you want to leave the room '%(roomName)s'?": ".i xu do birti le du'u do kaidji le ka co'u pagbu le se zilbe'i be fo la'o zoi. %(roomName)s .zoi", - "For security, this session has been signed out. Please sign in again.": ".i ki'u lo nu snura co'u jaspu le se samtcise'u .i ko za'u re'u co'a se jaspu", "In reply to ": ".i nu spuda tu'a la'o zoi. .zoi", "Unable to share email address": ".i da nabmi fi lo nu jungau le du'u samymri judri", "Unable to share phone number": ".i da nabmi fi lo nu jungau le du'u fonjudri", @@ -301,7 +287,8 @@ }, "security": { "send_analytics": "lo du'u xu kau benji lo se lanli datni", - "strict_encryption": "nu na pa mifra be pa notci cu zilbe'i pa se samtcise'u poi na se lanli ku'o le se samtcise'u" + "strict_encryption": "nu na pa mifra be pa notci cu zilbe'i pa se samtcise'u poi na se lanli ku'o le se samtcise'u", + "export_megolm_keys": "barbei lo kumfa pe'a termifckiku" } }, "create_room": { @@ -463,7 +450,10 @@ "in_person": ".i lo nu marji penmi vau ja pilno pa se lacri lo nu tavla cu sarcu lo nu snura", "other_party_cancelled": ".i le na du be do co'u troci le ka co'a lacri", "complete_title": ".i mo'u co'a lacri", - "complete_description": ".i mo'u co'a lacri le pilno" + "complete_description": ".i mo'u co'a lacri le pilno", + "complete_action": "je'e", + "waiting_other_user": ".i ca'o denpa lo nu la'o zoi. %(displayName)s .zoi mo'u co'a lacri", + "cancelling": ".i ca'o co'u co'e" } }, "export_chat": { @@ -489,7 +479,17 @@ "sync_footer_subtitle": ".i gi na ja do pagbu so'i se zilbe'i gi la'a ze'u gunka", "incorrect_password": ".i le lerpoijaspu na drani", "register_action": "nu pa re'u co'a jaspu", - "phone_label": "fonxa" + "phone_label": "fonxa", + "session_logged_out_description": ".i ki'u lo nu snura co'u jaspu le se samtcise'u .i ko za'u re'u co'a se jaspu", + "change_password_mismatch": ".i le'i lerpoijaspu poi cnino na simxu le ka du", + "change_password_empty": ".i lu li'u .e'a nai japyvla", + "set_email_prompt": ".i .au pei do jmina lo te samymri", + "change_password_confirm_label": "lo za'u re'u japyvla poi cnino", + "change_password_current_label": "lo ca japyvla", + "change_password_new_label": "lerpoijaspu vau je cnino", + "change_password_action": "nu basti fi le ka lerpoijaspu", + "username_field_required_invalid": ".i ko cuxna fo le ka judri cmene", + "msisdn_field_label": "fonxa" }, "update": { "release_notes_toast_title": "notci le du'u cnino" diff --git a/src/i18n/strings/kab.json b/src/i18n/strings/kab.json index 70fd7da9f0..d4d9aed5d2 100644 --- a/src/i18n/strings/kab.json +++ b/src/i18n/strings/kab.json @@ -47,20 +47,13 @@ "Folder": "Akaram", "Show more": "Sken-d ugar", "Warning!": "Ɣur-k·m!", - "Current password": "Awal uffir amiran", - "New Password": "Awal uffir amaynut", - "Confirm password": "Sentem awal uffir", - "Change Password": "Snifel Awal Uffir", - "not found": "ulac-it", "Authentication": "Asesteb", "Display Name": "Sken isem", "Profile": "Amaɣnu", - "Account": "Amiḍan", "General": "Amatu", "None": "Ula yiwen", "Sounds": "Imesla", "Browse": "Inig", - "Encryption": "Awgelhen", "Verification code": "Tangalt n usenqed", "Email Address": "Tansa n yimayl", "Phone Number": "Uṭṭun n tiliɣri", @@ -93,9 +86,6 @@ "Upload files": "Sali-d ifuyla", "Source URL": "URL aɣbalu", "Home": "Agejdan", - "Email": "Imayl", - "Phone": "Tiliɣri", - "Passwords don't match": "Awalen uffiren ur mṣadan ara", "Email (optional)": "Imayl (Afrayan)", "Explore rooms": "Snirem tixxamin", "Unknown error": "Tuccḍa tarussint", @@ -193,16 +183,6 @@ "Delete Backup": "Kkes aḥraz", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Iznan yettwawgelhen ttuḥerzen s uwgelhen n yixef ɣer yixef. Ala kečč d uɣerwaḍ (yiɣerwaḍen) i yesεan tisura akken ad ɣren iznan-a.", "Connect this session to Key Backup": "Qqen tiɣimit-a ɣer uḥraz n tsarut", - "Enter password": "Sekcem awal n uffir", - "Nice, strong password!": "Igerrez, d awal uffir iǧhed aṭas!", - "Password is allowed, but unsafe": "Awal uffir yettusireg, maca d araɣelsan", - "Sign in with": "Kcem s", - "Use an email address to recover your account": "Seqdec tansa n yimayl akken ad t-terreḍ amiḍan-ik:im", - "Enter email address (required on this homeserver)": "Sekcem tansa n yimayl (yettusra deg uqeddac-a agejdan)", - "Doesn't look like a valid email address": "Ur tettban ara d tansa n yimayl tameɣtut", - "Other users can invite you to rooms using your contact details": "Iseqdacen wiyaḍ zemren ad ak·akem-snubegten ɣer texxamin s useqdec n tlqayt n unermas", - "Enter phone number (required on this homeserver)": "Sekcem uṭṭun n tiliɣri (yettusra deg uqeddac-a agejdan)", - "Enter username": "Sekcem isem n useqdac", "Clear personal data": "Sfeḍ isefka udmawanen", "Passphrases must match": "Tifyar tuffirin ilaq ad mṣadant", "Passphrase must not be empty": "Tafyirt tuffirt ur ilaq ara ad ilint d tilmawin", @@ -226,7 +206,6 @@ "%(name)s (%(userId)s)": "%(name)s (%(userId)s)", "Not a valid %(brand)s keyfile": "Afaylu n tsarut %(brand)s d arameɣtu", "Unknown server error": "Tuccḍa n uqeddac d tarussint", - "Cancelling…": "Asefsex…", "Dog": "Aqjun", "Horse": "Aεewdiw", "Pig": "Ilef", @@ -265,12 +244,7 @@ "You do not have permission to invite people to this room.": "Ur tesεiḍ ara tasiregt ad d-necdeḍ imdanen ɣer texxamt-a.", "The user's homeserver does not support the version of the room.": "Aqeddac agejdan n useqdac ur issefrek ara lqem n texxamt yettwafernen.", "Change notification settings": "Snifel iɣewwaren n yilɣa", - "Got It": "Awi-t", "Accept to continue:": "Qbel i wakken ad tkemmleḍ:", - "This bridge was provisioned by .": "Tileggit-a tella-d sɣur .", - "This bridge is managed by .": "Tileggit-a tettusefrak sɣur .", - "New passwords don't match": "Awalen uffiren imaynuten ur mṣadan ara", - "Passwords can't be empty": "Awalen uffiren ur ilaq ara ad ilin d ilmawen", "in account data": "deg yisefka n umiḍan", "Restore from Backup": "Tiririt seg uḥraz", "All keys backed up": "Akk tisura ttwaḥerzent", @@ -282,28 +256,14 @@ "Disconnect anyway": "Ɣas akken ffeɣ seg tuqqna", "Do not use an identity server": "Ur seqdac ara aqeddac n timagt", "Manage integrations": "Sefrek imsidf", - "New version available. Update now.": "Lqem amaynut yella. Leqqem tura.", - "Check for update": "Nadi lqem", "Account management": "Asefrek n umiḍan", "Deactivate Account": "Sens amiḍan", "Deactivate account": "Sens amiḍan", - "Ignored/Blocked": "Yettunfen/Yettusweḥlen", - "Error unsubscribing from list": "Tuccḍa deg usefsex n ujerred seg texxamt", - "Server rules": "Ilugan n uqeddac", - "User rules": "Ilugan n useqdac", - "You are currently ignoring:": "Aql-ak tura tuɣaleḍ deg rrif:", "Ignored users": "Iseqdacen yettunfen", - "Personal ban list": "Tabdart n tigtin tudmawant", - "Server or user ID to ignore": "Asulay n uqeddac neɣ n useqdac ara yuɣalen deg rrif", - "eg: @bot:* or example.org": "eg: @bot:* neɣ amedya.org", "": "", - "Session ID:": "Asulay n tɣimit:", "Message search": "Anadi n yizen", "Default Device": "Ibenk arussin", "Voice & Video": "Ameslaw & Tavidyut", - "Upgrade this room to the recommended room version": "Leqqem taxxamt-a ɣer lqem n texxamt yelhan", - "Room version": "Lqem n texxamt", - "Room version:": "Lqem n texxamt:", "Notification sound": "Imesli i yilɣa", "Failed to unban": "Sefsex aḍraq yugi ad yeddu", "Banned by %(displayName)s": "Yettwagi sɣur %(displayName)s", @@ -441,11 +401,9 @@ "Keys restored": "Tisura ttwaskelsent", "Reject invitation": "Agi tinnubga", "Remove for everyone": "Kkes i meṛṛa", - "Start authentication": "Bdu alɣu", "Sign in with SSO": "Anekcum s SSO", "Couldn't load page": "Asali n usebter ur yeddi ara", "Failed to reject invitation": "Tigtin n tinnubga ur yeddi ara", - "Signed Out": "Yeffeɣ seg tuqqna", "Failed to reject invite": "Tigtin n tinnubga ur yeddi ara", "Switch theme": "Abeddel n usentel", "All settings": "Akk iɣewwaren", @@ -472,15 +430,10 @@ "Bell": "Anayna", "Your server isn't responding to some requests.": "Aqeddac-inek·inem ur d-yettarra ara ɣef kra n yisuturen.", "No display name": "Ulac meffer isem", - "Export E2E room keys": "Sifeḍ tisura n texxamt E2E", - "Do you want to set an email address?": "Tebɣiḍ ad tazneḍ tansa n yimayl?", "Your homeserver does not support cross-signing.": "Aqeddac-ik·im agejdan ur yessefrak ara azmul anmidag.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Amiḍan-inek·inem ɣer-s timagit n uzmul anmidag deg uklas uffir, maca mazal ur yettwaman ara sɣur taxxamt-a.", "well formed": "imsel akken iwata", "unexpected type": "anaw ur nettwaṛǧa ara", - "Cross-signing public keys:": "Tisura n uzmul anmidag tizuyaz:", - "in memory": "deg tkatut", - "Cross-signing private keys:": "Tisura tusligin n uzmul anmidag:", "Forget this room": "Ttu taxxamt-a", "Reject & Ignore user": "Agi & Zgel aseqdac", "%(roomName)s does not exist.": "%(roomName)s ulac-it.", @@ -525,8 +478,6 @@ "Use an identity server to invite by email. Use the default (%(defaultIdentityServerName)s) or manage in Settings.": "Seqdec aqeddac n timagit i uncad s yimayl. Seqdec (%(defaultIdentityServerName)s) amezwer neɣ sefrek deg yiɣewwaren.", "Use an identity server to invite by email. Manage in Settings.": "Seqdec aqeddac n timagit i uncad s yimayl. Sefrek deg yiɣewwaren.", "This room is public": "Taxxamt-a d tazayezt", - "Terms and Conditions": "Tiwtilin d tfadiwin", - "Review terms and conditions": "Senqed tiwtilin d tfadiwin", "You signed in to a new session without verifying it:": "Teqqneḍ ɣer tɣimit war ma tesneqdeḍ-tt:", "Verify your other session using one of the options below.": "Senqed tiɣimiyin-ik·im tiyaḍ s useqdec yiwet seg textiṛiyin ddaw.", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) yeqqen ɣer tɣimit tamaynut war ma isenqed-itt:", @@ -537,15 +488,7 @@ "Create key backup": "Rnu aḥraz n tsarut", "Unable to create key backup": "Yegguma ad yernu uḥraz n tsarut", "This session is encrypting history using the new recovery method.": "Tiɣimit-a, amazray-ines awgelhen yesseqdac tarrayt n uɛeddi tamaynut.", - "in secret storage": "deg uklas uffir", - "Master private key:": "Tasarut tusligt tagejdant:", - "cached locally": "yettwaffer s wudem adigan", - "not found locally": "ulac s wudem adigan", - "Self signing private key:": "Tasarut tusligt n uzmul awurman:", - "User signing private key:": "Tasarut tusligt n uzmul n useqdac:", "Secret storage public key:": "Tasarut tazayezt n uḥraz uffir:", - "Homeserver feature support:": "Asefrek n tmahilt n Homeserver:", - "exists": "yella", "Unable to load key backup status": "Asali n waddad n uḥraz n tsarut ur yeddi ara", "not stored": "ur yettusekles ara", "Your keys are not being backed up from this session.": "Tisura-inek·inem ur ttwaḥrazent ara seg tɣimit-a.", @@ -553,7 +496,6 @@ "Failed to change password. Is your password correct?": "Asnifel n wawal uffir ur yeddi ara. Awal-ik·im d ameɣtu?", "Email addresses": "Tansiwin n yimayl", "Phone numbers": "Uṭṭunen n tiliɣri", - "Language and region": "Tutlayt d temnaḍt", "%(count)s verified sessions": { "other": "%(count)s isenqed tiɣimiyin", "one": "1 n tɣimit i yettwasneqden" @@ -599,22 +541,6 @@ "Your homeserver has exceeded one of its resource limits.": "Aqeddac-inek·inem agejdan iɛedda yiwet seg tlisa-ines tiɣbula.", "Contact your server admin.": "Nermes anedbal-inek·inem n uqeddac.", "Discovery": "Tagrut", - "Error adding ignored user/server": "Tuccḍa deg tmerna n useqdac/uqeddac yettwanfen", - "Something went wrong. Please try again or view your console for hints.": "Yella wayen ur nteddu ara akken iwata, ma ulac aɣilif ales tikkelt-nniḍen neɣ senqed tadiwent-ik·im i yiwellihen.", - "Error subscribing to list": "Tuccḍa deg ujerred ɣef tebdart", - "Please verify the room ID or address and try again.": "Ma ulac aɣilif senqed asulay n texxamt neɣ tansa syen ɛreḍ tikkelt-nniḍen.", - "Error removing ignored user/server": "Tuccḍa deg tukksa n useqdac/uqeddac yettwanfen", - "Please try again or view your console for hints.": "Ma ulac aɣilif ales tikkelt-nniḍen neɣ senqed tadiwent-ik·im i yiwellihen.", - "Ban list rules - %(roomName)s": "Ilugan n tebdart n tigtin - %(roomName)s", - "You have not ignored anyone.": "Ur tunifeḍ ula i yiwen.", - "You are not subscribed to any lists": "Ur tettwajerrdeḍ ula deg yiwet n tebdart", - "View rules": "Senqed ilugan", - "You are currently subscribed to:": "Aql-ak·akem akka tura tjerrdeḍ ɣer:", - "⚠ These settings are meant for advanced users.": "⚠ Iɣewwaren-a n yiseqdac ifazen.", - "Subscribed lists": "Tibdarin n ujerred", - "Import E2E room keys": "Kter tisura n texxamt E2E", - "Cryptography": "Awgelhan", - "Session key:": "Tasarut n tɣimit:", "Bulk options": "Tixtiṛiyin s ubleɣ", "Accept all %(invitedRooms)s invites": "Qbel akk tinubgiwin %(invitedRooms)s", "Reject all %(invitedRooms)s invites": "Agi akk tinubgiwin %(invitedRooms)s", @@ -625,7 +551,6 @@ "No Microphones detected": "Ulac isawaḍen i d-yettwafen", "No Webcams detected": "Ulac tikamiṛatin i d-yettwafen", "Audio Output": "Tuffɣa n umeslaw", - "View older messages in %(roomName)s.": "Senqed iznan iqburen deg %(roomName)s.", "Room information": "Talɣut n texxamt", "This room is bridging messages to the following platforms. Learn more.": "Taxxamt-a tettcuddu iznan ɣer tɣerɣar i d-iteddun. Issin ugar.", "Bridges": "Tileggiyin", @@ -712,13 +637,10 @@ "Upload files (%(current)s of %(total)s)": "Sali-d ifuyla (%(current)s ɣef %(total)s)", "This room is not public. You will not be able to rejoin without an invite.": "Taxxamt-a mačči d tazayezt. Ur tezmireḍ ara ad ternuḍ ɣer-s war tinubga.", "Are you sure you want to leave the room '%(roomName)s'?": "S tidet tebɣiḍ ad teǧǧeḍ taxxamt '%(roomName)s'?", - "For security, this session has been signed out. Please sign in again.": "Ɣef ssebba n tɣellist, taxxamt-a ad temdel. Ttxil-k·m ɛreḍ tikkelt-nniḍen.", - "Old cryptography data detected": "Ala isefka iweglehnen i d-iteffɣen", "You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Tzemreḍ ad tjerrdeḍ, maca kra n tmahilin ur ttilint ara almi yuɣal-d uqeddac n tmagit. Ma mazal tettwaliḍ alɣu-a, senqed tawila-inek•inem neɣ nermes anedbal n uqeddac.", "You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Tzemreḍ ad talseḍ awennez i wawal-ik•im uffir, maca kra n tmahilin ur ttilint ara almi yuɣal-d uqeddac n tmagit. Ma mazal tettwaliḍ alɣu-a, senqed tawila-inek•inem neɣ nermes anedbal n uqeddac.", "You can log in, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Tzemreḍ ad teqqneḍ, maca kra n tmahilin ur ttilint ara almi yuɣal-d uqeddac n tmagit. Ma mazal tettwaliḍ alɣu-a senqed tawila-inek•inem neɣ nermes anedbal n uqeddac.", "Enter a new identity server": "Sekcem aqeddac n timagit amaynut", - "No update available.": "Ulac lqem i yellan.", "An error has occurred.": "Tella-d tuccḍa.", "Integrations are disabled": "Imsidaf ttwasensen", "Integrations not allowed": "Imsidaf ur ttusirgen ara", @@ -734,12 +656,8 @@ "Room Settings - %(roomName)s": "Iɣewwaren n texxamt - %(roomName)s", "The room upgrade could not be completed": "Aleqqem n texxamt yegguma ad yemmed", "IRC display name width": "Tehri n yisem i d-yettwaseknen IRC", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Iznan iɣellsanen akked useqdac-a ttwawgelhen seg yixef ɣer yixef yerna yiwen ur yezmir ad ten-iɣeṛ.", - "Verify this user by confirming the following emoji appear on their screen.": "Senqed aseqdac-a s usentem dakken imujiten-a ttbanen-d ɣef ugdil-is.", - "Verify this user by confirming the following number appears on their screen.": "Senqed aseqdac-a s usentem dakken amḍan-a ittban-d ɣef ugdil-is.", "Thumbs up": "Adebbuz d asawen", "Unexpected server error trying to leave the room": "Tuccḍa n uqeddac ur nettwaṛǧa ara lawan n tuffɣa seg texxamt", - "Waiting for %(displayName)s to verify…": "Aṛaǧu n %(displayName)s i usenqed…", "Securely cache encrypted messages locally for them to appear in search results.": "Ḥrez iznan iwgelhanen idiganen s wudem awurman i wakken ad d-banen deg yigmaḍ n unadi.", "The integration manager is offline or it cannot reach your homeserver.": "Amsefrak n umsidef ha-t-an beṛṛa n tuqqna neɣ ur yezmir ara ad yaweḍ ɣer uqeddac-ik·im agejdan.", "This backup is trusted because it has been restored on this session": "Aḥraz yettwaḍman acku yuɣal-d seg tɣimit-a", @@ -756,10 +674,6 @@ "Resend %(unsentCount)s reaction(s)": "Ales tuzna n tsedmirt (tsedmirin) %(unsentCount)s", "This homeserver would like to make sure you are not a robot.": "Aqeddac-a aqejdan yesra ad iẓer ma mačči d aṛubut i telliḍ.", "Country Dropdown": "Tabdart n udrurem n tmura", - "Confirm your identity by entering your account password below.": "Sentem timagit-ik·im s usekcem n wawal uffir n umiḍan-ik·im ddaw.", - "Please review and accept all of the homeserver's policies": "Ttxil-k·m senqed syen qbel tisertiyin akk n uqeddac agejdan", - "Please review and accept the policies of this homeserver:": "Ttxil-k·m senqed syen qbel tisertiyin n uqeddac-a agejdan:", - "Token incorrect": "Ajuṭu d arameɣtu", "Upload avatar": "Sali-d avaṭar", "Failed to forget room %(errCode)s": "Tatut n texxamt %(errCode)s ur teddi ara", "Search failed": "Ur iddi ara unadi", @@ -786,12 +700,7 @@ "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "senqed izegrar n yiming-ik·im i kra n wayen i izemren ad isewḥel aqeddac n timagit (am Privacy Badger)", "contact the administrators of identity server ": "nermes inedbalen n uqeddac n timagit ", "You are still sharing your personal data on the identity server .": "Mazal-ik·ikem tbeṭṭuḍ isefka-inek·inem udmawanen ɣef uqeddac n timagit .", - "Error encountered (%(errorDetail)s).": "Tuccaḍ i d-yettwamuggren (%(errorDetail)s).", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "I wakken ad d-tazneḍ ugur n tɣellist i icudden ɣer Matrix, ttxil-k·m ɣer tasertit n ukcaf n tɣellist deg Matrix.org.", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Rnu dagi iseqdacen d yiqeddacen i tebɣiḍ ad tzegleḍ. Seqdec izamelen n yitran i wakken %(brand)s ad yemṣada d yal asekkil. D amedya, @bot:* izeggel akk iseqdacen i yesɛan isem \"abuṭ\" ɣef yal aqeddac.", - "Subscribing to a ban list will cause you to join it!": "Amulteɣ ɣer tebdart n tegtin ad ak·akem-yawi ad tettekkiḍ deg-s!", - "If this isn't what you want, please use a different tool to ignore users.": "Ma yella ayagi mačči d ayen i tebɣiḍ, ttxil-k·m seqdec afecku-nniḍen i wakken ad tzegleḍ iseqdacen.", - "Room ID or address of ban list": "Asulay n texxamt neɣ tansa n tebdart n tegtin", "Unignore": "Ur yettwazgel ara", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Anedbal-ik·im n uqeddac issens awgelhen seg yixef ɣer yixef s wudem amezwer deg texxamin tusligin & yiznan usriden.", "You have ignored this user, so their message is hidden. Show anyways.": "Tzegleḍ useqdac-a, ihi iznan-ines ffren. Ɣas akken sken-iten-id.", @@ -824,9 +733,7 @@ "You can also set up Secure Backup & manage your keys in Settings.": "Tzemreḍ daɣen aḥraz uffir & tesferkeḍ tisura-ik·im deg yiɣewwaren.", "If you didn't set the new recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Ma yella ur tesbaduḍ ara tarrayt n tririt tamaynut, yezmer ad yili umaker ara iɛerḍen ad yekcem ɣer umiḍan-ik·im. Beddel awal uffir n umiḍan-ik·im syen sbadu tarrayt n tririt tamaynut din din deg yiɣewwaren.", "If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Ma yella ur tekkiseḍ ara tarrayt n tririt tamaynut, yezmer ad yili umaker ara iɛerḍen ad yekcem ɣer umiḍan-ik·im. Beddel awal uffir n umiḍan-ik·im syen sbadu tarrayt n tririt tamaynut din din deg yiɣewwaren.", - "Unable to find a supported verification method.": "D awezɣi ad d-naf tarrayt n usenqed yettusefraken.", "You may need to manually permit %(brand)s to access your microphone/webcam": "Ilaq-ak·am ahat ad tesirgeḍ s ufus %(brand)s i unekcum ɣer usawaḍ/webcam", - "This room is not accessible by remote Matrix servers": "Anekcum er texxamt-a ulamek s yiqeddacen n Matrix inmeggagen", "Click the link in the email you received to verify and then click continue again.": "Sit ɣef useɣwen yella deg yimayl i teṭṭfeḍ i usenqed syen sit tikkelt tayeḍ ad tkemmleḍ.", "Discovery options will appear once you have added an email above.": "Tixtiṛiyin n usnirem ad d-banent akken ara ternuḍ imayl s ufella.", "Discovery options will appear once you have added a phone number above.": "Tixtiṛiyin n usnirem ad d-banent akken ara ternuḍ uṭṭun n tilifun s ufella.", @@ -847,17 +754,11 @@ "Wrong file type": "Anaw n yifuyla d arameɣtu", "Looks good!": "Yettban igerrez!", "Warning: you should only set up key backup from a trusted computer.": "Ɣur-k·m: ilaq ad tesbaduḍ aḥraz n tsarut seg uselkim kan iɣef tettekleḍ.", - "A text message has been sent to %(msisdn)s": "Izen aḍris yettwazen ɣer %(msisdn)s", - "Please enter the code it contains:": "Ttxil-k·m sekcem tangalt yellan deg-s:", "Join millions for free on the largest public server": "Rnu ɣer yimelyan n yimdanen baṭel ɣef uqeddac azayez ameqqran akk", "Connectivity to the server has been lost.": "Tṛuḥ tuqqna ɣer uqeddac.", "Sent messages will be stored until your connection has returned.": "Iznan yettwaznen ad ttwakelsen alamma tuɣal-d tuqqna.", "You seem to be uploading files, are you sure you want to quit?": "Aql-ak·akem tessalayeḍ-d ifuyla, tebɣiḍ stidet ad teffɣeḍ?", "Server may be unavailable, overloaded, or search timed out :(": "Aqeddac yezmer ulac-it, iɛedda aɛebbi i ilaqen neɣ yekfa wakud n unadi:(", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "Ɣur-k·m %(count)s ilɣa ur nettwaɣra ara deg lqem yezrin n texxamt-a.", - "one": "Ɣur-k·m %(count)s ilɣa ur nettwaɣra ara deg lqem yezrin n texxamt-a." - }, "Please note you are logging into the %(hs)s server, not matrix.org.": "Ttxil-k·m gar tamawt aql-ak·akem tkecmeḍ ɣer uqeddac %(hs)s, neɣ matrix.org.", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Senqed yal tiɣimit yettwasqedcen sɣur aseqdac weḥd-s i ucraḍ fell-as d tuttkilt, war attkal ɣef yibenkan yettuzemlen s uzmel anmidag.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s xuṣṣent kra n yisegran yettusran i tuffra s wudem aɣelsan n yiznan iwgelhanen idiganen. Ma yella tebɣiḍ ad tgeḍ tarmit s tmahilt-a, snulfu-d tanarit %(brand)s tudmawant s unadi n yisegran yettwarnan.", @@ -871,7 +772,6 @@ "Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Tuffɣa seg tuqqna n uqeddac-ik·im n timaqit anamek-is dayen ur yettuɣal yiwen ad ak·akem-id-yaf, daɣen ur tettizmireḍ ara ad d-necdeḍ wiyaḍ s yimayl neɣ s tiliɣri.", "Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Aseqdec n uqeddac n timagit d afrayan. Ma yella tferneḍ ur tesseqdaceḍ ara aqeddac n timagit, dayen ur tettuɣaleḍ ara ad tettwafeḍ sɣur iseqdac wiyaḍ rnu ur tettizmireḍ ara ad d-necdeḍ s yimayl neɣ s tiliɣri.", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Qbel tiwtilin n umeẓlu n uqeddac n timagit (%(serverName)s) i wakken ad tsirgeḍ iman-ik·im ad d-tettwafeḍ s yimayl neɣ s wuṭṭun n tiliɣri.", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Tiririt n yimdanen deg rrif yettwaxdam deg tebdarin n uzgal ideg llan ilugan ɣef yimdanen ara yettwazeglen. Amulteɣ ɣer tebdart n uzgal anamek-is iseqdacen/iqeddacen yettusweḥlen s tebdart-a ad akȧm-ttwaffren.", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Tella-d tuccḍa mi ara nettbeddil isutar n tezmert n uswis n texxamt. Ḍmen tesɛiḍ tisirag i iwulmen syen ɛreḍ tikkelt-nniḍen.", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Tella-d tuccḍa mi ara nettbeddil tazmert n uswir n useqdac. Senqed ma tesɛiḍ tisirag i iwulmen syen ales tikkelt-nniḍen.", "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Nuzen-ak·am-n imayl i wakken ad tesneqdeḍ tansa-inek·inem. Ttxil-k·m ḍfer iwellihen yellan deg-s syen sit ɣef tqeffalt ddaw.", @@ -962,9 +862,6 @@ "Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "Kra n yisefka n tɣimit, daɣen tisura n yiznan yettwawgelhen, ttwakksen. Ffeɣ syen ales anekcum i wakken ad tṣeggmeḍ aya, err-d tisura seg uḥraz.", "Your browser likely removed this data when running low on disk space.": "Yezmer iminig-ik·im yekkes isefka-a mi t-txuṣṣ tallunt ɣef uḍebsi.", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Ɛerḍeɣ ad d-saliɣ tazmilt tufrint tesnakudt n texxamt-a, maca ur ssawḍeɣ ara ad t-naf.", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Txuṣṣ tsarut tazayezt n captcha deg umtawi n uqeddac agejdan. Ttxil-k·m azen aneqqis ɣef waya i unedbal n uqeddac-ik·im agejdan.", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "I wakken ad tkemmleḍ aseqdec n uqeddac agejdan n %(homeserverDomain)s ilaq ad talseḍ asenqed syen ad tqebleḍ tiwtilin-nneɣ s umata.", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Isefka n lqem aqbur n %(brand)s ttwafen. Ayagi ad d-yeglu s yir tamahalt n uwgelhen seg yixef ɣer yixef deg lqem aqbur. Iznan yettwawgelhen seg yixef ɣer yixef yettumbeddalen yakan mi akken yettuseqdac lqem aqbur yezmer ur asen-ittekkes ara uwgelhen deg lqem-a. Aya yezmer daɣen ad d-yeglu asefsex n yiznan yettumbeddalen s lqem-a. Ma yella temlaleḍ-d uguren, ffeɣ syen tuɣaleḍ-d tikkelt-nniḍen. I wakken ad tḥerzeḍ amazray n yiznan, sifeḍ rnu ales kter tisura-ik·im.", "You can't send any messages until you review and agree to our terms and conditions.": "Ur tezmireḍ ara ad tazneḍ iznan alamma tesneqdeḍ syen ad tqebleḍ tiwtilin-nneɣ.", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Izen-ik·im ur yettwazen ara acku aqeddac-a agejdan iɛedda talast n useqdac urmid n wayyur. Ttxil-k·m nermes anedbal-ik·im n umeẓlu i wakken ad tkemmleḍ aseqdec ameẓlu.", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Izen-ik·im ur yettwazen ara acku aqeddac-a agejdan iɛedda talast n yiɣbula. Ttxil-k·m nermes anedbal-ik·im n umeẓlu i wakken ad tkemmleḍ aseqdec ameẓlu.", @@ -983,7 +880,6 @@ "Not encrypted": "Ur yettwawgelhen ara", "Room settings": "Iɣewwaṛen n texxamt", "Take a picture": "Ṭṭef tawlaft", - "not found in storage": "Ulac-it deg uklas", "Failed to save your profile": "Yecceḍ usekles n umaɣnu-ik•im", "The operation could not be completed": "Tamahilt ur tezmir ara ad tettwasmed", "Backup key cached:": "Tasarut n ukles tettwaffer:", @@ -1174,7 +1070,6 @@ "Move right": "Mutti s ayfus", "Romania": "Rumanya", "Western Sahara": "Ṣaḥṛa Tutrimt", - "Enter phone number": "Sekcem uṭṭun n tiliɣri", "Sudan": "Sudan", "Honduras": "Hunduṛas", "Hong Kong": "Hong Kong", @@ -1420,7 +1315,9 @@ "group_widgets": "Iwiǧiten", "group_rooms": "Timɣiwent", "group_voip": "Ameslaw & Tavidyut", - "group_encryption": "Awgelhen" + "group_encryption": "Awgelhen", + "bridge_state_creator": "Tileggit-a tella-d sɣur .", + "bridge_state_manager": "Tileggit-a tettusefrak sɣur ." }, "keyboard": { "home": "Agejdan", @@ -1592,7 +1489,26 @@ "send_analytics": "Azen isefka n tesleḍt", "strict_encryption": "Ur ttazen ara akk iznan yettwawgelhen ɣer tɣimiyin ur nettusenqad ara seg tɣimit-a", "enable_message_search": "Rmed anadi n yiznan deg texxamin yettwawgelhen", - "manually_verify_all_sessions": "Senqed s ufus akk tiɣimiyin tinmeggagin" + "manually_verify_all_sessions": "Senqed s ufus akk tiɣimiyin tinmeggagin", + "cross_signing_public_keys": "Tisura n uzmul anmidag tizuyaz:", + "cross_signing_in_memory": "deg tkatut", + "cross_signing_not_found": "ulac-it", + "cross_signing_private_keys": "Tisura tusligin n uzmul anmidag:", + "cross_signing_in_4s": "deg uklas uffir", + "cross_signing_not_in_4s": "Ulac-it deg uklas", + "cross_signing_master_private_Key": "Tasarut tusligt tagejdant:", + "cross_signing_cached": "yettwaffer s wudem adigan", + "cross_signing_not_cached": "ulac s wudem adigan", + "cross_signing_self_signing_private_key": "Tasarut tusligt n uzmul awurman:", + "cross_signing_user_signing_private_key": "Tasarut tusligt n uzmul n useqdac:", + "cross_signing_homeserver_support": "Asefrek n tmahilt n Homeserver:", + "cross_signing_homeserver_support_exists": "yella", + "export_megolm_keys": "Sifeḍ tisura n texxamt E2E", + "import_megolm_keys": "Kter tisura n texxamt E2E", + "cryptography_section": "Awgelhan", + "session_id": "Asulay n tɣimit:", + "session_key": "Tasarut n tɣimit:", + "encryption_section": "Awgelhen" }, "preferences": { "room_list_heading": "Tabdart n texxamt", @@ -1605,6 +1521,10 @@ "sessions": { "session_id": "Asulay n tqimit", "verify_session": "Asenqed n tɣimit" + }, + "general": { + "account_section": "Amiḍan", + "language_section": "Tutlayt d temnaḍt" } }, "devtools": { @@ -1993,6 +1913,13 @@ "url_preview_encryption_warning": "Deg texxamin yettwawgelhen, am texxamt-a, tiskanin n URL ttwasensnt s wudem amezwer i wakken ad neḍmen belli aqeddac agejdan (anida tiskanin ttwasirwent) ur yettizmir ara ad yelqeḍ talɣut ɣef yiseɣwan i d-ibanen deg texxamt-a.", "url_preview_explainer": "Ma yili yiwet iger-d aseɣwen deg yizen-ines, taskant n URL tezmer ad tettwaskan i wakken ad d-imudd ugar n talɣut ɣef useɣwen-a am uzwel, aglam d tugna n usmel.", "url_previews_section": "Tiskanin n URL" + }, + "advanced": { + "unfederated": "Anekcum er texxamt-a ulamek s yiqeddacen n Matrix inmeggagen", + "room_upgrade_button": "Leqqem taxxamt-a ɣer lqem n texxamt yelhan", + "room_predecessor": "Senqed iznan iqburen deg %(roomName)s.", + "room_version_section": "Lqem n texxamt", + "room_version": "Lqem n texxamt:" } }, "encryption": { @@ -2005,8 +1932,17 @@ "complete_description": "Tesneqdeḍ aseqdac-a akken iwata.", "qr_prompt": "Ḍumm tangalt-a tasuft", "sas_prompt": "Serwes gar yimujiten asufen", - "sas_description": "Serwes tagrumma n yimujiten asufen ma yella ur tesɛiḍ ara takamiṛat ɣef yiwen seg sin yibenkan" - } + "sas_description": "Serwes tagrumma n yimujiten asufen ma yella ur tesɛiḍ ara takamiṛat ɣef yiwen seg sin yibenkan", + "explainer": "Iznan iɣellsanen akked useqdac-a ttwawgelhen seg yixef ɣer yixef yerna yiwen ur yezmir ad ten-iɣeṛ.", + "complete_action": "Awi-t", + "sas_emoji_caption_user": "Senqed aseqdac-a s usentem dakken imujiten-a ttbanen-d ɣef ugdil-is.", + "sas_caption_user": "Senqed aseqdac-a s usentem dakken amḍan-a ittban-d ɣef ugdil-is.", + "unsupported_method": "D awezɣi ad d-naf tarrayt n usenqed yettusefraken.", + "waiting_other_user": "Aṛaǧu n %(displayName)s i usenqed…", + "cancelling": "Asefsex…" + }, + "old_version_detected_title": "Ala isefka iweglehnen i d-iteffɣen", + "old_version_detected_description": "Isefka n lqem aqbur n %(brand)s ttwafen. Ayagi ad d-yeglu s yir tamahalt n uwgelhen seg yixef ɣer yixef deg lqem aqbur. Iznan yettwawgelhen seg yixef ɣer yixef yettumbeddalen yakan mi akken yettuseqdac lqem aqbur yezmer ur asen-ittekkes ara uwgelhen deg lqem-a. Aya yezmer daɣen ad d-yeglu asefsex n yiznan yettumbeddalen s lqem-a. Ma yella temlaleḍ-d uguren, ffeɣ syen tuɣaleḍ-d tikkelt-nniḍen. I wakken ad tḥerzeḍ amazray n yiznan, sifeḍ rnu ales kter tisura-ik·im." }, "emoji": { "category_frequently_used": "Yettuseqdac s waṭas", @@ -2057,7 +1993,40 @@ "account_deactivated": "Amiḍan-a yettuḥbes.", "registration_username_validation": "Seqdec kan isekkilen imeẓẓyanen, izwilen, ijerriden d yidurren kan", "phone_label": "Tiliɣri", - "phone_optional_label": "Tiliɣri (d afrayan)" + "phone_optional_label": "Tiliɣri (d afrayan)", + "session_logged_out_title": "Yeffeɣ seg tuqqna", + "session_logged_out_description": "Ɣef ssebba n tɣellist, taxxamt-a ad temdel. Ttxil-k·m ɛreḍ tikkelt-nniḍen.", + "change_password_mismatch": "Awalen uffiren imaynuten ur mṣadan ara", + "change_password_empty": "Awalen uffiren ur ilaq ara ad ilin d ilmawen", + "set_email_prompt": "Tebɣiḍ ad tazneḍ tansa n yimayl?", + "change_password_confirm_label": "Sentem awal uffir", + "change_password_confirm_invalid": "Awalen uffiren ur mṣadan ara", + "change_password_current_label": "Awal uffir amiran", + "change_password_new_label": "Awal uffir amaynut", + "change_password_action": "Snifel Awal Uffir", + "email_field_label": "Imayl", + "email_field_label_invalid": "Ur tettban ara d tansa n yimayl tameɣtut", + "uia": { + "password_prompt": "Sentem timagit-ik·im s usekcem n wawal uffir n umiḍan-ik·im ddaw.", + "recaptcha_missing_params": "Txuṣṣ tsarut tazayezt n captcha deg umtawi n uqeddac agejdan. Ttxil-k·m azen aneqqis ɣef waya i unedbal n uqeddac-ik·im agejdan.", + "terms_invalid": "Ttxil-k·m senqed syen qbel tisertiyin akk n uqeddac agejdan", + "terms": "Ttxil-k·m senqed syen qbel tisertiyin n uqeddac-a agejdan:", + "msisdn_token_incorrect": "Ajuṭu d arameɣtu", + "msisdn": "Izen aḍris yettwazen ɣer %(msisdn)s", + "msisdn_token_prompt": "Ttxil-k·m sekcem tangalt yellan deg-s:", + "fallback_button": "Bdu alɣu" + }, + "password_field_label": "Sekcem awal n uffir", + "password_field_strong_label": "Igerrez, d awal uffir iǧhed aṭas!", + "password_field_weak_label": "Awal uffir yettusireg, maca d araɣelsan", + "username_field_required_invalid": "Sekcem isem n useqdac", + "msisdn_field_required_invalid": "Sekcem uṭṭun n tiliɣri", + "msisdn_field_label": "Tiliɣri", + "identifier_label": "Kcem s", + "reset_password_email_field_description": "Seqdec tansa n yimayl akken ad t-terreḍ amiḍan-ik:im", + "reset_password_email_field_required_invalid": "Sekcem tansa n yimayl (yettusra deg uqeddac-a agejdan)", + "msisdn_field_description": "Iseqdacen wiyaḍ zemren ad ak·akem-snubegten ɣer texxamin s useqdec n tlqayt n unermas", + "registration_msisdn_field_required_invalid": "Sekcem uṭṭun n tiliɣri (yettusra deg uqeddac-a agejdan)" }, "export_chat": { "messages": "Iznan" @@ -2145,18 +2114,53 @@ }, "update": { "see_changes_button": "D acu-t umaynut?", - "release_notes_toast_title": "D acu-t umaynut" + "release_notes_toast_title": "D acu-t umaynut", + "error_encountered": "Tuccaḍ i d-yettwamuggren (%(errorDetail)s).", + "no_update": "Ulac lqem i yellan.", + "new_version_available": "Lqem amaynut yella. Leqqem tura.", + "check_action": "Nadi lqem" }, "labs_mjolnir": { "room_name": "Tabdart-inu n tigtin", - "room_topic": "Tagi d tabdart-ik·im n yiseqdacen/yiqeddacen i tesweḥleḍ - ur teffeɣ ara seg texxamt!" + "room_topic": "Tagi d tabdart-ik·im n yiseqdacen/yiqeddacen i tesweḥleḍ - ur teffeɣ ara seg texxamt!", + "ban_reason": "Yettunfen/Yettusweḥlen", + "error_adding_ignore": "Tuccḍa deg tmerna n useqdac/uqeddac yettwanfen", + "something_went_wrong": "Yella wayen ur nteddu ara akken iwata, ma ulac aɣilif ales tikkelt-nniḍen neɣ senqed tadiwent-ik·im i yiwellihen.", + "error_adding_list_title": "Tuccḍa deg ujerred ɣef tebdart", + "error_adding_list_description": "Ma ulac aɣilif senqed asulay n texxamt neɣ tansa syen ɛreḍ tikkelt-nniḍen.", + "error_removing_ignore": "Tuccḍa deg tukksa n useqdac/uqeddac yettwanfen", + "error_removing_list_title": "Tuccḍa deg usefsex n ujerred seg texxamt", + "error_removing_list_description": "Ma ulac aɣilif ales tikkelt-nniḍen neɣ senqed tadiwent-ik·im i yiwellihen.", + "rules_title": "Ilugan n tebdart n tigtin - %(roomName)s", + "rules_server": "Ilugan n uqeddac", + "rules_user": "Ilugan n useqdac", + "personal_empty": "Ur tunifeḍ ula i yiwen.", + "personal_section": "Aql-ak tura tuɣaleḍ deg rrif:", + "no_lists": "Ur tettwajerrdeḍ ula deg yiwet n tebdart", + "view_rules": "Senqed ilugan", + "lists": "Aql-ak·akem akka tura tjerrdeḍ ɣer:", + "title": "Iseqdacen yettunfen", + "advanced_warning": "⚠ Iɣewwaren-a n yiseqdac ifazen.", + "explainer_1": "Rnu dagi iseqdacen d yiqeddacen i tebɣiḍ ad tzegleḍ. Seqdec izamelen n yitran i wakken %(brand)s ad yemṣada d yal asekkil. D amedya, @bot:* izeggel akk iseqdacen i yesɛan isem \"abuṭ\" ɣef yal aqeddac.", + "explainer_2": "Tiririt n yimdanen deg rrif yettwaxdam deg tebdarin n uzgal ideg llan ilugan ɣef yimdanen ara yettwazeglen. Amulteɣ ɣer tebdart n uzgal anamek-is iseqdacen/iqeddacen yettusweḥlen s tebdart-a ad akȧm-ttwaffren.", + "personal_heading": "Tabdart n tigtin tudmawant", + "personal_new_label": "Asulay n uqeddac neɣ n useqdac ara yuɣalen deg rrif", + "personal_new_placeholder": "eg: @bot:* neɣ amedya.org", + "lists_heading": "Tibdarin n ujerred", + "lists_description_1": "Amulteɣ ɣer tebdart n tegtin ad ak·akem-yawi ad tettekkiḍ deg-s!", + "lists_description_2": "Ma yella ayagi mačči d ayen i tebɣiḍ, ttxil-k·m seqdec afecku-nniḍen i wakken ad tzegleḍ iseqdacen.", + "lists_new_label": "Asulay n texxamt neɣ tansa n tebdart n tegtin" }, "user_menu": { "switch_theme_light": "Uɣal ɣer uskar aceɛlal", "switch_theme_dark": "Uɣal ɣer uskar aberkan" }, "room": { - "drop_file_prompt": "Eǧǧ afaylu dagi i usali" + "drop_file_prompt": "Eǧǧ afaylu dagi i usali", + "unread_notifications_predecessor": { + "other": "Ɣur-k·m %(count)s ilɣa ur nettwaɣra ara deg lqem yezrin n texxamt-a.", + "one": "Ɣur-k·m %(count)s ilɣa ur nettwaɣra ara deg lqem yezrin n texxamt-a." + } }, "file_panel": { "guest_note": "Ilaq-ak·am ad teskelseḍ i wakken ad tesxedmeḍ tamahilt-a", @@ -2175,6 +2179,9 @@ "intro": "I wakken ad tkemmleḍ tesriḍ ad tqebleḍ tiwtilin n umeẓlu-a.", "column_service": "Ameẓlu", "column_summary": "Agzul", - "column_document": "Isemli" + "column_document": "Isemli", + "tac_title": "Tiwtilin d tfadiwin", + "tac_description": "I wakken ad tkemmleḍ aseqdec n uqeddac agejdan n %(homeserverDomain)s ilaq ad talseḍ asenqed syen ad tqebleḍ tiwtilin-nneɣ s umata.", + "tac_button": "Senqed tiwtilin d tfadiwin" } } diff --git a/src/i18n/strings/ko.json b/src/i18n/strings/ko.json index c310d0b1ab..9acc6ccd75 100644 --- a/src/i18n/strings/ko.json +++ b/src/i18n/strings/ko.json @@ -2,7 +2,6 @@ "Create new room": "새 방 만들기", "Notifications": "알림", "unknown error code": "알 수 없는 오류 코드", - "Account": "계정", "Admin Tools": "관리자 도구", "No Microphones detected": "마이크 감지 없음", "No Webcams detected": "카메라 감지 없음", @@ -13,10 +12,7 @@ "An error has occurred.": "오류가 발생했습니다.", "Are you sure?": "확신합니까?", "Are you sure you want to leave the room '%(roomName)s'?": "%(roomName)s 방을 떠나겠습니까?", - "Change Password": "비밀번호 바꾸기", - "Confirm password": "비밀번호 확인", "Default": "기본", - "Email": "이메일", "Email address": "이메일 주소", "Failed to forget room %(errCode)s": "%(errCode)s 방 지우기에 실패함", "Favourite": "즐겨찾기", @@ -31,15 +27,12 @@ "Are you sure you want to reject the invitation?": "초대를 거절하시겠어요?", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "홈서버에 연결할 수 없음 - 연결 상태를 확인하거나, 홈서버의 SSL 인증서가 믿을 수 있는지 확인하고, 브라우저 확장 기능이 요청을 막고 있는지 확인해주세요.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "주소 창에 HTTPS URL이 있을 때는 HTTP로 홈서버를 연결할 수 없습니다. HTTPS를 쓰거나 안전하지 않은 스크립트를 허용해주세요.", - "Cryptography": "암호화", - "Current password": "현재 비밀번호", "Custom level": "맞춤 등급", "Deactivate Account": "계정 비활성화", "Decrypt %(text)s": "%(text)s 복호화", "Download %(text)s": "%(text)s 다운로드", "Enter passphrase": "암호 입력", "Error decrypting attachment": "첨부 파일 복호화 중 오류", - "Export E2E room keys": "종단간 암호화 방 열쇠 내보내기", "Failed to ban user": "사용자 출입 금지에 실패함", "Failed to change power level": "권한 등급 변경에 실패함", "Failed to load timeline position": "타임라인 위치 불러오기에 실패함", @@ -53,30 +46,24 @@ "Failure to create room": "방 만들기 실패", "Filter room members": "방 구성원 필터", "Forget room": "방 지우기", - "For security, this session has been signed out. Please sign in again.": "안전을 위해서 이 세션에서 로그아웃했습니다. 다시 로그인해주세요.", "Historical": "기록", "Home": "홈", - "Import E2E room keys": "종단간 암호화 방 키 불러오기", "Import room keys": "방 키 가져오기", "Incorrect verification code": "맞지 않은 인증 코드", "Invalid Email Address": "잘못된 이메일 주소", "Invalid file%(extra)s": "잘못된 파일%(extra)s", "Invited": "초대받음", - "Sign in with": "이것으로 로그인", "Join Room": "방에 참가", "Jump to first unread message.": "읽지 않은 첫 메시지로 건너뜁니다.", "Low priority": "중요하지 않음", "Missing room_id in request": "요청에서 room_id가 빠짐", "Missing user_id in request": "요청에서 user_id이(가) 빠짐", "Moderator": "조정자", - "New passwords don't match": "새 비밀번호가 맞지 않음", "New passwords must match each other.": "새 비밀번호는 서로 같아야 합니다.", "not specified": "지정되지 않음", "": "<지원하지 않음>", "No display name": "표시 이름 없음", "No more results": "더 이상 결과 없음", - "Passwords can't be empty": "비밀번호를 입력해주세요", - "Phone": "전화", "Please check your email and click on the link it contains. Once this is done, click continue.": "이메일을 확인하고 안의 링크를 클릭합니다. 모두 마치고 나서, 계속하기를 누르세요.", "Power level must be positive integer.": "권한 등급은 양의 정수이어야 합니다.", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s님 (권한 %(powerLevelNumber)s)", @@ -95,15 +82,12 @@ "Server may be unavailable, overloaded, or search timed out :(": "서버를 쓸 수 없거나 과부하거나, 검색 시간을 초과했어요 :(", "Server may be unavailable, overloaded, or you hit a bug.": "서버를 쓸 수 없거나 과부하거나, 오류입니다.", "Session ID": "세션 ID", - "Signed Out": "로그아웃함", - "Start authentication": "인증 시작", "This email address is already in use": "이 이메일 주소는 이미 사용 중입니다", "This email address was not found": "이 이메일 주소를 찾을 수 없음", "This room has no local addresses": "이 방은 로컬 주소가 없음", "This room is not recognised.": "이 방은 드러나지 않습니다.", "This doesn't appear to be a valid email address": "올바르지 않은 이메일 주소로 보입니다", "This phone number is already in use": "이 전화번호는 이미 사용 중입니다", - "This room is not accessible by remote Matrix servers": "이 방은 원격 Matrix 서버로 접근할 수 없음", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "이 방의 타임라인에서 특정 시점을 불러오려고 했지만, 문제의 메시지를 볼 수 있는 권한이 없습니다.", "Tried to load a specific point in this room's timeline, but was unable to find it.": "이 방의 타임라인에서 특정 시점을 불러오려고 했지만, 찾을 수 없었습니다.", "Unable to add email address": "이메일 주소를 추가할 수 없음", @@ -155,7 +139,6 @@ "one": "(~%(count)s개의 결과)", "other": "(~%(count)s개의 결과)" }, - "New Password": "새 비밀번호", "Passphrases must match": "암호가 일치해야 함", "Passphrase must not be empty": "암호를 입력해야 함", "Export room keys": "방 키 내보내기", @@ -170,18 +153,14 @@ "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "내보낸 파일이 암호로 보호되어 있습니다. 파일을 복호화하려면, 여기에 암호를 입력해야 합니다.", "Unable to restore session": "세션을 복구할 수 없음", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "이전에 최근 버전의 %(brand)s을 썼다면, 세션이 이 버전과 맞지 않을 것입니다. 창을 닫고 최근 버전으로 돌아가세요.", - "Token incorrect": "토큰이 맞지 않음", - "Please enter the code it contains:": "들어있던 코드를 입력해주세요:", "Error decrypting image": "사진 복호화 중 오류", "Error decrypting video": "영상 복호화 중 오류", "Add an Integration": "통합 추가", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "%(integrationsUrl)s에서 쓸 수 있도록 계정을 인증하려고 다른 사이트로 이동하고 있습니다. 계속하겠습니까?", - "Check for update": "업데이트 확인", "Something went wrong!": "문제가 생겼습니다!", "Your browser does not support the required cryptography extensions": "필요한 암호화 확장 기능을 브라우저가 지원하지 않습니다", "Not a valid %(brand)s keyfile": "올바른 %(brand)s 열쇠 파일이 아닙니다", "Authentication check failed: incorrect password?": "인증 확인 실패: 비밀번호를 틀리셨나요?", - "Do you want to set an email address?": "이메일 주소를 설정하시겠어요?", "This will allow you to reset your password and receive notifications.": "이렇게 하면 비밀번호를 다시 설정하고 알림을 받을 수 있습니다.", "Sunday": "일요일", "Notification targets": "알림 대상", @@ -192,7 +171,6 @@ "Unavailable": "이용할 수 없음", "Send": "보내기", "Source URL": "출처 URL", - "No update available.": "업데이트가 없습니다.", "Tuesday": "화요일", "Search…": "찾기…", "Unnamed room": "이름 없는 방", @@ -204,11 +182,9 @@ "You cannot delete this message. (%(code)s)": "이 메시지를 삭제할 수 없습니다. (%(code)s)", "Thursday": "목요일", "Yesterday": "어제", - "Error encountered (%(errorDetail)s).": "오류가 일어났습니다 (%(errorDetail)s).", "Low Priority": "중요하지 않음", "Wednesday": "수요일", "Thank you!": "감사합니다!", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "이전 버전 %(brand)s의 데이터가 감지됬습니다. 이 때문에 이전 버전에서 종단간 암호화가 작동하지 않을 수 있습니다. 이전 버전을 사용하면서 최근에 교환한 종단간 암호화 메시지를 이 버전에서는 복호화할 수 없습니다. 이 버전에서 메시지를 교환할 수 없을 수도 있습니다. 문제가 발생하면 로그아웃한 후 다시 로그인하세요. 메시지 기록을 유지하려면 키를 내보낸 후 다시 가져오세요.", "This event could not be displayed": "이 이벤트를 표시할 수 없음", "Banned by %(displayName)s": "%(displayName)s님에 의해 출입 금지됨", "PM": "오후", @@ -251,7 +227,6 @@ "Delete widget": "위젯 삭제", "Popout widget": "위젯 팝업", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "응답한 이벤트를 불러오지 못했습니다, 존재하지 않거나 볼 수 있는 권한이 없습니다.", - "A text message has been sent to %(msisdn)s": "%(msisdn)s님에게 문자 메시지를 보냈습니다", "collapse": "접기", "expand": "펼치기", "Preparing to send logs": "로그 보내려고 준비 중", @@ -266,10 +241,6 @@ }, "Can't leave Server Notices room": "서버 알림 방을 떠날 수는 없음", "This room is used for important messages from the Homeserver, so you cannot leave it.": "이 방은 홈서버로부터 중요한 메시지를 받는 데 쓰이므로 떠날 수 없습니다.", - "Terms and Conditions": "이용 약관", - "Review terms and conditions": "이용 약관 검토", - "Old cryptography data detected": "오래된 암호화 데이터 감지됨", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "홈서버 %(homeserverDomain)s을(를) 계속 사용하기 위해서는 저희 이용 약관을 검토하고 동의해주세요.", "Clear Storage and Sign Out": "저장소를 지우고 로그아웃", "Send Logs": "로그 보내기", "We encountered an error trying to restore your previous session.": "이전 활동을 복구하는 중 에러가 발생했습니다.", @@ -379,11 +350,6 @@ "Folder": "폴더", "Accept to continue:": "계속하려면 을(를) 수락하세요:", "Power level": "권한 등급", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "이 사용자 간의 보안 메시지는 종단간 암호화되며 제 3자가 읽을 수 없습니다.", - "Got It": "알겠습니다", - "Verify this user by confirming the following emoji appear on their screen.": "다음 이모지가 상대방의 화면에 나타나는 것을 확인하는 것으로 이 사용자를 인증합니다.", - "Verify this user by confirming the following number appears on their screen.": "다음 숫자가 상대방의 화면에 나타나는 것을 확인하는 것으로 이 사용자를 인증합니다.", - "Unable to find a supported verification method.": "지원하는 인증 방식을 찾을 수 없습니다.", "Delete Backup": "백업 삭제", "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "확실합니까? 키를 정상적으로 백업하지 않았다면 암호화된 메시지를 잃게 됩니다.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "암호화된 메시지는 종단간 암호화로 보호됩니다. 오직 당신과 상대방만 이 메시지를 읽을 수 있는 키를 갖습니다.", @@ -409,7 +375,6 @@ "Enter a new identity server": "새 ID 서버 입력", "Email addresses": "이메일 주소", "Phone numbers": "전화번호", - "Language and region": "언어와 나라", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "이메일 주소나 전화번호로 자신을 발견할 수 있도록 ID 서버 (%(serverName)s) 서비스 약관에 동의하세요.", "Account management": "계정 관리", "General": "기본", @@ -421,18 +386,13 @@ "Missing media permissions, click the button below to request.": "미디어 권한이 없습니다, 권한 요청을 보내려면 아래 버튼을 클릭하세요.", "Request media permissions": "미디어 권한 요청", "Voice & Video": "음성 & 영상", - "Upgrade this room to the recommended room version": "추천하는 방 버전으로 이 방 업그레이드", - "View older messages in %(roomName)s.": "%(roomName)s 방에서 오래된 메시지를 봅니다.", "Room information": "방 정보", - "Room version": "방 버전", - "Room version:": "방 버전:", "Room Addresses": "방 주소", "Uploaded sound": "업로드된 소리", "Sounds": "소리", "Notification sound": "알림 소리", "Set a new custom sound": "새 맞춤 소리 설정", "Browse": "찾기", - "Encryption": "암호화", "Unable to revoke sharing for email address": "이메일 주소 공유를 취소할 수 없음", "Unable to share email address": "이메일 주소를 공유할 수 없음", "Discovery options will appear once you have added an email above.": "위에 이메일을 추가하면 검색 옵션에 나타납니다.", @@ -542,28 +502,12 @@ "Warning: you should only set up key backup from a trusted computer.": "경고: 신뢰할 수 있는 컴퓨터에서만 키 백업을 설정해야 합니다.", "Resend %(unsentCount)s reaction(s)": "%(unsentCount)s개의 리액션 다시 보내기", "This homeserver would like to make sure you are not a robot.": "이 홈서버는 당신이 로봇이 아닌지 확인하고 싶어합니다.", - "Please review and accept all of the homeserver's policies": "모든 홈서버의 정책을 검토하고 수락해주세요", - "Please review and accept the policies of this homeserver:": "이 홈서버의 정책을 검토하고 수락해주세요:", - "Use an email address to recover your account": "이메일 주소를 사용하여 계정을 복구", - "Enter email address (required on this homeserver)": "이메일 주소를 입력 (이 홈서버에 필요함)", - "Doesn't look like a valid email address": "올바른 이메일 주소가 아닙니다", - "Enter password": "비밀번호 입력", - "Password is allowed, but unsafe": "비밀번호를 허용할 수는 있지만 안전하지 않음", - "Nice, strong password!": "좋습니다, 강한 비밀번호!", - "Passwords don't match": "비밀번호가 맞지 않음", - "Other users can invite you to rooms using your contact details": "다른 사용자가 연락처 세부 정보를 사용해서 당신을 방에 초대할 수 있음", - "Enter phone number (required on this homeserver)": "전화번호 입력 (이 홈서버에 필요함)", - "Enter username": "사용자 이름 입력", "Some characters not allowed": "일부 문자는 허용할 수 없습니다", "Email (optional)": "이메일 (선택)", "Join millions for free on the largest public server": "가장 넓은 공개 서버에 수 백 만명이 무료로 등록함", "Couldn't load page": "페이지를 불러올 수 없음", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "이 홈서버가 리소스 한도를 초과했기 때문에 메시지를 보낼 수 없었습니다. 서비스를 계속 사용하려면 서비스 관리자에게 연락해주세요.", "Add room": "방 추가", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "이 방의 이전 버전에서 읽지 않은 %(count)s개의 알림이 있습니다.", - "one": "이 방의 이전 버전에서 읽지 않은 %(count)s개의 알림이 있습니다." - }, "Could not load user profile": "사용자 프로필을 불러올 수 없음", "Your password has been reset.": "비밀번호가 초기화되었습니다.", "Invalid homeserver discovery response": "잘못된 홈서버 검색 응답", @@ -629,7 +573,6 @@ "Show advanced": "고급 보이기", "Close dialog": "대화 상자 닫기", "Show image": "이미지 보이기", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "홈서버 설정에서 캡챠 공개 키가 없습니다. 홈서버 관리자에게 이것을 신고해주세요.", "Your email address hasn't been verified yet": "이메일 주소가 아직 확인되지 않았습니다", "Click the link in the email you received to verify and then click continue again.": "받은 이메일에 있는 링크를 클릭해서 확인한 후에 계속하기를 클릭하세요.", "Add Email Address": "이메일 주소 추가", @@ -658,31 +601,7 @@ "%(name)s cancelled": "%(name)s님이 취소했습니다", "%(name)s wants to verify": "%(name)s님이 확인을 요청합니다", "You sent a verification request": "확인 요청을 보냈습니다", - "Ignored/Blocked": "무시됨/차단됨", - "Error adding ignored user/server": "무시한 사용자/서버 추가 중 오류", - "Something went wrong. Please try again or view your console for hints.": "무언가 잘못되었습니다. 다시 시도하거나 콘솔을 통해 원인을 알아봐주세요.", - "Error subscribing to list": "목록으로 구독하는 중 오류", - "Error removing ignored user/server": "무시한 사용자/서버를 지우는 중 오류", - "Error unsubscribing from list": "목록에서 구독 해제 중 오류", - "Please try again or view your console for hints.": "다시 시도하거나 콘솔을 통해 원인을 알아봐주세요.", "None": "없음", - "Ban list rules - %(roomName)s": "차단 목록 규칙 - %(roomName)s", - "Server rules": "서버 규칙", - "User rules": "사용자 규칙", - "You have not ignored anyone.": "아무도 무시하고 있지 않습니다.", - "You are currently ignoring:": "현재 무시하고 있음:", - "You are not subscribed to any lists": "어느 목록에도 구독하고 있지 않습니다", - "View rules": "규칙 보기", - "You are currently subscribed to:": "현재 구독 중임:", - "⚠ These settings are meant for advanced users.": "⚠ 이 설정은 고급 사용자를 위한 것입니다.", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "무시하고 싶은 사용자와 서버를 여기에 추가하세요. 별표(*)를 사용해서 %(brand)s이 이름과 문자를 맞춰볼 수 있습니다. 예를 들어, @bot:*이라면 모든 서버에서 'bot'이라는 문자를 가진 이름의 모든 사용자를 무시합니다.", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "차단당하는 사람은 규칙에 따라 차단 목록을 통해 무시됩니다. 차단 목록을 구독하면 그 목록에서 차단당한 사용자/서버를 당신으로부터 감추게됩니다.", - "Personal ban list": "개인 차단 목록", - "Server or user ID to ignore": "무시할 서버 또는 사용자 ID", - "eg: @bot:* or example.org": "예: @bot:* 또는 example.org", - "Subscribed lists": "구독 목록", - "Subscribing to a ban list will cause you to join it!": "차단 목록을 구독하면 차단 목록에 참여하게 됩니다!", - "If this isn't what you want, please use a different tool to ignore users.": "이것을 원한 것이 아니라면, 사용자를 무시하는 다른 도구를 사용해주세요.", "Messages in this room are end-to-end encrypted.": "이 방의 메시지는 종단간 암호화되었습니다.", "You have ignored this user, so their message is hidden. Show anyways.": "이 사용자를 무시했습니다. 사용자의 메시지는 숨겨집니다. 무시하고 보이기.", "Any of the following data may be shared:": "다음 데이터가 공유됩니다:", @@ -818,7 +737,6 @@ "Deactivating your account is a permanent action — be careful!": "계정을 비활성화 하는 것은 취소할 수 없습니다. 조심하세요!", "Room info": "방 정보", "Match system": "시스템 테마", - "Spell check": "맞춤법 검사", "Sessions": "세션목록", "Favourited": "즐겨찾기 됨", "common": { @@ -1050,7 +968,11 @@ "mirror_local_feed": "보고 있는 비디오 전송 상태 비추기" }, "security": { - "send_analytics": "정보 분석 데이터 보내기" + "send_analytics": "정보 분석 데이터 보내기", + "export_megolm_keys": "종단간 암호화 방 열쇠 내보내기", + "import_megolm_keys": "종단간 암호화 방 키 불러오기", + "cryptography_section": "암호화", + "encryption_section": "암호화" }, "preferences": { "room_list_heading": "방 목록", @@ -1072,6 +994,11 @@ "device_verified_description_current": "현재 세션에서 보안 메세지를 사용할 수 있습니다.", "verified_session": "검증된 세션", "current_session": "현재 세션" + }, + "general": { + "account_section": "계정", + "language_section": "언어와 나라", + "spell_check_section": "맞춤법 검사" } }, "devtools": { @@ -1385,14 +1312,28 @@ "url_preview_encryption_warning": "지금 이 방처럼, 암호화된 방에서는 홈서버 (미리 보기가 만들어지는 곳)에서 이 방에서 보여지는 링크에 대해 알 수 없도록 기본으로 URL 미리 보기가 꺼집니다.", "url_preview_explainer": "누군가 메시지에 URL을 넣으면, URL 미리 보기로 웹사이트에서 온 제목, 설명, 그리고 이미지 등 그 링크에 대한 정보가 표시됩니다.", "url_previews_section": "URL 미리보기" + }, + "advanced": { + "unfederated": "이 방은 원격 Matrix 서버로 접근할 수 없음", + "room_upgrade_button": "추천하는 방 버전으로 이 방 업그레이드", + "room_predecessor": "%(roomName)s 방에서 오래된 메시지를 봅니다.", + "room_version_section": "방 버전", + "room_version": "방 버전:" } }, "encryption": { "verification": { "other_party_cancelled": "상대방이 확인을 취소했습니다.", "complete_title": "인증되었습니다!", - "complete_description": "성공적으로 이 사용자를 인증했습니다." - } + "complete_description": "성공적으로 이 사용자를 인증했습니다.", + "explainer": "이 사용자 간의 보안 메시지는 종단간 암호화되며 제 3자가 읽을 수 없습니다.", + "complete_action": "알겠습니다", + "sas_emoji_caption_user": "다음 이모지가 상대방의 화면에 나타나는 것을 확인하는 것으로 이 사용자를 인증합니다.", + "sas_caption_user": "다음 숫자가 상대방의 화면에 나타나는 것을 확인하는 것으로 이 사용자를 인증합니다.", + "unsupported_method": "지원하는 인증 방식을 찾을 수 없습니다." + }, + "old_version_detected_title": "오래된 암호화 데이터 감지됨", + "old_version_detected_description": "이전 버전 %(brand)s의 데이터가 감지됬습니다. 이 때문에 이전 버전에서 종단간 암호화가 작동하지 않을 수 있습니다. 이전 버전을 사용하면서 최근에 교환한 종단간 암호화 메시지를 이 버전에서는 복호화할 수 없습니다. 이 버전에서 메시지를 교환할 수 없을 수도 있습니다. 문제가 발생하면 로그아웃한 후 다시 로그인하세요. 메시지 기록을 유지하려면 키를 내보낸 후 다시 가져오세요." }, "emoji": { "category_frequently_used": "자주 사용함", @@ -1431,7 +1372,38 @@ "account_deactivated": "이 계정은 비활성화되었습니다.", "registration_username_validation": "소문자, 숫자, 가로선, 밑줄선만 사용할 수 있음", "phone_label": "전화", - "phone_optional_label": "전화 (선택)" + "phone_optional_label": "전화 (선택)", + "session_logged_out_title": "로그아웃함", + "session_logged_out_description": "안전을 위해서 이 세션에서 로그아웃했습니다. 다시 로그인해주세요.", + "change_password_mismatch": "새 비밀번호가 맞지 않음", + "change_password_empty": "비밀번호를 입력해주세요", + "set_email_prompt": "이메일 주소를 설정하시겠어요?", + "change_password_confirm_label": "비밀번호 확인", + "change_password_confirm_invalid": "비밀번호가 맞지 않음", + "change_password_current_label": "현재 비밀번호", + "change_password_new_label": "새 비밀번호", + "change_password_action": "비밀번호 바꾸기", + "email_field_label": "이메일", + "email_field_label_invalid": "올바른 이메일 주소가 아닙니다", + "uia": { + "recaptcha_missing_params": "홈서버 설정에서 캡챠 공개 키가 없습니다. 홈서버 관리자에게 이것을 신고해주세요.", + "terms_invalid": "모든 홈서버의 정책을 검토하고 수락해주세요", + "terms": "이 홈서버의 정책을 검토하고 수락해주세요:", + "msisdn_token_incorrect": "토큰이 맞지 않음", + "msisdn": "%(msisdn)s님에게 문자 메시지를 보냈습니다", + "msisdn_token_prompt": "들어있던 코드를 입력해주세요:", + "fallback_button": "인증 시작" + }, + "password_field_label": "비밀번호 입력", + "password_field_strong_label": "좋습니다, 강한 비밀번호!", + "password_field_weak_label": "비밀번호를 허용할 수는 있지만 안전하지 않음", + "username_field_required_invalid": "사용자 이름 입력", + "msisdn_field_label": "전화", + "identifier_label": "이것으로 로그인", + "reset_password_email_field_description": "이메일 주소를 사용하여 계정을 복구", + "reset_password_email_field_required_invalid": "이메일 주소를 입력 (이 홈서버에 필요함)", + "msisdn_field_description": "다른 사용자가 연락처 세부 정보를 사용해서 당신을 방에 초대할 수 있음", + "registration_msisdn_field_required_invalid": "전화번호 입력 (이 홈서버에 필요함)" }, "export_chat": { "title": "대화 내보내기", @@ -1517,18 +1489,50 @@ }, "update": { "see_changes_button": "새로운 점은?", - "release_notes_toast_title": "새로운 점" + "release_notes_toast_title": "새로운 점", + "error_encountered": "오류가 일어났습니다 (%(errorDetail)s).", + "no_update": "업데이트가 없습니다.", + "check_action": "업데이트 확인" }, "labs_mjolnir": { "room_name": "차단 목록", - "room_topic": "차단한 사용자/서버 목록입니다 - 방을 떠나지 마세요!" + "room_topic": "차단한 사용자/서버 목록입니다 - 방을 떠나지 마세요!", + "ban_reason": "무시됨/차단됨", + "error_adding_ignore": "무시한 사용자/서버 추가 중 오류", + "something_went_wrong": "무언가 잘못되었습니다. 다시 시도하거나 콘솔을 통해 원인을 알아봐주세요.", + "error_adding_list_title": "목록으로 구독하는 중 오류", + "error_removing_ignore": "무시한 사용자/서버를 지우는 중 오류", + "error_removing_list_title": "목록에서 구독 해제 중 오류", + "error_removing_list_description": "다시 시도하거나 콘솔을 통해 원인을 알아봐주세요.", + "rules_title": "차단 목록 규칙 - %(roomName)s", + "rules_server": "서버 규칙", + "rules_user": "사용자 규칙", + "personal_empty": "아무도 무시하고 있지 않습니다.", + "personal_section": "현재 무시하고 있음:", + "no_lists": "어느 목록에도 구독하고 있지 않습니다", + "view_rules": "규칙 보기", + "lists": "현재 구독 중임:", + "title": "무시한 사용자", + "advanced_warning": "⚠ 이 설정은 고급 사용자를 위한 것입니다.", + "explainer_1": "무시하고 싶은 사용자와 서버를 여기에 추가하세요. 별표(*)를 사용해서 %(brand)s이 이름과 문자를 맞춰볼 수 있습니다. 예를 들어, @bot:*이라면 모든 서버에서 'bot'이라는 문자를 가진 이름의 모든 사용자를 무시합니다.", + "explainer_2": "차단당하는 사람은 규칙에 따라 차단 목록을 통해 무시됩니다. 차단 목록을 구독하면 그 목록에서 차단당한 사용자/서버를 당신으로부터 감추게됩니다.", + "personal_heading": "개인 차단 목록", + "personal_new_label": "무시할 서버 또는 사용자 ID", + "personal_new_placeholder": "예: @bot:* 또는 example.org", + "lists_heading": "구독 목록", + "lists_description_1": "차단 목록을 구독하면 차단 목록에 참여하게 됩니다!", + "lists_description_2": "이것을 원한 것이 아니라면, 사용자를 무시하는 다른 도구를 사용해주세요." }, "create_space": { "public_heading": "당신의 공개 스페이스", "private_heading": "당신의 비공개 스페이스" }, "room": { - "drop_file_prompt": "업로드할 파일을 여기에 놓으세요" + "drop_file_prompt": "업로드할 파일을 여기에 놓으세요", + "unread_notifications_predecessor": { + "other": "이 방의 이전 버전에서 읽지 않은 %(count)s개의 알림이 있습니다.", + "one": "이 방의 이전 버전에서 읽지 않은 %(count)s개의 알림이 있습니다." + } }, "file_panel": { "guest_note": "이 기능을 쓰려면 등록해야 합니다", @@ -1547,6 +1551,9 @@ "intro": "계속하려면 이 서비스 약관에 동의해야 합니다.", "column_service": "서비스", "column_summary": "개요", - "column_document": "문서" + "column_document": "문서", + "tac_title": "이용 약관", + "tac_description": "홈서버 %(homeserverDomain)s을(를) 계속 사용하기 위해서는 저희 이용 약관을 검토하고 동의해주세요.", + "tac_button": "이용 약관 검토" } } diff --git a/src/i18n/strings/lo.json b/src/i18n/strings/lo.json index 37ca56b7da..cd12646c61 100644 --- a/src/i18n/strings/lo.json +++ b/src/i18n/strings/lo.json @@ -404,13 +404,7 @@ "Bridges": "ເປັນຂົວຕໍ່", "This room isn't bridging messages to any platforms. Learn more.": "ຫ້ອງນີ້ບໍ່ໄດ້ເຊື່ອມຕໍ່ຂໍ້ຄວາມໄປຫາພັລດຟອມໃດໆ. ສຶກສາເພີ່ມເຕີມ.", "This room is bridging messages to the following platforms. Learn more.": "ຫ້ອງນີ້ກໍາລັງເຊື່ອມຕໍ່ຂໍ້ຄວາມໄປຫາພັລດຟອມຕໍ່ໄປນີ້. ສຶກສາເພີ່ມເຕີມ.", - "Internal room ID": "ID ຫ້ອງພາຍໃນ", "Space information": "ຂໍ້ມູນພື້ນທີ່", - "View older messages in %(roomName)s.": "ບິ່ງຂໍ້ຄວາມເກົ່າໃນ %(roomName)s.", - "View older version of %(spaceName)s.": "ເບິ່ງເວີຊັນເກົ່າກວ່າຂອງ %(spaceName)s.", - "Upgrade this room to the recommended room version": "ຍົກລະດັບຫ້ອງນີ້ເປັນເວີຊັນຫ້ອງທີ່ແນະນຳ", - "Upgrade this space to the recommended room version": "ຍົກລະດັບພື້ນທີ່ນີ້ເປັນເວີຊັນຫ້ອງທີ່ແນະນຳ", - "This room is not accessible by remote Matrix servers": "ຫ້ອງນີ້ບໍ່ສາມາດເຂົ້າເຖິງໄດ້ໂດຍເຊີບເວີ Matrix ໄລຍະໄກ", "Voice & Video": "ສຽງ & ວິດີໂອ", "No Webcams detected": "ບໍ່ພົບ Webcam", "No Microphones detected": "ບໍ່ພົບໄມໂຄຣໂຟນ", @@ -438,53 +432,15 @@ "Bulk options": "ຕົວເລືອກຈຳນວນຫຼາຍ", "You have no ignored users.": "ທ່ານບໍ່ມີຜູ້ໃຊ້ທີ່ຖືກລະເລີຍ.", "Unignore": "ບໍ່ສົນໃຈ", - "Room ID or address of ban list": "IDຫ້ອງ ຫຼື ທີ່ຢູ່ຂອງລາຍການຫ້າມ", - "If this isn't what you want, please use a different tool to ignore users.": "ຖ້າສິ່ງນີ້ບໍ່ແມ່ນສິ່ງທີ່ທ່ານຕ້ອງການ, ກະລຸນາໃຊ້ເຄື່ອງມືອື່ນເພື່ອລະເວັ້ນຜູ້ໃຊ້.", - "Subscribed lists": "ລາຍຊື່ທີ່ສະໝັກແລ້ວ", - "eg: @bot:* or example.org": "ຕົວຢ່າງ: @bot:* ຫຼື example.org", - "Server or user ID to ignore": "ເຊີບເວີ ຫຼື ID ຜູ້ໃຊ້ທີ່ຍົກເວັ້ນ", - "Personal ban list": "ບັນຊີລາຍຊື່ການຫ້າມສ່ວນບຸກຄົນ", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "ການລະເວັ້ນຜູ້ຄົນແມ່ນເຮັດໄດ້ຜ່ານບັນຊີລາຍຊື່ການຫ້າມທີ່ມີກົດລະບຽບສໍາລັບທຸກຄົນທີ່ຈະຫ້າມ. ການສະໝັກໃຊ້ບັນຊີລາຍການຫ້າມໝາຍຄວາມວ່າຜູ້ໃຊ້/ເຊີບເວີທີ່ຖືກບລັອກໂດຍລາຍຊື່ນັ້ນຈະຖືກເຊື່ອງໄວ້ຈາກທ່ານ.", - "⚠ These settings are meant for advanced users.": "⚠ ການຕັ້ງຄ່າເຫຼົ່ານີ້ແມ່ນຫມາຍເຖິງຜູ້ໃຊ້ຂັ້ນສູງ.", "Ignored users": "ຜູ້ໃຊ້ຖືກຍົກເວັ້ນ", - "You are currently subscribed to:": "ປະຈຸບັນທ່ານສະໝັກໃຊ້:", - "View rules": "ເບິ່ງກົດລະບຽບ", - "You are not subscribed to any lists": "ເຈົ້າຍັງບໍ່ໄດ້ສະໝັກໃຊ້ລາຍການໃດໆ", - "You are currently ignoring:": "ຕອນນີ້ທ່ານກຳລັງລະເລີຍ:", - "You have not ignored anyone.": "ເຈົ້າຍັງບໍ່ໄດ້ລະເລີຍຜູ້ໃດຜູ້ໜຶ່ງ.", - "User rules": "ກົດລະບຽບຂອງຜູ້ໃຊ້", - "Server rules": "ກົດລະບຽບຂອງ ເຊີບເວີ", - "Ban list rules - %(roomName)s": "ກົດລະບຽບຂອງລາຍຊື່ຕ້ອງຫ້າມ-%(roomName)s", "None": "ບໍ່ມີ", - "Please try again or view your console for hints.": "ກະລຸນາລອງອີກຄັ້ງ ຫຼື ເບິ່ງ console ຂອງທ່ານເພື່ອຂໍຄຳແນະນຳ.", - "Error unsubscribing from list": "ເກີດຄວາມຜິດພາດໃນການຍົກເລີກການຕິດຕາມລາຍຊື່", - "Error removing ignored user/server": "ເກີດຄວາມຜິດພາດໃນການລຶບຜູ້ໃຊ້/ເຊີບເວີທີ່ລະເລີຍອອກ", - "Please verify the room ID or address and try again.": "ກະລຸນາຢັ້ງຢືນ ID ຫ້ອງ ຫຼື ທີ່ຢູ່ ແລ້ວລອງໃໝ່ອີກຄັ້ງ.", - "Error subscribing to list": "ເກີດຄວາມຜິດພາດໃນການຕິດຕາມລາຍຊື່", - "Something went wrong. Please try again or view your console for hints.": "ມີບາງຢ່າງຜິດພາດ. ກະລຸນາລອງອີກຄັ້ງ ຫຼື ເບິ່ງ console ຂອງທ່ານເພື່ອຂໍຄຳແນະນຳ.", - "Error adding ignored user/server": "ເກີດຄວາມຜິດພາດໃນການເພີ່ມຜູ້ໃຊ້/ເຊີບເວີທີ່ລະເລີຍ", - "Ignored/Blocked": "ບໍ່ສົນໃຈ/ຖືກບລັອກ", - "Cross-signing public keys:": "ກະແຈສາທາລະນະທີ່ມີ Cross-signing:", "Cross-signing is not set up.": "ບໍ່ໄດ້ຕັ້ງຄ່າ Cross-signing.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "ບັນຊີຂອງທ່ານມີຂໍ້ມູນແບບ cross-signing ໃນການເກັບຮັກສາຄວາມລັບ, ແຕ່ວ່າຍັງບໍ່ມີຄວາມເຊື່ອຖືໃນລະບົບນີ້.", "Cross-signing is ready but keys are not backed up.": "ການລົງຊື່ຂ້າມແມ່ນພ້ອມແລ້ວແຕ່ກະແຈບໍ່ໄດ້ສຳຮອງໄວ້.", "Cross-signing is ready for use.": "ການລົງຊື່ຂ້າມແມ່ນກຽມພ້ອມສໍາລັບການໃຊ້ງານ.", "Your homeserver does not support cross-signing.": "homeserverຂອງທ່ານບໍ່ຮອງຮັບການລົງຊື່ຂ້າມ.", - "Change Password": "ປ່ຽນລະຫັດຜ່ານ", - "New Password": "ລະຫັດຜ່ານໃໝ່", - "Current password": "ລະຫັດປັດຈຸບັນ", - "Passwords don't match": "ລະຫັດຜ່ານບໍ່ກົງກັນ", - "Confirm password": "ຢືນຢັນລະຫັດ", - "Do you want to set an email address?": "ທ່ານຕ້ອງການສ້າງທີ່ຢູ່ອີເມວບໍ?", - "Passwords can't be empty": "ລະຫັດຜ່ານບໍ່ສາມາດຫວ່າງເປົ່າໄດ້", - "New passwords don't match": "ລະຫັດຜ່ານໃໝ່ບໍ່ກົງກັນ", - "Export E2E room keys": "ສົ່ງກະແຈຫ້ອງ E2E ອອກ", "Warning!": "ແຈ້ງເຕືອນ!", "No display name": "ບໍ່ມີຊື່ສະແດງຜົນ", - "Channel: ": "ຊ່ອງ: ", - "Workspace: ": "ພື້ນທີ່ເຮັດວຽກ: ", - "This bridge is managed by .": "ຂົວນີ້ຖືກຄຸ້ມຄອງໂດຍ .", - "This bridge was provisioned by .": "ຂົວນີ້ຖືກສະໜອງໃຫ້ໂດຍ .", "Space options": "ຕົວເລືອກພື້ນທີ່", "Jump to first invite.": "ໄປຫາຄຳເຊີນທຳອິດ.", "Jump to first unread room.": "ໄປຫາຫ້ອງທໍາອິດທີ່ຍັງບໍ່ໄດ້ອ່ານ.", @@ -673,14 +629,9 @@ "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "ບໍ່ສາມາດໂຫຼດກິດຈະກຳທີ່ຕອບກັບມາໄດ້, ມັນບໍ່ຢູ່ ຫຼື ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ເບິ່ງມັນ.", "Custom level": "ລະດັບທີ່ກໍາຫນົດເອງ", "Power level": "ລະດັບພະລັງງານ", - "Results are only revealed when you end the poll": "ຜົນໄດ້ຮັບຈະຖືກເປີດເຜີຍເມື່ອທ່ານສິ້ນສຸດແບບສຳຫຼວດເທົ່ານັ້ນ", - "Voters see results as soon as they have voted": "ຜູ້ລົງຄະແນນເຫັນຜົນທັນທີທີ່ເຂົາເຈົ້າໄດ້ລົງຄະແນນສຽງ", - "Add option": "ເພີ່ມຕົວເລືອກ", - "Write an option": "ຂຽນຕົວເລືອກ", "This address is already in use": "ທີ່ຢູ່ນີ້ຖືກໃຊ້ແລ້ວ", "This address is available to use": "ທີ່ຢູ່ນີ້ສາມາດໃຊ້ໄດ້", "This address does not point at this room": "ທີ່ຢູ່ນີ້ບໍ່ໄດ້ຊີ້ໄປທີ່ຫ້ອງນີ້", - "Option %(number)s": "ຕົວເລືອກ %(number)s", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "ບໍ່ສາມາດເຊື່ອມຕໍ່ກັບ homeserver ໄດ້ - ກະລຸນາກວດສອບການເຊື່ອມຕໍ່ຂອງທ່ານ, ໃຫ້ແນ່ໃຈວ່າ ການຢັ້ງຢືນ SSL ຂອງ homeserver ຂອງທ່ານແມ່ນເຊື່ອຖືໄດ້ ແລະ ການຂະຫຍາຍບຣາວເຊີບໍ່ໄດ້ປິດບັງການຮ້ອງຂໍ.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "ບໍ່ສາມາດເຊື່ອມຕໍ່ກັບ homeserver ຜ່ານ HTTP ເມື່ອ HTTPS URL ຢູ່ໃນບຣາວເຊີຂອງທ່ານ. ໃຊ້ HTTPS ຫຼື ເປີດໃຊ້ສະຄຣິບທີ່ບໍ່ປອດໄພ.", "There was a problem communicating with the homeserver, please try again later.": "ມີບັນຫາໃນການສື່ສານກັບ homeserver, ກະລຸນາລອງໃໝ່ໃນພາຍຫຼັງ.", @@ -706,7 +657,6 @@ "Device verified": "ຢັ້ງຢືນອຸປະກອນແລ້ວ", "Verify this device": "ຢັ້ງຢືນອຸປະກອນນີ້", "Unable to verify this device": "ບໍ່ສາມາດຢັ້ງຢືນອຸປະກອນນີ້ໄດ້", - "Original event source": "ແຫຼ່ງຕົ້ນສະບັບ", "Could not load user profile": "ບໍ່ສາມາດໂຫຼດໂປຣໄຟລ໌ຂອງຜູ້ໃຊ້ໄດ້", "Switch theme": "ສະຫຼັບຫົວຂໍ້", "Uploading %(filename)s and %(count)s others": { @@ -726,10 +676,6 @@ "Joined": "ເຂົ້າຮ່ວມແລ້ວ", "You don't have permission": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດ", "Joining": "ເຂົ້າຮ່ວມ", - "You have %(count)s unread notifications in a prior version of this room.": { - "one": "ທ່ານມີ %(count)s ການແຈ້ງເຕືອນທີ່ຍັງບໍ່ໄດ້ອ່ານຢູ່ໃນສະບັບກ່ອນໜ້າຂອງຫ້ອງນີ້.", - "other": "ທ່ານມີ %(count)s ການແຈ້ງເຕືອນທີ່ຍັງບໍ່ໄດ້ອ່ານຢູ່ໃນສະບັບກ່ອນໜ້າຂອງຫ້ອງນີ້." - }, "Failed to reject invite": "ປະຕິເສດຄຳເຊີນບໍ່ສຳເລັດ", "No more results": "ບໍ່ມີຜົນອີກຕໍ່ໄປ", "Server may be unavailable, overloaded, or search timed out :(": "ເຊີບເວີອາດຈະບໍ່ມີຢູ່, ໂຫຼດເກີນ, ຫຼື ໝົດເວລາການຊອກຫາ :(", @@ -746,13 +692,6 @@ "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "ຂໍ້ຄວາມຂອງທ່ານບໍ່ຖືກສົ່ງເນື່ອງຈາກ homeserver ນີ້ຮອດຂີດຈຳກັດສູງສູດຜູ້ໃຊ້ລາຍເດືອນແລ້ວ. ກະລຸນາ ຕິດຕໍ່ຜູ້ເບິ່ງຄຸ້ມຄອງການບໍລິການຂອງທ່ານ ເພື່ອສືບຕໍ່ໃຊ້ບໍລິການ.", "You can't send any messages until you review and agree to our terms and conditions.": "ທ່ານບໍ່ສາມາດສົ່ງຂໍ້ຄວາມໄດ້ຈົນກ່ວາທ່ານຈະທົບທວນຄືນ ແລະ ຕົກລົງເຫັນດີກັບ ຂໍ້ກໍານົດແລະເງື່ອນໄຂຂອງພວກເຮົາ.", "Create new room": "ສ້າງຫ້ອງໃຫມ່", - "Verification requested": "ຂໍການຢັ້ງຢືນ", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "ກວດພົບຂໍ້ມູນຈາກ%(brand)s ລຸ້ນເກົ່າກວ່າ. ອັນນີ້ຈະເຮັດໃຫ້ການເຂົ້າລະຫັດລັບແບບຕົ້ນທາງເຖິງປາຍທາງເຮັດວຽກຜິດປົກກະຕິໃນລຸ້ນເກົ່າ. ຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດແບບຕົ້ນທາງເຖິງປາຍທາງທີ່ໄດ້ແລກປ່ຽນເມື່ອບໍ່ດົນມານີ້ ໃນຂະນະທີ່ໃຊ້ເວີຊັນເກົ່າອາດຈະບໍ່ສາມາດຖອດລະຫັດໄດ້ໃນລູ້ນນີ້. ນີ້ອາດຈະເຮັດໃຫ້ຂໍ້ຄວາມທີ່ແລກປ່ຽນກັບລູ້ນນີ້ບໍ່ສຳເລັດ. ຖ້າເຈົ້າປະສົບບັນຫາ, ໃຫ້ອອກຈາກລະບົບ ແລະ ກັບມາໃໝ່ອີກຄັ້ງ. ເພື່ອຮັກສາປະຫວັດຂໍ້ຄວາມ, ສົ່ງອອກ ແລະ ນໍາເຂົ້າລະຫັດຂອງທ່ານຄືນໃໝ່.", - "Old cryptography data detected": "ກວດພົບຂໍ້ມູນການເຂົ້າລະຫັດລັບເກົ່າ", - "Review terms and conditions": "ກວດເບິ່ງຂໍ້ກໍານົດ ແລະ ເງື່ອນໄຂ", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "ເພື່ອສືບຕໍ່ນຳໃຊ້ %(homeserverDomain)s homeserver ທ່ານຕ້ອງທົບທວນຄືນ ແລະ ຕົກລົງເຫັນດີກັບເງື່ອນໄຂ ແລະ ເງື່ອນໄຂຂອງພວກເຮົາ.", - "Terms and Conditions": "ຂໍ້ກໍານົດ ແລະ ເງື່ອນໄຂ", - "Signed Out": "ອອກຈາກລະບົບ", "Unable to copy a link to the room to the clipboard.": "ບໍ່ສາມາດສຳເນົາລິ້ງໄປຫາຫ້ອງໃສ່ຄລິບບອດໄດ້.", "Unable to copy room link": "ບໍ່ສາມາດສຳເນົາລິ້ງຫ້ອງໄດ້", "Failed to forget room %(errCode)s": "ບໍ່ສາມາດລືມຫ້ອງ ໄດ້%(errCode)s", @@ -997,35 +936,10 @@ "If you do, please note that none of your messages will be deleted, but the search experience might be degraded for a few moments whilst the index is recreated": "ຖ້າທ່ານດຳເນິນການ, ກະລຸນາຮັບຊາບວ່າຂໍ້ຄວາມຂອງທ່ານຈະບໍ່ຖືກລຶບ, ແຕ່ການຊອກຫາອາດຈະຖືກຫຼຸດໜ້ອຍລົງເປັນເວລາສອງສາມນາທີໃນຂະນະທີ່ດັດສະນີຈະຖືກສ້າງໃໝ່", "You most likely do not want to reset your event index store": "ສ່ວນຫຼາຍແລ້ວທ່ານບໍ່ຢາກຈະກູ້ຄືນດັດສະນີຂອງທ່ານ", "Reset event store?": "ກູ້ຄືນການຕັ້ງຄ່າບໍ?", - "For security, this session has been signed out. Please sign in again.": "ເພື່ອຄວາມປອດໄພ, ລະບົບນີ້ໄດ້ຖືກອອກຈາກລະບົບແລ້ວ. ກະລຸນາເຂົ້າສູ່ລະບົບອີກຄັ້ງ.", "Couldn't load page": "ບໍ່ສາມາດໂຫຼດໜ້າໄດ້", "Error downloading audio": "ເກີດຄວາມຜິດພາດໃນການດາວໂຫຼດສຽງ", "Unnamed audio": "ສຽງບໍ່ມີຊື່", "Sign in with SSO": "ເຂົ້າສູ່ລະບົບດ້ວຍປະຕຸດຽວ ( SSO)", - "Enter phone number (required on this homeserver)": "ໃສ່ເບີໂທລະສັບ (ຕ້ອງການຢູ່ໃນ homeserver ນີ້)", - "Other users can invite you to rooms using your contact details": "ຜູ້ໃຊ້ອື່ນສາມາດເຊີນທ່ານເຂົ້າຫ້ອງໄດ້ໂດຍການໃຊ້ລາຍລະອຽດຕິດຕໍ່ຂອງທ່ານ", - "Enter email address (required on this homeserver)": "ໃສ່ທີ່ຢູ່ອີເມວ (ຕ້ອງຢູ່ໃນ homeserver ນີ້)", - "Use an email address to recover your account": "ໃຊ້ທີ່ຢູ່ອີເມວເພື່ອກູ້ຄືນບັນຊີຂອງທ່ານ", - "Sign in with": "ເຂົ້າສູ່ລະບົບດ້ວຍ", - "Phone": "ໂທລະສັບ", - "That phone number doesn't look quite right, please check and try again": "ເບີໂທລະສັບນັ້ນເບິ່ງຄືວ່າບໍ່ຖືກຕ້ອງ, ກະລຸນາກວດເບິ່ງແລ້ວລອງໃໝ່ອີກຄັ້ງ", - "Enter phone number": "ໃສ່ເບີໂທລະສັບ", - "Enter username": "ໃສ່ຊື່ຜູ້ໃຊ້", - "Password is allowed, but unsafe": "ອະນຸຍາດລະຫັດຜ່ານ, ແຕ່ບໍ່ປອດໄພ", - "Nice, strong password!": "ດີ, ລະຫັດຜ່ານທີ່ເຂັ້ມແຂງ!", - "Enter password": "ໃສ່ລະຫັດຜ່ານ", - "Start authentication": "ເລີ່ມການພິສູດຢືນຢັນ", - "Something went wrong in confirming your identity. Cancel and try again.": "ມີບາງຢ່າງຜິດພາດໃນການຢືນຢັນຕົວຕົນຂອງທ່ານ. ຍົກເລີກແລ້ວລອງໃໝ່.", - "Please enter the code it contains:": "ກະລຸນາໃສ່ລະຫັດທີ່ມີຢູ່:", - "A text message has been sent to %(msisdn)s": "ຂໍ້ຄວາມໄດ້ຖືກສົ່ງໄປຫາ %(msisdn)s", - "Token incorrect": "ໂທເຄັນບໍ່ຖືກຕ້ອງ", - "Please review and accept the policies of this homeserver:": "ກະລຸນາກວດເບິ່ງ ແລະ ຍອມຮັບນະໂຍບາຍຂອງ homeserver ນີ້:", - "Please review and accept all of the homeserver's policies": "ກະລຸນາກວດເບິ່ງ ແລະ ຍອມຮັບນະໂຍບາຍທັງໝົດຂອງ homeserver", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "ບໍ່ມີລະຫັດສາທາລະນະ captcha ໃນການຕັ້ງຄ່າ homeserver. ກະລຸນາລາຍງານນີ້ກັບຜູ້ຄຸູ້ມຄອງ homeserver ຂອງທ່ານ.", - "Confirm your identity by entering your account password below.": "ຢືນຢັນຕົວຕົນຂອງທ່ານໂດຍການໃສ່ລະຫັດຜ່ານບັນຊີຂອງທ່ານຂ້າງລຸ່ມນີ້.", - "Doesn't look like a valid email address": "ເບິ່ງຄືວ່າທີ່ຢູ່ອີເມວບໍ່ຖືກຕ້ອງ", - "Enter email address": "ໃສ່ທີ່ຢູ່ອີເມວ", - "Email": "ອີເມວ", "Country Dropdown": "ເລືອກປະເທດຜ່ານເມນູແບບເລື່ອນລົງ", "This homeserver would like to make sure you are not a robot.": "homeserver ນີ້ຕ້ອງການໃຫ້ແນ່ໃຈວ່າທ່ານບໍ່ແມ່ນຫຸ່ນຍົນ.", "This room is public": "ນີ້ແມ່ນຫ້ອງສາທາລະນະ", @@ -1190,17 +1104,6 @@ "Collapse quotes": "ຫຍໍ້ວົງຢືມ", "Can't create a thread from an event with an existing relation": "ບໍ່ສາມາດສ້າງກະທູ້ຈາກເຫດການທີ່ມີຄວາມສໍາພັນທີ່ມີຢູ່ແລ້ວ", "View live location": "ເບິ່ງສະຖານທີ່ປັດຈຸບັນ", - "Create options": "ສ້າງທາງເລືອກ", - "Question or topic": "ຄໍາຖາມ ຫຼື ຫົວຂໍ້", - "What is your poll question or topic?": "ຄຳຖາມ ຫຼື ຫົວຂໍ້ການສຳຫຼວດຂອງທ່ານແມ່ນຫຍັງ?", - "Closed poll": "ປິດການສຳຫຼວດ", - "Open poll": "ເປີດການສຳຫຼວດ", - "Poll type": "ປະເພດແບບສຳຫຼວດ", - "Sorry, the poll you tried to create was not posted.": "ຂໍອະໄພ, ແບບສຳຫຼວດທີ່ທ່ານພະຍາຍາມສ້າງບໍ່ໄດ້ໂພສ.", - "Failed to post poll": "ການໂພສແບບສຳຫຼວດບໍ່ສຳເລັດ", - "Edit poll": "ແກ້ໄຂແບບສຳຫຼວດ", - "Create Poll": "ສ້າງແບບສຳຫຼວດ", - "Create poll": "ສ້າງແບບສຳຫຼວດ", "Language Dropdown": "ເລື່ອນພາສາລົງ", "Information": "ຂໍ້ມູນ", "Rotate Right": "ໝຸນດ້ານຂວາ", @@ -1272,7 +1175,6 @@ "Reply in thread": "ຕອບໃນກະທູ້", "Developer": "ນັກພັດທະນາ", "Experimental": "ທົດລອງ", - "Encryption": "ການເຂົ້າລະຫັດ", "Themes": "ຫົວຂໍ້", "Moderation": "ປານກາງ", "Rooms": "ຫ້ອງ", @@ -1426,12 +1328,7 @@ "Cannot reach homeserver": "ບໍ່ສາມາດຕິດຕໍ່ homeserver ໄດ້", "Email (optional)": "ອີເມວ (ທາງເລືອກ)", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "ກະລຸນາຮັບຊາບວ່າ, ຖ້າທ່ານບໍ່ເພີ່ມອີເມວ ແລະ ລືມລະຫັດຜ່ານຂອງທ່ານ, ທ່ານອາດ ສູນເສຍການເຂົ້າເຖິງບັນຊີຂອງທ່ານຢ່າງຖາວອນ.", - "Session key:": "ກະແຈລະບົບ:", - "Session ID:": "ID ລະບົບ:", - "Cryptography": "ການເຂົ້າລະຫັດລັບ", - "Import E2E room keys": "ນຳເຂົ້າກະແຈຫ້ອງ E2E", "": "<ບໍ່ຮອງຮັບ>", - "exists": "ມີຢູ່", "Empty room": "ຫ້ອງຫວ່າງ", "Suggested Rooms": "ຫ້ອງແນະນຳ", "Historical": "ປະຫວັດ", @@ -1559,8 +1456,6 @@ "Cancelled signature upload": "ຍົກເລີກການອັບໂຫລດລາຍເຊັນແລ້ວ", "Upload completed": "ອັບໂຫຼດສຳເລັດ", "%(brand)s encountered an error during upload of:": "%(brand)s ພົບຂໍ້ຜິດພາດໃນລະຫວ່າງການອັບໂຫລດ:", - "Room version:": "ເວີຊັ້ນຫ້ອງ:", - "Room version": "ເວີຊັ້ນຫ້ອງ", "Wednesday": "ວັນພຸດ", "Data on this screen is shared with %(widgetDomain)s": "ຂໍ້ມູນໃນໜ້າຈໍນີ້ຖືກແບ່ງປັນກັບ %(widgetDomain)s", "Modal Widget": "ຕົວຊ່ວຍ Widget", @@ -1603,10 +1498,6 @@ "Email addresses": "ທີ່ຢູ່ອີເມວ", "Your password was successfully changed.": "ລະຫັດຜ່ານຂອງທ່ານຖືກປ່ຽນສຳເລັດແລ້ວ.", "Failed to change password. Is your password correct?": "ປ່ຽນລະຫັດຜ່ານບໍ່ສຳເລັດ. ລະຫັດຜ່ານຂອງທ່ານຖືກຕ້ອງບໍ?", - "Check for update": "ກວດເບິ່ງເພຶ່ອອັບເດດ", - "New version available. Update now.": "ເວີຊັ້ນໃໝ່ພ້ອມໃຊ້ງານ. ອັບເດດດຽວນີ້.", - "No update available.": "ບໍ່ໄດ້ອັບເດດ.", - "Error encountered (%(errorDetail)s).": "ພົບຂໍ້ຜິດພາດ (%(errorDetail)s).", "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "ຜູ້ຈັດການລວມລະບົບໄດ້ຮັບຂໍ້ມູນການຕັ້ງຄ່າ ແລະ ສາມາດແກ້ໄຂ widget, ສົ່ງການເຊີນຫ້ອງ ແລະ ກໍານົດລະດັບພະລັງງານໃນນາມຂອງທ່ານ.", "Manage integrations": "ຈັດການການເຊື່ອມໂຍງ", "Use an integration manager to manage bots, widgets, and sticker packs.": "ໃຊ້ຕົວຈັດການການເຊື່ອມໂຍງເພື່ອຈັດການ bots, widget, ແລະຊຸດສະຕິກເກີ.", @@ -1682,17 +1573,6 @@ "Lion": "ຊ້າງ", "Cat": "ແມວ", "Dog": "ໝາ", - "Cancelling…": "ກຳລັງຍົກເລີກ…", - "Waiting for %(displayName)s to verify…": "ກຳລັງລໍຖ້າ %(displayName)s ເພື່ອຢັ້ງຢືນ…", - "Waiting for you to verify on your other device…": "ກຳລັງລໍຖ້າໃຫ້ທ່ານຢັ້ງຢືນໃນອຸປະກອນອື່ນຂອງທ່ານ…", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "ກຳລັງລໍຖ້າໃຫ້ທ່ານກວດສອບໃນອຸປະກອນອື່ນຂອງທ່ານ, %(deviceName)s (%(deviceId)s)…", - "Unable to find a supported verification method.": "ບໍ່ສາມາດຊອກຫາວິທີການຢັ້ງຢືນທີ່ຮອງຮັບໄດ້.", - "Verify this user by confirming the following number appears on their screen.": "ຢືນຢັນຜູ້ໃຊ້ນີ້ໂດຍການຢືນຢັນຕົວເລກຕໍ່ໄປນີ້ໃຫ້ປາກົດຢູ່ໃນຫນ້າຈໍຂອງເຂົາເຈົ້າ.", - "Verify this device by confirming the following number appears on its screen.": "ຢືນຢັນອຸປະກອນນີ້ໂດຍການຢືນຢັນຕົວເລກຕໍ່ໄປນີ້ໃຫ້ປາກົດຢູ່ໃນຫນ້າຈໍຂອງມັນ.", - "Verify this user by confirming the following emoji appear on their screen.": "ຢືນຢັນຜູ້ໃຊ້ນີ້ໂດຍການຢືນຢັນemoji ຕໍ່ໄປນີ້ປາກົດຢູ່ໃນຫນ້າຈໍຂອງເຂົາເຈົ້າ.", - "Confirm the emoji below are displayed on both devices, in the same order:": "ຢືນຢັນວ່າ emoji ຂ້າງລຸ່ມນີ້ແມ່ນສະແດງຢູ່ໃນອຸປະກອນທັງສອງ, ໃນລໍາດັບດຽວກັນ:", - "Got It": "ເຂົ້າໃຈແລ້ວ", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "ຂໍ້ຄວາມທີ່ປອດໄພກັບຜູ້ໃຊ້ນີ້ແມ່ນຖືກເຂົ້າລະຫັດແຕ່ຕົ້ນທາງເຖິງປາຍທາງ ແລະ ບໍ່ສາມາດອ່ານໄດ້ໂດຍພາກສ່ວນທີສາມ.", "More": "ເພີ່ມເຕີມ", "Show sidebar": "ສະແດງແຖບດ້ານຂ້າງ", "Hide sidebar": "ເຊື່ອງແຖບດ້ານຂ້າງ", @@ -1740,8 +1620,6 @@ "Deactivate Account": "ປິດການນຳໃຊ້ບັນຊີ", "Account management": "ການຈັດການບັນຊີ", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "ຕົກລົງເຫັນດີກັບ ເຊີບເວີ(%(serverName)s) ເງື່ອນໄຂການໃຫ້ບໍລິການເພື່ອອະນຸຍາດໃຫ້ຕົວທ່ານເອງສາມາດຄົ້ນພົບໄດ້ໂດຍທີ່ຢູ່ອີເມວ ຫຼືເບີໂທລະສັບ.", - "Language and region": "ພາສາ ແລະ ພາກພື້ນ", - "Account": "ບັນຊີ", "Recent changes that have not yet been received": "ການປ່ຽນແປງຫຼ້າສຸດທີ່ຍັງບໍ່ທັນໄດ້ຮັບ", "The server is not configured to indicate what the problem is (CORS).": "ເຊີບເວີບໍ່ໄດ້ຖືກຕັ້ງຄ່າເພື່ອຊີ້ບອກວ່າບັນຫາແມ່ນຫຍັງ (CORS).", "A connection error occurred while trying to contact the server.": "ເກີດຄວາມຜິດພາດໃນການເຊື່ອມຕໍ່ໃນຂະນະທີ່ພະຍາຍາມຕິດຕໍ່ກັບເຊີບເວີ.", @@ -1806,19 +1684,6 @@ "other": "ສະແດງຕົວຢ່າງອື່ນໆ %(count)s" }, "Scroll to most recent messages": "ເລື່ອນໄປຫາຂໍ້ຄວາມຫຼ້າສຸດ", - "Subscribing to a ban list will cause you to join it!": "ການສະໝັກບັນຊີລາຍການຫ້າມຈະເຮັດໃຫ້ທ່ານເຂົ້າຮ່ວມ!", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "ເພີ່ມຜູ້ໃຊ້ ແລະເຊີບເວີທີ່ທ່ານບໍ່ສົນໃຈໃນທີ່ນີ້. ໃຊ້ເຄື່ອງໝາຍດາວເພື່ອໃຫ້ %(brand)s ກົງກັບຕົວອັກສອນໃດນຶ່ງ. ຕົວຢ່າງ, @bot:* ຈະບໍ່ສົນໃຈຜູ້ໃຊ້ທັງໝົດທີ່ມີຊື່ 'bot' ຢູ່ໃນເຊີບເວີໃດນຶ່ງ.", - "Homeserver feature support:": "ສະຫນັບສະຫນູນຄຸນນະສົມບັດ Homeserver:", - "User signing private key:": "ຜູ້ໃຊ້ເຂົ້າສູ່ລະບົບລະຫັດສ່ວນຕົວ:", - "Self signing private key:": "ລະຫັດສ່ວນຕົວທີ່ເຊັນດ້ວຍຕົນເອງ:", - "not found locally": "ບໍ່ພົບຢູ່ໃນເຄື່ອງ", - "cached locally": "ເກັບໄວ້ໃນ cached ເຄື່ອງ", - "Master private key:": "ລະຫັດສ່ວນຕົວຫຼັກ:", - "not found in storage": "ບໍ່ພົບຢູ່ໃນບ່ອນເກັບມ້ຽນ", - "in secret storage": "ໃນການເກັບຮັກສາຄວາມລັບ", - "Cross-signing private keys:": "ກະແຈສ່ວນຕົວCross-signing :", - "not found": "ບໍ່ພົບເຫັນ", - "in memory": "ໃນຄວາມຊົງຈໍາ", "unknown person": "ຄົນທີ່ບໍ່ຮູ້", "The authenticity of this encrypted message can't be guaranteed on this device.": "ອຸປະກອນນີ້ບໍ່ສາມາດຮັບປະກັນຄວາມຖືກຕ້ອງຂອງຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດນີ້ໄດ້.", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (power %(powerLevelNumber)s)", @@ -1908,15 +1773,9 @@ "To view %(roomName)s, you need an invite": "ເພື່ອເບິ່ງ %(roomName)s, ທ່ານຕ້ອງມີບັດເຊີນ", "Private room": "ຫ້ອງສ່ວນຕົວ", "Video room": "ຫ້ອງວີດີໂອ", - "Resent!": "ສົ່ງອີກຄັ້ງ!", - "Did not receive it? Resend it": "ໄດ້ຮັບບໍ່? ສົ່ງອີກຄັ້ງ\"", - "To create your account, open the link in the email we just sent to %(emailAddress)s.": "ເພື່ອສ້າງບັນຊີເມວຂອງທ່ານ, ເປີດລິງໃນເມວທີ່ພວກເຮົາສົ່ງໄປ %(emailAddress)s.", "Unread email icon": "ໄອຄັອນເມວທີ່ຍັງບໍ່ໄດ້ຖືກອ່ານ", - "Check your email to continue": "ກວດເມວຂອງທ່ານເພື່ອສືບຕໍ່", "An error occurred whilst sharing your live location, please try again": "ພົບບັນຫາຕອນກຳລັງແບ່ງປັນຈຸດພິກັດຂອງທ່ານ, ກະລຸນາລອງໃໝ່", "An error occurred whilst sharing your live location": "ພົບບັນຫາຕອນກຳລັງແບ່ງປັນຈຸດພິກັດຂອງທ່ານ", - "Click to read topic": "ກົດເພື່ອອ່ານຫົວຂໍ້", - "Edit topic": "ແກ້ໄຂຫົວຂໍ້", "Joining…": "ກຳລັງເຂົ້າ…", "%(count)s people joined": { "one": "%(count)s ຄົນເຂົ້າຮ່ວມ\"", @@ -2143,7 +2002,11 @@ "join_beta": "ເຂົ້າຮ່ວມເບຕ້າ", "automatic_debug_logs_key_backup": "ສົ່ງບັນທຶກການດີບັ໊ກໂດຍອັດຕະໂນມັດເມື່ອການສຳຮອງຂໍ້ມູນກະແຈບໍ່ເຮັດວຽກ", "automatic_debug_logs_decryption": "ສົ່ງບັນທຶກການດີບັ໊ກໂດຍອັດຕະໂນມັດໃນຄວາມຜິດພາດການຖອດລະຫັດ", - "automatic_debug_logs": "ສົ່ງບັນທຶກ ບັນຫາບັກ ໂດຍອັດຕະໂນມັດກ່ຽວກັບຂໍ້ຜິດພາດໃດໆ" + "automatic_debug_logs": "ສົ່ງບັນທຶກ ບັນຫາບັກ ໂດຍອັດຕະໂນມັດກ່ຽວກັບຂໍ້ຜິດພາດໃດໆ", + "bridge_state_creator": "ຂົວນີ້ຖືກສະໜອງໃຫ້ໂດຍ .", + "bridge_state_manager": "ຂົວນີ້ຖືກຄຸ້ມຄອງໂດຍ .", + "bridge_state_workspace": "ພື້ນທີ່ເຮັດວຽກ: ", + "bridge_state_channel": "ຊ່ອງ: " }, "keyboard": { "home": "ໜ້າຫຼັກ", @@ -2393,7 +2256,26 @@ "send_analytics": "ສົ່ງຂໍ້ມູນການວິເຄາະ", "strict_encryption": "ບໍ່ສົ່ງຂໍ້ຄວາມເຂົ້າລະຫັດໄປຫາລະບົບທີ່ບໍ່ໄດ້ຢືນຢັນຈາກລະບົບນີ້", "enable_message_search": "ເປີດໃຊ້ການຊອກຫາຂໍ້ຄວາມຢູ່ໃນຫ້ອງທີ່ຖືກເຂົ້າລະຫັດ", - "manually_verify_all_sessions": "ຢັ້ງຢືນທຸກລະບົບທາງໄກດ້ວຍຕົນເອງ" + "manually_verify_all_sessions": "ຢັ້ງຢືນທຸກລະບົບທາງໄກດ້ວຍຕົນເອງ", + "cross_signing_public_keys": "ກະແຈສາທາລະນະທີ່ມີ Cross-signing:", + "cross_signing_in_memory": "ໃນຄວາມຊົງຈໍາ", + "cross_signing_not_found": "ບໍ່ພົບເຫັນ", + "cross_signing_private_keys": "ກະແຈສ່ວນຕົວCross-signing :", + "cross_signing_in_4s": "ໃນການເກັບຮັກສາຄວາມລັບ", + "cross_signing_not_in_4s": "ບໍ່ພົບຢູ່ໃນບ່ອນເກັບມ້ຽນ", + "cross_signing_master_private_Key": "ລະຫັດສ່ວນຕົວຫຼັກ:", + "cross_signing_cached": "ເກັບໄວ້ໃນ cached ເຄື່ອງ", + "cross_signing_not_cached": "ບໍ່ພົບຢູ່ໃນເຄື່ອງ", + "cross_signing_self_signing_private_key": "ລະຫັດສ່ວນຕົວທີ່ເຊັນດ້ວຍຕົນເອງ:", + "cross_signing_user_signing_private_key": "ຜູ້ໃຊ້ເຂົ້າສູ່ລະບົບລະຫັດສ່ວນຕົວ:", + "cross_signing_homeserver_support": "ສະຫນັບສະຫນູນຄຸນນະສົມບັດ Homeserver:", + "cross_signing_homeserver_support_exists": "ມີຢູ່", + "export_megolm_keys": "ສົ່ງກະແຈຫ້ອງ E2E ອອກ", + "import_megolm_keys": "ນຳເຂົ້າກະແຈຫ້ອງ E2E", + "cryptography_section": "ການເຂົ້າລະຫັດລັບ", + "session_id": "ID ລະບົບ:", + "session_key": "ກະແຈລະບົບ:", + "encryption_section": "ການເຂົ້າລະຫັດ" }, "preferences": { "room_list_heading": "ລາຍຊື່ຫ້ອງ", @@ -2434,6 +2316,10 @@ "one": "ອອກຈາກລະບົບອຸປະກອນ", "other": "ອອກຈາກລະບົບອຸປະກອນ" } + }, + "general": { + "account_section": "ບັນຊີ", + "language_section": "ພາສາ ແລະ ພາກພື້ນ" } }, "devtools": { @@ -2506,7 +2392,8 @@ "title": "ເຄື່ອງມືພັດທະນາ", "show_hidden_events": "ສະແດງເຫດການທີ່ເຊື່ອງໄວ້ໃນທາມລາຍ", "developer_mode": "ຮູບແບບນັກພັດທະນາ", - "view_source_decrypted_event_source": "ບ່ອນທີ່ຖືກຖອດລະຫັດໄວ້" + "view_source_decrypted_event_source": "ບ່ອນທີ່ຖືກຖອດລະຫັດໄວ້", + "original_event_source": "ແຫຼ່ງຕົ້ນສະບັບ" }, "export_chat": { "html": "HTML", @@ -3093,6 +2980,16 @@ "url_preview_encryption_warning": "ໃນຫ້ອງທີ່ເຂົ້າລະຫັດ, ເຊັ່ນດຽວກັບ, ການສະແດງຕົວຢ່າງ URLໄດ້ປິດໃຊ້ງານໂດຍຄ່າເລີ່ມຕົ້ນເພື່ອຮັບປະກັນວ່າ homeserver ຂອງທ່ານ (ບ່ອນສະແດງຕົວຢ່າງ) ບໍ່ສາມາດລວບລວມຂໍ້ມູນກ່ຽວກັບການເຊື່ອມຕໍ່ທີ່ທ່ານເຫັນຢູ່ໃນຫ້ອງນີ້.", "url_preview_explainer": "ເມື່ອຜູ້ໃດຜູ້ນຶ່ງໃສ່ URL ໃນຂໍ້ຄວາມຂອງພວກເຂົາ, ການສະແດງຕົວຢ່າງ URL ສາມາດສະແດງເພື່ອໃຫ້ຂໍ້ມູນເພີ່ມເຕີມກ່ຽວກັບການເຊື່ອມຕໍ່ນັ້ນເຊັ່ນຫົວຂໍ້, ຄໍາອະທິບາຍແລະຮູບພາບຈາກເວັບໄຊທ໌.", "url_previews_section": "ຕົວຢ່າງ URL" + }, + "advanced": { + "unfederated": "ຫ້ອງນີ້ບໍ່ສາມາດເຂົ້າເຖິງໄດ້ໂດຍເຊີບເວີ Matrix ໄລຍະໄກ", + "space_upgrade_button": "ຍົກລະດັບພື້ນທີ່ນີ້ເປັນເວີຊັນຫ້ອງທີ່ແນະນຳ", + "room_upgrade_button": "ຍົກລະດັບຫ້ອງນີ້ເປັນເວີຊັນຫ້ອງທີ່ແນະນຳ", + "space_predecessor": "ເບິ່ງເວີຊັນເກົ່າກວ່າຂອງ %(spaceName)s.", + "room_predecessor": "ບິ່ງຂໍ້ຄວາມເກົ່າໃນ %(roomName)s.", + "room_id": "ID ຫ້ອງພາຍໃນ", + "room_version_section": "ເວີຊັ້ນຫ້ອງ", + "room_version": "ເວີຊັ້ນຫ້ອງ:" } }, "encryption": { @@ -3107,8 +3004,22 @@ "qr_prompt": "ສະແກນລະຫັດສະເພາະນີ້", "sas_prompt": "ປຽບທຽບ emoji ທີ່ເປັນເອກະລັກ", "sas_description": "ປຽບທຽບຊຸດ emoji ທີ່ເປັນເອກະລັກຖ້າຫາກທ່ານບໍ່ມີກ້ອງຖ່າຍຮູບຢູ່ໃນອຸປະກອນໃດໜຶ່ງ", - "qr_or_sas_header": "ຢັ້ງຢືນອຸປະກອນນີ້ໂດຍການເຮັດສິ່ງໃດໜຶ່ງຕໍ່ໄປນີ້:" - } + "qr_or_sas_header": "ຢັ້ງຢືນອຸປະກອນນີ້ໂດຍການເຮັດສິ່ງໃດໜຶ່ງຕໍ່ໄປນີ້:", + "explainer": "ຂໍ້ຄວາມທີ່ປອດໄພກັບຜູ້ໃຊ້ນີ້ແມ່ນຖືກເຂົ້າລະຫັດແຕ່ຕົ້ນທາງເຖິງປາຍທາງ ແລະ ບໍ່ສາມາດອ່ານໄດ້ໂດຍພາກສ່ວນທີສາມ.", + "complete_action": "ເຂົ້າໃຈແລ້ວ", + "sas_emoji_caption_self": "ຢືນຢັນວ່າ emoji ຂ້າງລຸ່ມນີ້ແມ່ນສະແດງຢູ່ໃນອຸປະກອນທັງສອງ, ໃນລໍາດັບດຽວກັນ:", + "sas_emoji_caption_user": "ຢືນຢັນຜູ້ໃຊ້ນີ້ໂດຍການຢືນຢັນemoji ຕໍ່ໄປນີ້ປາກົດຢູ່ໃນຫນ້າຈໍຂອງເຂົາເຈົ້າ.", + "sas_caption_self": "ຢືນຢັນອຸປະກອນນີ້ໂດຍການຢືນຢັນຕົວເລກຕໍ່ໄປນີ້ໃຫ້ປາກົດຢູ່ໃນຫນ້າຈໍຂອງມັນ.", + "sas_caption_user": "ຢືນຢັນຜູ້ໃຊ້ນີ້ໂດຍການຢືນຢັນຕົວເລກຕໍ່ໄປນີ້ໃຫ້ປາກົດຢູ່ໃນຫນ້າຈໍຂອງເຂົາເຈົ້າ.", + "unsupported_method": "ບໍ່ສາມາດຊອກຫາວິທີການຢັ້ງຢືນທີ່ຮອງຮັບໄດ້.", + "waiting_other_device_details": "ກຳລັງລໍຖ້າໃຫ້ທ່ານກວດສອບໃນອຸປະກອນອື່ນຂອງທ່ານ, %(deviceName)s (%(deviceId)s)…", + "waiting_other_device": "ກຳລັງລໍຖ້າໃຫ້ທ່ານຢັ້ງຢືນໃນອຸປະກອນອື່ນຂອງທ່ານ…", + "waiting_other_user": "ກຳລັງລໍຖ້າ %(displayName)s ເພື່ອຢັ້ງຢືນ…", + "cancelling": "ກຳລັງຍົກເລີກ…" + }, + "old_version_detected_title": "ກວດພົບຂໍ້ມູນການເຂົ້າລະຫັດລັບເກົ່າ", + "old_version_detected_description": "ກວດພົບຂໍ້ມູນຈາກ%(brand)s ລຸ້ນເກົ່າກວ່າ. ອັນນີ້ຈະເຮັດໃຫ້ການເຂົ້າລະຫັດລັບແບບຕົ້ນທາງເຖິງປາຍທາງເຮັດວຽກຜິດປົກກະຕິໃນລຸ້ນເກົ່າ. ຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດແບບຕົ້ນທາງເຖິງປາຍທາງທີ່ໄດ້ແລກປ່ຽນເມື່ອບໍ່ດົນມານີ້ ໃນຂະນະທີ່ໃຊ້ເວີຊັນເກົ່າອາດຈະບໍ່ສາມາດຖອດລະຫັດໄດ້ໃນລູ້ນນີ້. ນີ້ອາດຈະເຮັດໃຫ້ຂໍ້ຄວາມທີ່ແລກປ່ຽນກັບລູ້ນນີ້ບໍ່ສຳເລັດ. ຖ້າເຈົ້າປະສົບບັນຫາ, ໃຫ້ອອກຈາກລະບົບ ແລະ ກັບມາໃໝ່ອີກຄັ້ງ. ເພື່ອຮັກສາປະຫວັດຂໍ້ຄວາມ, ສົ່ງອອກ ແລະ ນໍາເຂົ້າລະຫັດຂອງທ່ານຄືນໃໝ່.", + "verification_requested_toast_title": "ຂໍການຢັ້ງຢືນ" }, "emoji": { "category_frequently_used": "ໃຊ້ເປັນປະຈຳ", @@ -3206,7 +3117,47 @@ "phone_optional_label": "ໂທລະສັບ (ທາງເລືອກ)", "email_help_text": "ເພີ່ມອີເມວເພື່ອສາມາດກູ້ຄືນລະຫັດຜ່ານຂອງທ່ານໄດ້.", "email_phone_discovery_text": "ໃຊ້ອີເມລ໌ ຫຼື ໂທລະສັບເພື່ອຜູ້ຕິດຕໍ່ທີ່ມີຢູ່ແລ້ວຄົ້ນຫາໄດ້.", - "email_discovery_text": "ໃຊ້ອີເມລ໌ເພື່ອເປັນທາງເລືອກໃຫ້ຜູ້ຕິດຕໍ່ທີ່ມີຢູ່ແລ້ວສາມາດຄົ້ນຫາໄດ້." + "email_discovery_text": "ໃຊ້ອີເມລ໌ເພື່ອເປັນທາງເລືອກໃຫ້ຜູ້ຕິດຕໍ່ທີ່ມີຢູ່ແລ້ວສາມາດຄົ້ນຫາໄດ້.", + "session_logged_out_title": "ອອກຈາກລະບົບ", + "session_logged_out_description": "ເພື່ອຄວາມປອດໄພ, ລະບົບນີ້ໄດ້ຖືກອອກຈາກລະບົບແລ້ວ. ກະລຸນາເຂົ້າສູ່ລະບົບອີກຄັ້ງ.", + "change_password_mismatch": "ລະຫັດຜ່ານໃໝ່ບໍ່ກົງກັນ", + "change_password_empty": "ລະຫັດຜ່ານບໍ່ສາມາດຫວ່າງເປົ່າໄດ້", + "set_email_prompt": "ທ່ານຕ້ອງການສ້າງທີ່ຢູ່ອີເມວບໍ?", + "change_password_confirm_label": "ຢືນຢັນລະຫັດ", + "change_password_confirm_invalid": "ລະຫັດຜ່ານບໍ່ກົງກັນ", + "change_password_current_label": "ລະຫັດປັດຈຸບັນ", + "change_password_new_label": "ລະຫັດຜ່ານໃໝ່", + "change_password_action": "ປ່ຽນລະຫັດຜ່ານ", + "email_field_label": "ອີເມວ", + "email_field_label_required": "ໃສ່ທີ່ຢູ່ອີເມວ", + "email_field_label_invalid": "ເບິ່ງຄືວ່າທີ່ຢູ່ອີເມວບໍ່ຖືກຕ້ອງ", + "uia": { + "password_prompt": "ຢືນຢັນຕົວຕົນຂອງທ່ານໂດຍການໃສ່ລະຫັດຜ່ານບັນຊີຂອງທ່ານຂ້າງລຸ່ມນີ້.", + "recaptcha_missing_params": "ບໍ່ມີລະຫັດສາທາລະນະ captcha ໃນການຕັ້ງຄ່າ homeserver. ກະລຸນາລາຍງານນີ້ກັບຜູ້ຄຸູ້ມຄອງ homeserver ຂອງທ່ານ.", + "terms_invalid": "ກະລຸນາກວດເບິ່ງ ແລະ ຍອມຮັບນະໂຍບາຍທັງໝົດຂອງ homeserver", + "terms": "ກະລຸນາກວດເບິ່ງ ແລະ ຍອມຮັບນະໂຍບາຍຂອງ homeserver ນີ້:", + "email_auth_header": "ກວດເມວຂອງທ່ານເພື່ອສືບຕໍ່", + "email": "ເພື່ອສ້າງບັນຊີເມວຂອງທ່ານ, ເປີດລິງໃນເມວທີ່ພວກເຮົາສົ່ງໄປ %(emailAddress)s.", + "email_resend_prompt": "ໄດ້ຮັບບໍ່? ສົ່ງອີກຄັ້ງ\"", + "email_resent": "ສົ່ງອີກຄັ້ງ!", + "msisdn_token_incorrect": "ໂທເຄັນບໍ່ຖືກຕ້ອງ", + "msisdn": "ຂໍ້ຄວາມໄດ້ຖືກສົ່ງໄປຫາ %(msisdn)s", + "msisdn_token_prompt": "ກະລຸນາໃສ່ລະຫັດທີ່ມີຢູ່:", + "sso_failed": "ມີບາງຢ່າງຜິດພາດໃນການຢືນຢັນຕົວຕົນຂອງທ່ານ. ຍົກເລີກແລ້ວລອງໃໝ່.", + "fallback_button": "ເລີ່ມການພິສູດຢືນຢັນ" + }, + "password_field_label": "ໃສ່ລະຫັດຜ່ານ", + "password_field_strong_label": "ດີ, ລະຫັດຜ່ານທີ່ເຂັ້ມແຂງ!", + "password_field_weak_label": "ອະນຸຍາດລະຫັດຜ່ານ, ແຕ່ບໍ່ປອດໄພ", + "username_field_required_invalid": "ໃສ່ຊື່ຜູ້ໃຊ້", + "msisdn_field_required_invalid": "ໃສ່ເບີໂທລະສັບ", + "msisdn_field_number_invalid": "ເບີໂທລະສັບນັ້ນເບິ່ງຄືວ່າບໍ່ຖືກຕ້ອງ, ກະລຸນາກວດເບິ່ງແລ້ວລອງໃໝ່ອີກຄັ້ງ", + "msisdn_field_label": "ໂທລະສັບ", + "identifier_label": "ເຂົ້າສູ່ລະບົບດ້ວຍ", + "reset_password_email_field_description": "ໃຊ້ທີ່ຢູ່ອີເມວເພື່ອກູ້ຄືນບັນຊີຂອງທ່ານ", + "reset_password_email_field_required_invalid": "ໃສ່ທີ່ຢູ່ອີເມວ (ຕ້ອງຢູ່ໃນ homeserver ນີ້)", + "msisdn_field_description": "ຜູ້ໃຊ້ອື່ນສາມາດເຊີນທ່ານເຂົ້າຫ້ອງໄດ້ໂດຍການໃຊ້ລາຍລະອຽດຕິດຕໍ່ຂອງທ່ານ", + "registration_msisdn_field_required_invalid": "ໃສ່ເບີໂທລະສັບ (ຕ້ອງການຢູ່ໃນ homeserver ນີ້)" }, "room_list": { "sort_unread_first": "ສະແດງຫ້ອງຂໍ້ຄວາມທີ່ຍັງບໍ່ທັນໄດ້ອ່ານກ່ອນ", @@ -3379,7 +3330,11 @@ "see_changes_button": "ມີຫຍັງໃຫມ່?", "release_notes_toast_title": "ມີຫຍັງໃຫມ່", "toast_title": "ອັບເດດ %(brand)s", - "toast_description": "ເວີຊັນໃໝ່ຂອງ %(brand)s ພ້ອມໃຊ້ງານ" + "toast_description": "ເວີຊັນໃໝ່ຂອງ %(brand)s ພ້ອມໃຊ້ງານ", + "error_encountered": "ພົບຂໍ້ຜິດພາດ (%(errorDetail)s).", + "no_update": "ບໍ່ໄດ້ອັບເດດ.", + "new_version_available": "ເວີຊັ້ນໃໝ່ພ້ອມໃຊ້ງານ. ອັບເດດດຽວນີ້.", + "check_action": "ກວດເບິ່ງເພຶ່ອອັບເດດ" }, "threads": { "all_threads": "ກະທູ້ທັງໝົດ", @@ -3425,7 +3380,34 @@ }, "labs_mjolnir": { "room_name": "ບັນຊີລາຍຊື່ການຫ້າມຂອງຂ້ອຍ", - "room_topic": "ນີ້ແມ່ນບັນຊີລາຍຊື່ຜູ້ໃຊ້ / ເຊີບເວີຂອງທ່ານທີ່ທ່ານໄດ້ບລັອກ - ຢ່າອອກຈາກຫ້ອງ!" + "room_topic": "ນີ້ແມ່ນບັນຊີລາຍຊື່ຜູ້ໃຊ້ / ເຊີບເວີຂອງທ່ານທີ່ທ່ານໄດ້ບລັອກ - ຢ່າອອກຈາກຫ້ອງ!", + "ban_reason": "ບໍ່ສົນໃຈ/ຖືກບລັອກ", + "error_adding_ignore": "ເກີດຄວາມຜິດພາດໃນການເພີ່ມຜູ້ໃຊ້/ເຊີບເວີທີ່ລະເລີຍ", + "something_went_wrong": "ມີບາງຢ່າງຜິດພາດ. ກະລຸນາລອງອີກຄັ້ງ ຫຼື ເບິ່ງ console ຂອງທ່ານເພື່ອຂໍຄຳແນະນຳ.", + "error_adding_list_title": "ເກີດຄວາມຜິດພາດໃນການຕິດຕາມລາຍຊື່", + "error_adding_list_description": "ກະລຸນາຢັ້ງຢືນ ID ຫ້ອງ ຫຼື ທີ່ຢູ່ ແລ້ວລອງໃໝ່ອີກຄັ້ງ.", + "error_removing_ignore": "ເກີດຄວາມຜິດພາດໃນການລຶບຜູ້ໃຊ້/ເຊີບເວີທີ່ລະເລີຍອອກ", + "error_removing_list_title": "ເກີດຄວາມຜິດພາດໃນການຍົກເລີກການຕິດຕາມລາຍຊື່", + "error_removing_list_description": "ກະລຸນາລອງອີກຄັ້ງ ຫຼື ເບິ່ງ console ຂອງທ່ານເພື່ອຂໍຄຳແນະນຳ.", + "rules_title": "ກົດລະບຽບຂອງລາຍຊື່ຕ້ອງຫ້າມ-%(roomName)s", + "rules_server": "ກົດລະບຽບຂອງ ເຊີບເວີ", + "rules_user": "ກົດລະບຽບຂອງຜູ້ໃຊ້", + "personal_empty": "ເຈົ້າຍັງບໍ່ໄດ້ລະເລີຍຜູ້ໃດຜູ້ໜຶ່ງ.", + "personal_section": "ຕອນນີ້ທ່ານກຳລັງລະເລີຍ:", + "no_lists": "ເຈົ້າຍັງບໍ່ໄດ້ສະໝັກໃຊ້ລາຍການໃດໆ", + "view_rules": "ເບິ່ງກົດລະບຽບ", + "lists": "ປະຈຸບັນທ່ານສະໝັກໃຊ້:", + "title": "ຜູ້ໃຊ້ຖືກຍົກເວັ້ນ", + "advanced_warning": "⚠ ການຕັ້ງຄ່າເຫຼົ່ານີ້ແມ່ນຫມາຍເຖິງຜູ້ໃຊ້ຂັ້ນສູງ.", + "explainer_1": "ເພີ່ມຜູ້ໃຊ້ ແລະເຊີບເວີທີ່ທ່ານບໍ່ສົນໃຈໃນທີ່ນີ້. ໃຊ້ເຄື່ອງໝາຍດາວເພື່ອໃຫ້ %(brand)s ກົງກັບຕົວອັກສອນໃດນຶ່ງ. ຕົວຢ່າງ, @bot:* ຈະບໍ່ສົນໃຈຜູ້ໃຊ້ທັງໝົດທີ່ມີຊື່ 'bot' ຢູ່ໃນເຊີບເວີໃດນຶ່ງ.", + "explainer_2": "ການລະເວັ້ນຜູ້ຄົນແມ່ນເຮັດໄດ້ຜ່ານບັນຊີລາຍຊື່ການຫ້າມທີ່ມີກົດລະບຽບສໍາລັບທຸກຄົນທີ່ຈະຫ້າມ. ການສະໝັກໃຊ້ບັນຊີລາຍການຫ້າມໝາຍຄວາມວ່າຜູ້ໃຊ້/ເຊີບເວີທີ່ຖືກບລັອກໂດຍລາຍຊື່ນັ້ນຈະຖືກເຊື່ອງໄວ້ຈາກທ່ານ.", + "personal_heading": "ບັນຊີລາຍຊື່ການຫ້າມສ່ວນບຸກຄົນ", + "personal_new_label": "ເຊີບເວີ ຫຼື ID ຜູ້ໃຊ້ທີ່ຍົກເວັ້ນ", + "personal_new_placeholder": "ຕົວຢ່າງ: @bot:* ຫຼື example.org", + "lists_heading": "ລາຍຊື່ທີ່ສະໝັກແລ້ວ", + "lists_description_1": "ການສະໝັກບັນຊີລາຍການຫ້າມຈະເຮັດໃຫ້ທ່ານເຂົ້າຮ່ວມ!", + "lists_description_2": "ຖ້າສິ່ງນີ້ບໍ່ແມ່ນສິ່ງທີ່ທ່ານຕ້ອງການ, ກະລຸນາໃຊ້ເຄື່ອງມືອື່ນເພື່ອລະເວັ້ນຜູ້ໃຊ້.", + "lists_new_label": "IDຫ້ອງ ຫຼື ທີ່ຢູ່ຂອງລາຍການຫ້າມ" }, "create_space": { "name_required": "ກະລຸນາໃສ່ຊື່ສໍາລັບຊ່ອງຫວ່າງ", @@ -3486,6 +3468,12 @@ "private_unencrypted_warning": "ຂໍ້ຄວາມສ່ວນຕົວຂອງທ່ານຖືກເຂົ້າລະຫັດຕາມປົກກະຕິ, ແຕ່ຫ້ອງນີ້ບໍ່ແມ່ນ. ເນື່ອງມາຈາກອຸປະກອນທີ່ບໍ່ຮອງຮັບ ຫຼື ວິທີການຖືກໃຊ້ ເຊັ່ນ: ການເຊີນທາງອີເມວ.", "enable_encryption_prompt": "ເປີດໃຊ້ການເຂົ້າລະຫັດໃນການຕັ້ງຄ່າ.", "unencrypted_warning": "ບໍ່ໄດ້ເປີດໃຊ້ການເຂົ້າລະຫັດແບບຕົ້ນທາງຮອດປາຍທາງ" + }, + "edit_topic": "ແກ້ໄຂຫົວຂໍ້", + "read_topic": "ກົດເພື່ອອ່ານຫົວຂໍ້", + "unread_notifications_predecessor": { + "one": "ທ່ານມີ %(count)s ການແຈ້ງເຕືອນທີ່ຍັງບໍ່ໄດ້ອ່ານຢູ່ໃນສະບັບກ່ອນໜ້າຂອງຫ້ອງນີ້.", + "other": "ທ່ານມີ %(count)s ການແຈ້ງເຕືອນທີ່ຍັງບໍ່ໄດ້ອ່ານຢູ່ໃນສະບັບກ່ອນໜ້າຂອງຫ້ອງນີ້." } }, "file_panel": { @@ -3500,9 +3488,30 @@ "intro": "ເພື່ອສືບຕໍ່, ທ່ານຈະຕ້ອງຍອມຮັບເງື່ອນໄຂຂອງການບໍລິການນີ້.", "column_service": "ບໍລິການ", "column_summary": "ສະຫຼຸບ", - "column_document": "ເອກະສານ" + "column_document": "ເອກະສານ", + "tac_title": "ຂໍ້ກໍານົດ ແລະ ເງື່ອນໄຂ", + "tac_description": "ເພື່ອສືບຕໍ່ນຳໃຊ້ %(homeserverDomain)s homeserver ທ່ານຕ້ອງທົບທວນຄືນ ແລະ ຕົກລົງເຫັນດີກັບເງື່ອນໄຂ ແລະ ເງື່ອນໄຂຂອງພວກເຮົາ.", + "tac_button": "ກວດເບິ່ງຂໍ້ກໍານົດ ແລະ ເງື່ອນໄຂ" }, "space_settings": { "title": "ການຕັ້ງຄ່າ - %(spaceName)s" + }, + "poll": { + "create_poll_title": "ສ້າງແບບສຳຫຼວດ", + "create_poll_action": "ສ້າງແບບສຳຫຼວດ", + "edit_poll_title": "ແກ້ໄຂແບບສຳຫຼວດ", + "failed_send_poll_title": "ການໂພສແບບສຳຫຼວດບໍ່ສຳເລັດ", + "failed_send_poll_description": "ຂໍອະໄພ, ແບບສຳຫຼວດທີ່ທ່ານພະຍາຍາມສ້າງບໍ່ໄດ້ໂພສ.", + "type_heading": "ປະເພດແບບສຳຫຼວດ", + "type_open": "ເປີດການສຳຫຼວດ", + "type_closed": "ປິດການສຳຫຼວດ", + "topic_heading": "ຄຳຖາມ ຫຼື ຫົວຂໍ້ການສຳຫຼວດຂອງທ່ານແມ່ນຫຍັງ?", + "topic_label": "ຄໍາຖາມ ຫຼື ຫົວຂໍ້", + "options_heading": "ສ້າງທາງເລືອກ", + "options_label": "ຕົວເລືອກ %(number)s", + "options_placeholder": "ຂຽນຕົວເລືອກ", + "options_add_button": "ເພີ່ມຕົວເລືອກ", + "disclosed_notes": "ຜູ້ລົງຄະແນນເຫັນຜົນທັນທີທີ່ເຂົາເຈົ້າໄດ້ລົງຄະແນນສຽງ", + "notes": "ຜົນໄດ້ຮັບຈະຖືກເປີດເຜີຍເມື່ອທ່ານສິ້ນສຸດແບບສຳຫຼວດເທົ່ານັ້ນ" } } diff --git a/src/i18n/strings/lt.json b/src/i18n/strings/lt.json index 7ca3ff83ac..4ce8952f47 100644 --- a/src/i18n/strings/lt.json +++ b/src/i18n/strings/lt.json @@ -16,7 +16,6 @@ "All Rooms": "Visi pokalbių kambariai", "Source URL": "Šaltinio URL adresas", "Filter results": "Išfiltruoti rezultatus", - "No update available.": "Nėra galimų atnaujinimų.", "Tuesday": "Antradienis", "Search…": "Paieška…", "Unnamed room": "Kambarys be pavadinimo", @@ -32,7 +31,6 @@ "You cannot delete this message. (%(code)s)": "Jūs negalite trinti šios žinutės. (%(code)s)", "Thursday": "Ketvirtadienis", "Yesterday": "Vakar", - "Error encountered (%(errorDetail)s).": "Susidurta su klaida (%(errorDetail)s).", "Low Priority": "Žemo prioriteto", "Thank you!": "Ačiū!", "Permission Required": "Reikalingas Leidimas", @@ -78,14 +76,8 @@ "Verified key": "Patvirtintas raktas", "Reason": "Priežastis", "Incorrect verification code": "Neteisingas patvirtinimo kodas", - "Phone": "Telefonas", "No display name": "Nėra rodomo vardo", - "New passwords don't match": "Nauji slaptažodžiai nesutampa", - "Passwords can't be empty": "Slaptažodžiai negali būti tušti", "Warning!": "Įspėjimas!", - "Do you want to set an email address?": "Ar norite nustatyti el. pašto adresą?", - "Current password": "Dabartinis slaptažodis", - "New Password": "Naujas slaptažodis", "Failed to set display name": "Nepavyko nustatyti rodomo vardo", "Failed to mute user": "Nepavyko nutildyti vartotojo", "Are you sure?": "Ar tikrai?", @@ -105,8 +97,6 @@ "Error decrypting video": "Klaida iššifruojant vaizdo įrašą", "Copied!": "Nukopijuota!", "Failed to copy": "Nepavyko nukopijuoti", - "A text message has been sent to %(msisdn)s": "Tekstinė žinutė buvo išsiųsta į %(msisdn)s", - "Please enter the code it contains:": "Įveskite joje esantį kodą:", "Email address": "El. pašto adresas", "Something went wrong!": "Kažkas nutiko!", "Delete Widget": "Ištrinti valdiklį", @@ -126,7 +116,6 @@ "Uploading %(filename)s": "Įkeliamas %(filename)s", "Unable to remove contact information": "Nepavyko pašalinti kontaktinės informacijos", "": "", - "Check for update": "Tikrinti, ar yra atnaujinimų", "Reject all %(invitedRooms)s invites": "Atmesti visus %(invitedRooms)s pakvietimus", "You may need to manually permit %(brand)s to access your microphone/webcam": "Jums gali tekti rankiniu būdu duoti leidimą %(brand)s prieigai prie mikrofono/kameros", "No Audio Outputs detected": "Neaptikta jokių garso išvesčių", @@ -134,9 +123,7 @@ "No Webcams detected": "Neaptikta jokių kamerų", "Default Device": "Numatytasis įrenginys", "Audio Output": "Garso išvestis", - "Email": "El. paštas", "Profile": "Profilis", - "Account": "Paskyra", "A new password must be entered.": "Privalo būti įvestas naujas slaptažodis.", "New passwords must match each other.": "Nauji slaptažodžiai privalo sutapti.", "Return to login screen": "Grįžti į prisijungimą", @@ -167,21 +154,16 @@ "Your browser does not support the required cryptography extensions": "Jūsų naršyklė nepalaiko reikalingų kriptografijos plėtinių", "Not a valid %(brand)s keyfile": "Negaliojantis %(brand)s rakto failas", "Authentication check failed: incorrect password?": "Autentifikavimo patikra nepavyko: neteisingas slaptažodis?", - "Change Password": "Keisti Slaptažodį", "Authentication": "Autentifikavimas", "Forget room": "Pamiršti kambarį", "Share room": "Bendrinti kambarį", "Please contact your homeserver administrator.": "Susisiekite su savo serverio administratoriumi.", - "Confirm password": "Patvirtinkite slaptažodį", "Demote yourself?": "Pažeminti save?", "Demote": "Pažeminti", "Share Link to User": "Dalintis nuoroda į vartotoją", "The conversation continues here.": "Pokalbis tęsiasi čia.", - "This room is not accessible by remote Matrix servers": "Šis kambarys nėra pasiekiamas nuotoliniams Matrix serveriams", "Only room administrators will see this warning": "Šį įspėjimą matys tik kambario administratoriai", "Invalid file%(extra)s": "Neteisingas failas %(extra)s", - "Token incorrect": "Neteisingas prieigos raktas", - "Sign in with": "Prisijungti naudojant", "Create new room": "Sukurti naują kambarį", "collapse": "suskleisti", "expand": "išskleisti", @@ -198,7 +180,6 @@ "Missing roomId.": "Trūksta kambario ID.", "This homeserver has hit its Monthly Active User limit.": "Šis serveris pasiekė savo mėnesinį aktyvių vartotojų limitą.", "This homeserver has exceeded one of its resource limits.": "Šis serveris viršijo vieno iš savo išteklių limitą.", - "Export E2E room keys": "Eksportuoti E2E (visapusio šifravimo) kambarių raktus", "Unignore": "Nebeignoruoti", "and %(count)s others...": { "other": "ir %(count)s kitų...", @@ -220,7 +201,6 @@ "Unknown server error": "Nežinoma serverio klaida", "Delete Backup": "Ištrinti Atsarginę Kopiją", "Set up": "Nustatyti", - "Start authentication": "Pradėti tapatybės nustatymą", "Preparing to send logs": "Ruošiamasi išsiųsti žurnalus", "Incompatible Database": "Nesuderinama duomenų bazė", "Deactivate Account": "Deaktyvuoti Paskyrą", @@ -233,8 +213,6 @@ "Unable to restore backup": "Nepavyko atkurti atsarginės kopijos", "No backup found!": "Nerasta jokios atsarginės kopijos!", "Failed to decrypt %(failedCount)s sessions!": "Nepavyko iššifruoti %(failedCount)s seansų!", - "Signed Out": "Atsijungta", - "For security, this session has been signed out. Please sign in again.": "Saugumo sumetimais, šis seansas buvo atjungtas. Prisijunkite dar kartą.", "Add Email Address": "Pridėti El. Pašto Adresą", "Add Phone Number": "Pridėti Telefono Numerį", "Explore rooms": "Žvalgyti kambarius", @@ -304,7 +282,6 @@ "Are you sure you want to leave the room '%(roomName)s'?": "Ar tikrai norite išeiti iš kambario %(roomName)s?", "General failure": "Bendras triktis", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (galia %(powerLevelNumber)s)", - "Enter username": "Įveskite vartotojo vardą", "Create account": "Sukurti paskyrą", "Change identity server": "Pakeisti tapatybės serverį", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Jūs neturėsite galimybės atšaukti šio keitimo, kadangi jūs žeminate savo privilegijas kambaryje. Jei jūs esate paskutinis privilegijuotas vartotojas kambaryje, atgauti privilegijas bus neįmanoma.", @@ -369,9 +346,6 @@ "Email Address": "El. pašto adresas", "Homeserver URL does not appear to be a valid Matrix homeserver": "Serverio adresas neatrodo esantis tinkamas Matrix serveris", "Setting up keys": "Raktų nustatymas", - "Confirm your identity by entering your account password below.": "Patvirtinkite savo tapatybę žemiau įvesdami savo paskyros slaptažodį.", - "Use an email address to recover your account": "Naudokite el. pašto adresą, kad prireikus galėtumėte atgauti paskyrą", - "Passwords don't match": "Slaptažodžiai nesutampa", "That matches!": "Tai sutampa!", "That doesn't match.": "Tai nesutampa.", "Your password has been reset.": "Jūsų slaptažodis buvo iš naujo nustatytas.", @@ -379,9 +353,7 @@ "New login. Was this you?": "Naujas prisijungimas. Ar tai jūs?", "Verify your other session using one of the options below.": "Patvirtinkite savo kitą seansą naudodami vieną iš žemiau esančių parinkčių.", "Restore from Backup": "Atkurti iš Atsarginės Kopijos", - "Cryptography": "Kriptografija", "Voice & Video": "Garsas ir Vaizdas", - "Encryption": "Šifravimas", "Deactivate user?": "Deaktyvuoti vartotoją?", "Deactivate user": "Deaktyvuoti vartotoją", "Failed to deactivate user": "Nepavyko deaktyvuoti vartotojo", @@ -408,8 +380,6 @@ "Are you sure you want to deactivate your account? This is irreversible.": "Ar tikrai norite deaktyvuoti savo paskyrą? Tai yra negrįžtama.", "Are you sure you want to sign out?": "Ar tikrai norite atsijungti?", "Are you sure you want to reject the invitation?": "Ar tikrai norite atmesti pakvietimą?", - "Nice, strong password!": "Puiku, stiprus slaptažodis!", - "Old cryptography data detected": "Aptikti seni kriptografijos duomenys", "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Atnaujinkite šį seansą, kad jam būtų leista patvirtinti kitus seansus, suteikiant jiems prieigą prie šifruotų žinučių ir juos pažymint kaip patikimus kitiems vartotojams.", "Use Single Sign On to continue": "Norėdami tęsti naudokite Vieną Prisijungimą", "Confirm adding this email address by using Single Sign On to prove your identity.": "Patvirtinkite šio el. pašto adreso pridėjimą naudodami Vieną Prisijungimą, kad įrodytumėte savo tapatybę.", @@ -429,7 +399,6 @@ "Enter a new identity server": "Pridėkite naują tapatybės serverį", "Manage integrations": "Valdyti integracijas", "Phone numbers": "Telefono numeriai", - "Language and region": "Kalba ir regionas", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Sutikite su tapatybės serverio (%(serverName)s) paslaugų teikimo sąlygomis, kad leistumėte kitiems rasti jus pagal el. pašto adresą ar telefono numerį.", "Discovery": "Radimas", "Discovery options will appear once you have added an email above.": "Radimo parinktys atsiras jums aukščiau pridėjus el. pašto adresą.", @@ -441,14 +410,10 @@ "Room Topic": "Kambario Tema", "Your theme": "Jūsų tema", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Valdiklio ištrinimas pašalina jį visiems kambaryje esantiems vartotojams. Ar tikrai norite ištrinti šį valdiklį?", - "Enter phone number (required on this homeserver)": "Įveskite telefono numerį (privaloma šiame serveryje)", "Invalid homeserver discovery response": "Klaidingas serverio radimo atsakas", "Invalid identity server discovery response": "Klaidingas tapatybės serverio radimo atsakas", "Double check that your server supports the room version chosen and try again.": "Dar kartą įsitikinkite, kad jūsų serveris palaiko pasirinktą kambario versiją ir bandykite iš naujo.", "Session already verified!": "Seansas jau patvirtintas!", - "Got It": "Supratau", - "Waiting for %(displayName)s to verify…": "Laukiama kol %(displayName)s patvirtins…", - "Cancelling…": "Atšaukiama…", "Dog": "Šuo", "Cat": "Katė", "Lion": "Liūtas", @@ -516,8 +481,6 @@ "Accept to continue:": "Sutikite su , kad tęstumėte:", "Your homeserver does not support cross-signing.": "Jūsų serveris nepalaiko kryžminio pasirašymo.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Jūsų paskyra slaptoje saugykloje turi kryžminio pasirašymo tapatybę, bet šis seansas dar ja nepasitiki.", - "Cross-signing public keys:": "Kryžminio pasirašymo vieši raktai:", - "Cross-signing private keys:": "Kryžminio pasirašymo privatūs raktai:", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Individualiai patikrinkite kiekvieną vartotojo naudojamą seansą, kad pažymėtumėte jį kaip patikimą, nepasitikint kryžminiu pasirašymu patvirtintais įrenginiais.", "wait and try again later": "palaukti ir bandyti vėliau dar kartą", "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Jei jūs nenorite naudoti serverio radimui ir tam, kad būtumėte randamas esamų, jums žinomų kontaktų, žemiau įveskite kitą tapatybės serverį.", @@ -551,8 +514,6 @@ "No media permissions": "Nėra medijos leidimų", "Almost there! Is %(displayName)s showing the same shield?": "Beveik atlikta! Ar %(displayName)s rodo tokį patį skydą?", "IRC display name width": "IRC rodomo vardo plotis", - "Verify this user by confirming the following emoji appear on their screen.": "Patvirtinkite šį vartotoją, įsitikindami, kad jo ekrane rodomas toliau esantis jaustukas.", - "⚠ These settings are meant for advanced users.": "⚠ Šie nustatymai yra skirti pažengusiems vartotojams.", "Room avatar": "Kambario pseudoportretas", "Verify by comparing unique emoji.": "Patvirtinti palyginant unikalius jaustukus.", "Verify by emoji": "Patvirtinti naudojant jaustukus", @@ -563,7 +524,6 @@ "Failed to reject invitation": "Nepavyko atmesti pakvietimo", "Can't leave Server Notices room": "Negalima išeiti iš Serverio Pranešimų kambario", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Šis kambarys yra naudojamas svarbioms žinutėms iš serverio, tad jūs negalite iš jo išeiti.", - "Terms and Conditions": "Taisyklės ir Sąlygos", "Reject & Ignore user": "Atmesti ir ignoruoti vartotoją", "Reject invitation": "Atmesti pakvietimą", "You can only join it with a working invite.": "Jūs galite prisijungti tik su veikiančiu pakvietimu.", @@ -571,7 +531,6 @@ "%(name)s is requesting verification": "%(name)s prašo patvirtinimo", "Ask this user to verify their session, or manually verify it below.": "Paprašykite šio vartotojo patvirtinti savo seansą, arba patvirtinkite jį rankiniu būdu žemiau.", "Encryption upgrade available": "Galimas šifravimo atnaujinimas", - "Verify this user by confirming the following number appears on their screen.": "Patvirtinkite šį vartotoją, įsitikindami, kad jo ekrane rodomas toliau esantis skaičius.", "Please enter verification code sent via text.": "Įveskite patvirtinimo kodą išsiųstą teksto žinute.", "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Teksto žinutė buvo išsiųsta numeriu +%(msisdn)s. Įveskite joje esantį patvirtinimo kodą.", "Low priority": "Žemo prioriteto", @@ -603,17 +562,8 @@ "Identity server URL does not appear to be a valid identity server": "Tapatybės serverio URL neatrodo kaip tinkamas tapatybės serveris", "well formed": "gerai suformuotas", "unexpected type": "netikėto tipo", - "in memory": "atmintyje", - "not found": "nerasta", - "in secret storage": "slaptoje saugykloje", - "Self signing private key:": "Savarankiško pasirašymo privatus raktas:", - "cached locally": "lokaliame podėlyje", - "not found locally": "lokaliai nerasta", - "User signing private key:": "Vartotojo pasirašymo privatus raktas:", "Secret storage public key:": "Slaptos saugyklos viešas raktas:", "in account data": "paskyros duomenyse", - "Homeserver feature support:": "Serverio funkcijų palaikymas:", - "exists": "yra", "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Šis seansas nekuria atsarginių raktų kopijų, bet jūs jau turite atsarginę kopiją iš kurios galite atkurti ir pridėti.", "All keys backed up": "Atsarginės kopijos sukurtos visiems raktams", "This backup is trusted because it has been restored on this session": "Ši atsarginė kopija yra patikima, nes buvo atkurta šiame seanse", @@ -632,9 +582,6 @@ "The integration manager is offline or it cannot reach your homeserver.": "Integracijų tvarkytuvas yra išjungtas arba negali pasiekti jūsų serverio.", "Disconnect anyway": "Vis tiek atsijungti", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Norėdami pranešti apie su Matrix susijusią saugos problemą, perskaitykite Matrix.org Saugumo Atskleidimo Poliiką.", - "Import E2E room keys": "Importuoti E2E (visapusio šifravimo) kambarių raktus", - "Session ID:": "Seanso ID:", - "Session key:": "Seanso raktas:", "Failed to connect to integration manager": "Nepavyko prisijungti prie integracijų tvarkytuvo", "Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Pasakyite mums kas nutiko, arba, dar geriau, sukurkite GitHub problemą su jos apibūdinimu.", "Before submitting logs, you must create a GitHub issue to describe your problem.": "Prieš pateikiant žurnalus jūs turite sukurti GitHub problemą, kad apibūdintumėte savo problemą.", @@ -650,10 +597,6 @@ "Are you sure you want to cancel entering passphrase?": "Ar tikrai norite atšaukti slaptafrazės įvedimą?", "All settings": "Visi nustatymai", "Change notification settings": "Keisti pranešimų nustatymus", - "View older messages in %(roomName)s.": "Peržiūrėti senesnes žinutes %(roomName)s.", - "Room version:": "Kambario versija:", - "Room version": "Kambario versija", - "Upgrade this room to the recommended room version": "Atnaujinti šį kambarį į rekomenduojamą kambario versiją", "Room information": "Kambario informacija", "Browse": "Naršyti", "Set a new custom sound": "Nustatyti naują pasirinktinį garsą", @@ -664,7 +607,6 @@ "Unencrypted": "Neužšifruota", "Encrypted by an unverified session": "Užšifruota nepatvirtinto seanso", "Securely cache encrypted messages locally for them to appear in search results.": "Šifruotas žinutes saugiai talpinkite lokaliai, kad jos būtų rodomos paieškos rezultatuose.", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Saugios žinutės su šiuo vartotoju yra visapusiškai užšifruotos ir negali būti perskaitytos trečiųjų šalių.", "Safeguard against losing access to encrypted messages & data": "Apsisaugokite nuo prieigos prie šifruotų žinučių ir duomenų praradimo", "Main address": "Pagrindinis adresas", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Atnaujinant pagrindinį kambario adresą įvyko klaida. Gali būti, kad serveris to neleidžia arba įvyko laikina klaida.", @@ -694,7 +636,6 @@ "Re-join": "Prisijungti iš naujo", "Join the conversation with an account": "Prisijunkite prie pokalbio su paskyra", "Join Room": "Prisijungti prie kambario", - "Subscribing to a ban list will cause you to join it!": "Užsiprenumeravus draudimų sąrašą, būsite prie jo prijungtas!", "You have ignored this user, so their message is hidden. Show anyways.": "Jūs ignoravote šį vartotoją, todėl jo žinutė yra paslėpta. Rodyti vistiek.", "Show Widgets": "Rodyti Valdiklius", "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "Neleisti vartotojams kalbėti senoje kambario versijoje ir paskelbti pranešimą, kuriame vartotojams patariama persikelti į naują kambarį", @@ -703,7 +644,6 @@ "Upgrade Room Version": "Atnaujinti Kambario Versiją", "Upgrade this room to version %(version)s": "Atnaujinti šį kambarį į %(version)s versiją", "Put a link back to the old room at the start of the new room so people can see old messages": "Naujojo kambario pradžioje įdėkite nuorodą į senąjį kambarį, kad žmonės galėtų matyti senas žinutes", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Žmonių ignoravimas atliekamas naudojant draudimų sąrašus, kuriuose yra taisyklės, nurodančios kas turi būti draudžiami. Užsiprenumeravus draudimų sąrašą, vartotojai/serveriai, užblokuoti šio sąrašo, bus nuo jūsų paslėpti.", "The call was answered on another device.": "Į skambutį buvo atsiliepta kitame įrenginyje.", "Answered Elsewhere": "Atsiliepta Kitur", "The call could not be established": "Nepavyko pradėti skambučio", @@ -733,28 +673,8 @@ "Video conference started by %(senderName)s": "%(senderName)s pradėjo video konferenciją", "Video conference updated by %(senderName)s": "%(senderName)s atnaujino video konferenciją", "Video conference ended by %(senderName)s": "%(senderName)s užbaigė video konferenciją", - "Room ID or address of ban list": "Kambario ID arba draudimų sąrašo adresas", - "If this isn't what you want, please use a different tool to ignore users.": "Jei tai nėra ko jūs norite, naudokite kitą įrankį vartotojams ignoruoti.", - "Subscribed lists": "Prenumeruojami sąrašai", - "eg: @bot:* or example.org": "pvz.: @botas:* arba pavyzdys.org", - "Server or user ID to ignore": "Norimo ignoruoti serverio arba vartotojo ID", - "Personal ban list": "Asmeninis draudimų sąrašas", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Čia pridėkite vartotojus ir serverius, kuriuos norite ignoruoti. Naudokite žvaigždutes, kad %(brand)s atitiktų bet kokius simbolius. Pavyzdžiui, @botas:* ignoruotų visus vartotojus, turinčius vardą 'botas' bet kuriame serveryje.", "Ignored users": "Ignoruojami vartotojai", - "View rules": "Peržiūrėti taisykles", - "You have not ignored anyone.": "Jūs nieko neignoruojate.", - "User rules": "Vartotojo taisyklės", - "Server rules": "Serverio taisyklės", - "Ban list rules - %(roomName)s": "Draudimo sąrašo taisyklės - %(roomName)s", "None": "Nė vienas", - "Please try again or view your console for hints.": "Bandykite dar kartą arba peržiūrėkite konsolę, kad rastumėte užuominų.", - "Error unsubscribing from list": "Klaida atsisakant sąrašo prenumeratos", - "Error removing ignored user/server": "Klaida pašalinant ignoruojamą vartotoją/serverį", - "Error subscribing to list": "Klaida užsiprenumeruojant sąrašą", - "Something went wrong. Please try again or view your console for hints.": "Kažkas ne taip. Bandykite dar kartą arba peržiūrėkite konsolę, kad rastumėte užuominų.", - "Error adding ignored user/server": "Klaida pridedant ignoruojamą vartotoją/serverį", - "Ignored/Blocked": "Ignoruojami/Blokuojami", - "New version available. Update now.": "Galima nauja versija. Atnaujinti dabar.", "You should:": "Jūs turėtumėte:", "Checking server": "Tikrinamas serveris", "not ready": "neparuošta", @@ -774,34 +694,21 @@ "Your area is experiencing difficulties connecting to the internet.": "Jūsų vietovėje kyla sunkumų prisijungiant prie interneto.", "Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "Jūsų serveris neatsako į kai kurias jūsų užklausas. Žemiau pateikiamos kelios labiausiai tikėtinos priežastys.", "Your messages are not secure": "Jūsų žinutės nėra saugios", - "You are currently subscribed to:": "Šiuo metu esate užsiprenumeravę:", - "You are not subscribed to any lists": "Nesate užsiprenumeravę jokių sąrašų", - "You are currently ignoring:": "Šiuo metu ignoruojate:", "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Ar tikrai? Jūs prarasite savo šifruotas žinutes, jei jūsų raktams nebus tinkamai sukurtos atsarginės kopijos.", "Your keys are not being backed up from this session.": "Jūsų raktams nėra daromos atsarginės kopijos iš šio seanso.", - "You have %(count)s unread notifications in a prior version of this room.": { - "one": "Jūs turite %(count)s neperskaitytą pranešimą ankstesnėje šio kambario versijoje.", - "other": "Jūs turite %(count)s neperskaitytus(-ų) pranešimus(-ų) ankstesnėje šio kambario versijoje." - }, "Favourited": "Mėgstamas", "Room options": "Kambario parinktys", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s negali saugiai talpinti šifruotų žinučių lokaliai, kai veikia interneto naršyklėje. Naudokite %(brand)s Desktop (darbastalio versija), kad šifruotos žinutės būtų rodomos paieškos rezultatuose.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s trūksta kai kurių komponentų, reikalingų saugiai talpinti šifruotas žinutes lokaliai. Jei norite eksperimentuoti su šia funkcija, sukurkite pasirinktinį %(brand)s Desktop (darbastalio versiją), su pridėtais paieškos komponentais.", - "Master private key:": "Pagrindinis privatus raktas:", - "not found in storage": "saugykloje nerasta", "Cross-signing is not set up.": "Kryžminis pasirašymas nenustatytas.", "Cross-signing is ready for use.": "Kryžminis pasirašymas yra paruoštas naudoti.", - "This bridge is managed by .": "Šis tiltas yra tvarkomas .", - "This bridge was provisioned by .": "Šis tiltas buvo parūpintas .", "Your server isn't responding to some requests.": "Jūsų serveris neatsako į kai kurias užklausas.", - "Unable to find a supported verification method.": "Nepavyko rasti palaikomo patvirtinimo metodo.", "If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Jei kita %(brand)s versija vis dar yra atidaryta kitame skirtuke, uždarykite jį, nes %(brand)s naudojimas tame pačiame serveryje, tuo pačiu metu įjungus ir išjungus tingų įkėlimą, sukelks problemų.", "You've previously used %(brand)s on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, %(brand)s needs to resync your account.": "Jūs anksčiau naudojote %(brand)s ant %(host)s įjungę tingų narių įkėlimą. Šioje versijoje tingus įkėlimas yra išjungtas. Kadangi vietinė talpykla nesuderinama tarp šių dviejų nustatymų, %(brand)s reikia iš naujo sinchronizuoti jūsų paskyrą.", "You don't currently have any stickerpacks enabled": "Jūs šiuo metu neturite jokių įjungtų lipdukų paketų", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Patvirtinant šį vartotoją, jo seansas bus pažymėtas kaip patikimas, taip pat jūsų seansas bus pažymėtas kaip patikimas jam.", "Verify the link in your inbox": "Patvirtinkite nuorodą savo el. pašto dėžutėje", "Click the link in the email you received to verify and then click continue again.": "Paspauskite nuorodą gautame el. laiške, kad patvirtintumėte, tada dar kartą spustelėkite tęsti.", - "Please verify the room ID or address and try again.": "Patikrinkite kambario ID arba adresą ir bandykite dar kartą.", "Accept all %(invitedRooms)s invites": "Priimti visus %(invitedRooms)s pakvietimus", "Bulk options": "Grupinės parinktys", "Confirm Security Phrase": "Patvirtinkite Slaptafrazę", @@ -813,8 +720,6 @@ "You've previously used a newer version of %(brand)s with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "Anksčiau šiame seanse naudojote naujesnę %(brand)s versiją. Norėdami vėl naudoti šią versiją su visapusiu šifravimu, turėsite atsijungti ir prisijungti iš naujo.", "To avoid losing your chat history, you must export your room keys before logging out. You will need to go back to the newer version of %(brand)s to do this": "Tam, kad neprarastumėte savo pokalbių istorijos, prieš atsijungdami turite eksportuoti kambario raktus. Norėdami tai padaryti, turėsite grįžti į naujesnę %(brand)s versiją", "Someone is using an unknown session": "Kažkas naudoja nežinomą seansą", - "Please review and accept the policies of this homeserver:": "Peržiūrėkite ir sutikite su šio serverio politika:", - "Please review and accept all of the homeserver's policies": "Peržiūrėkite ir sutikite su visa serverio politika", "This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please report a bug.": "Paprastai tai turi įtakos tik kambario apdorojimui serveryje. Jei jūs turite problemų su savo %(brand)s, praneškite apie klaidą.", "Invite someone using their name, email address, username (like ) or share this room.": "Pakviesti ką nors, naudojant jų vardą, el. pašto adresą, vartotojo vardą (pvz.: ) arba bendrinti šį kambarį.", "Azerbaijan": "Azerbaidžanas", @@ -987,7 +892,6 @@ "Upgrade private room": "Atnaujinti privatų kambarį", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Įspėjame, kad nepridėję el. pašto ir pamiršę slaptažodį galite visam laikui prarasti prieigą prie savo paskyros.", "Continuing without email": "Tęsiama be el. pašto", - "Doesn't look like a valid email address": "Neatrodo kaip tinkamas el. pašto adresas", "Data on this screen is shared with %(widgetDomain)s": "Duomenimis šiame ekrane yra dalinamasi su %(widgetDomain)s", "Message edits": "Žinutės redagavimai", "Your homeserver doesn't seem to support this feature.": "Panašu, kad jūsų namų serveris nepalaiko šios galimybės.", @@ -1104,7 +1008,6 @@ }, "Upgrade required": "Reikalingas atnaujinimas", "Decide who can view and join %(spaceName)s.": "Nuspręskite kas gali peržiūrėti ir prisijungti prie %(spaceName)s.", - "Channel: ": "Kanalas: ", "Visibility": "Matomumas", "Jump to first unread room.": "Peršokti į pirmą neperskaitytą kambarį.", "Jump to first invite.": "Peršokti iki pirmo pakvietimo.", @@ -1242,10 +1145,7 @@ "Bridges": "Tiltai", "This room is bridging messages to the following platforms. Learn more.": "Šiame kambaryje žinutės perduodamos šioms platformoms. Sužinokite daugiau.", "This room isn't bridging messages to any platforms. Learn more.": "Šis kambarys neperduoda žinučių jokioms platformoms. Sužinokite daugiau.", - "Internal room ID": "Vidinis kambario ID", "Space information": "Erdvės informacija", - "View older version of %(spaceName)s.": "Peržiūrėti senesnę %(spaceName)s versiją.", - "Upgrade this space to the recommended room version": "Atnaujinkite šią erdvę į rekomenduojamą kambario versiją", "Request media permissions": "Prašyti medijos leidimų", "Missing media permissions, click the button below to request.": "Trūksta medijos leidimų, spustelėkite toliau esantį mygtuką kad pateikti užklausą.", "Group all your rooms that aren't part of a space in one place.": "Sugrupuokite visus kambarius, kurie nėra erdvės dalis, į vieną vietą.", @@ -1262,7 +1162,6 @@ "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Bendrinti anoniminius duomenis, kurie padės mums nustatyti problemas. Nieko asmeniško. Jokių trečiųjų šalių.", "You have no ignored users.": "Nėra ignoruojamų naudotojų.", "Deactivating your account is a permanent action — be careful!": "Paskyros deaktyvavimas yra negrįžtamas veiksmas — būkite atsargūs!", - "Spell check": "Rašybos tikrinimas", "Your password was successfully changed.": "Jūsų slaptažodis sėkmingai pakeistas.", "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Pasidarykite šifravimo raktų ir paskyros duomenų atsarginę kopiją, jei prarastumėte prieigą prie sesijų. Jūsų raktai bus apsaugoti unikaliu saugumo raktu.", "There was an error loading your notification settings.": "Įkeliant pranešimų nustatymus įvyko klaida.", @@ -1288,7 +1187,6 @@ "other": "Saugiai talpinkite užšifruotas žinutes vietoje, kad jos būtų rodomos paieškos rezultatuose, naudojant %(size)s žinutėms iš %(rooms)s kambarių saugoti." }, "Cross-signing is ready but keys are not backed up.": "Kryžminis pasirašymas paruoštas, tačiau raktai neturi atsarginės kopijos.", - "Workspace: ": "Darbo aplinka: ", "Space options": "Erdvės parinktys", "Recommended for public spaces.": "Rekomenduojama viešosiose erdvėse.", "Allow people to preview your space before they join.": "Leisti žmonėms peržiūrėti jūsų erdvę prieš prisijungiant.", @@ -1339,10 +1237,6 @@ "Match system": "Atitikti sistemą", "Pin to sidebar": "Prisegti prie šoninės juostos", "Quick settings": "Greiti nustatymai", - "Waiting for you to verify on your other device…": "Laukiame, kol patvirtinsite kitame įrenginyje…", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Laukiama, kol patvirtinsite kitame įrenginyje, %(deviceName)s (%(deviceId)s)…", - "Verify this device by confirming the following number appears on its screen.": "Patvirtinkite šį prietaisą patvirtindami, kad jo ekrane rodomas šis numeris.", - "Confirm the emoji below are displayed on both devices, in the same order:": "Patvirtinkite, kad toliau pateikti jaustukai rodomi abiejuose prietaisuose ta pačia tvarka:", "Show sidebar": "Rodyti šoninę juostą", "Hide sidebar": "Slėpti šoninę juostą", "unknown person": "nežinomas asmuo", @@ -1444,7 +1338,6 @@ "Empty room": "Tuščias kambarys", "Public rooms": "Vieši kambariai", "Search for": "Ieškoti", - "Original event source": "Originalus įvykio šaltinis", "View source": "Peržiūrėti šaltinį", "Unable to copy a link to the room to the clipboard.": "Nepavyko nukopijuoti nuorodos į kambarį į iškarpinę.", "Unable to copy room link": "Nepavyko nukopijuoti kambario nurodos", @@ -1652,7 +1545,11 @@ "automatic_debug_logs_key_backup": "Automatiškai siųsti derinimo žurnalus, kai neveikia atsarginė raktų kopija", "automatic_debug_logs_decryption": "Automatiškai siųsti derinimo žurnalus apie iššifravimo klaidas", "automatic_debug_logs": "Automatiškai siųsti derinimo žurnalus esant bet kokiai klaidai", - "video_rooms_beta": "Vaizdo kambariai yra beta funkcija" + "video_rooms_beta": "Vaizdo kambariai yra beta funkcija", + "bridge_state_creator": "Šis tiltas buvo parūpintas .", + "bridge_state_manager": "Šis tiltas yra tvarkomas .", + "bridge_state_workspace": "Darbo aplinka: ", + "bridge_state_channel": "Kanalas: " }, "keyboard": { "home": "Pradžia", @@ -1890,7 +1787,26 @@ "strict_encryption": "Niekada nesiųsti šifruotų žinučių nepatvirtintiems seansams iš šio seanso", "enable_message_search": "Įjungti žinučių paiešką užšifruotuose kambariuose", "message_search_sleep_time": "Kaip greitai žinutės turi būti parsiųstos.", - "manually_verify_all_sessions": "Rankiniu būdu patvirtinti visus nuotolinius seansus" + "manually_verify_all_sessions": "Rankiniu būdu patvirtinti visus nuotolinius seansus", + "cross_signing_public_keys": "Kryžminio pasirašymo vieši raktai:", + "cross_signing_in_memory": "atmintyje", + "cross_signing_not_found": "nerasta", + "cross_signing_private_keys": "Kryžminio pasirašymo privatūs raktai:", + "cross_signing_in_4s": "slaptoje saugykloje", + "cross_signing_not_in_4s": "saugykloje nerasta", + "cross_signing_master_private_Key": "Pagrindinis privatus raktas:", + "cross_signing_cached": "lokaliame podėlyje", + "cross_signing_not_cached": "lokaliai nerasta", + "cross_signing_self_signing_private_key": "Savarankiško pasirašymo privatus raktas:", + "cross_signing_user_signing_private_key": "Vartotojo pasirašymo privatus raktas:", + "cross_signing_homeserver_support": "Serverio funkcijų palaikymas:", + "cross_signing_homeserver_support_exists": "yra", + "export_megolm_keys": "Eksportuoti E2E (visapusio šifravimo) kambarių raktus", + "import_megolm_keys": "Importuoti E2E (visapusio šifravimo) kambarių raktus", + "cryptography_section": "Kriptografija", + "session_id": "Seanso ID:", + "session_key": "Seanso raktas:", + "encryption_section": "Šifravimas" }, "preferences": { "room_list_heading": "Kambarių sąrašas", @@ -1961,6 +1877,11 @@ "one": "Atjungti įrenginį" }, "security_recommendations": "Saugumo rekomendacijos" + }, + "general": { + "account_section": "Paskyra", + "language_section": "Kalba ir regionas", + "spell_check_section": "Rašybos tikrinimas" } }, "devtools": { @@ -1981,7 +1902,8 @@ "widget_screenshots": "Įjungti valdiklių ekrano kopijas palaikomuose valdikliuose", "title": "Kūrėjo įrankiai", "show_hidden_events": "Rodyti paslėptus įvykius laiko juostoje", - "developer_mode": "Kūrėjo režimas" + "developer_mode": "Kūrėjo režimas", + "original_event_source": "Originalus įvykio šaltinis" }, "export_chat": { "html": "HTML", @@ -2454,6 +2376,16 @@ "url_preview_encryption_warning": "Šifruotuose kambariuose, tokiuose kaip šis, URL nuorodų peržiūros pagal numatymą yra išjungtos, kad būtų užtikrinta, jog jūsų serveris (kur yra generuojamos peržiūros) negali rinkti informacijos apie jūsų šiame kambaryje peržiūrėtas nuorodas.", "url_preview_explainer": "Kai kas nors į savo žinutę įtraukia URL, gali būti rodoma URL peržiūra, suteikianti daugiau informacijos apie tą nuorodą, tokios kaip pavadinimas, aprašymas ir vaizdas iš svetainės.", "url_previews_section": "URL nuorodų peržiūros" + }, + "advanced": { + "unfederated": "Šis kambarys nėra pasiekiamas nuotoliniams Matrix serveriams", + "space_upgrade_button": "Atnaujinkite šią erdvę į rekomenduojamą kambario versiją", + "room_upgrade_button": "Atnaujinti šį kambarį į rekomenduojamą kambario versiją", + "space_predecessor": "Peržiūrėti senesnę %(spaceName)s versiją.", + "room_predecessor": "Peržiūrėti senesnes žinutes %(roomName)s.", + "room_id": "Vidinis kambario ID", + "room_version_section": "Kambario versija", + "room_version": "Kambario versija:" } }, "encryption": { @@ -2469,8 +2401,20 @@ "sas_prompt": "Palyginkite unikalius jaustukus", "sas_description": "Palyginkite unikalų jaustukų rinkinį, jei neturite fotoaparato nei viename įrenginyje", "qr_or_sas": "%(qrCode)s arba %(emojiCompare)s", - "qr_or_sas_header": "Patvirtinkite šį įrenginį atlikdami vieną iš toliau nurodytų veiksmų:" - } + "qr_or_sas_header": "Patvirtinkite šį įrenginį atlikdami vieną iš toliau nurodytų veiksmų:", + "explainer": "Saugios žinutės su šiuo vartotoju yra visapusiškai užšifruotos ir negali būti perskaitytos trečiųjų šalių.", + "complete_action": "Supratau", + "sas_emoji_caption_self": "Patvirtinkite, kad toliau pateikti jaustukai rodomi abiejuose prietaisuose ta pačia tvarka:", + "sas_emoji_caption_user": "Patvirtinkite šį vartotoją, įsitikindami, kad jo ekrane rodomas toliau esantis jaustukas.", + "sas_caption_self": "Patvirtinkite šį prietaisą patvirtindami, kad jo ekrane rodomas šis numeris.", + "sas_caption_user": "Patvirtinkite šį vartotoją, įsitikindami, kad jo ekrane rodomas toliau esantis skaičius.", + "unsupported_method": "Nepavyko rasti palaikomo patvirtinimo metodo.", + "waiting_other_device_details": "Laukiama, kol patvirtinsite kitame įrenginyje, %(deviceName)s (%(deviceId)s)…", + "waiting_other_device": "Laukiame, kol patvirtinsite kitame įrenginyje…", + "waiting_other_user": "Laukiama kol %(displayName)s patvirtins…", + "cancelling": "Atšaukiama…" + }, + "old_version_detected_title": "Aptikti seni kriptografijos duomenys" }, "emoji": { "category_frequently_used": "Dažnai Naudojama", @@ -2538,7 +2482,34 @@ "server_picker_learn_more": "Apie namų serverius", "incorrect_credentials": "Neteisingas vartotojo vardas ir/arba slaptažodis.", "registration_username_validation": "Naudokite tik mažąsias raides, brūkšnelius ir pabraukimus", - "phone_label": "Telefonas" + "phone_label": "Telefonas", + "session_logged_out_title": "Atsijungta", + "session_logged_out_description": "Saugumo sumetimais, šis seansas buvo atjungtas. Prisijunkite dar kartą.", + "change_password_mismatch": "Nauji slaptažodžiai nesutampa", + "change_password_empty": "Slaptažodžiai negali būti tušti", + "set_email_prompt": "Ar norite nustatyti el. pašto adresą?", + "change_password_confirm_label": "Patvirtinkite slaptažodį", + "change_password_confirm_invalid": "Slaptažodžiai nesutampa", + "change_password_current_label": "Dabartinis slaptažodis", + "change_password_new_label": "Naujas slaptažodis", + "change_password_action": "Keisti Slaptažodį", + "email_field_label": "El. paštas", + "email_field_label_invalid": "Neatrodo kaip tinkamas el. pašto adresas", + "uia": { + "password_prompt": "Patvirtinkite savo tapatybę žemiau įvesdami savo paskyros slaptažodį.", + "terms_invalid": "Peržiūrėkite ir sutikite su visa serverio politika", + "terms": "Peržiūrėkite ir sutikite su šio serverio politika:", + "msisdn_token_incorrect": "Neteisingas prieigos raktas", + "msisdn": "Tekstinė žinutė buvo išsiųsta į %(msisdn)s", + "msisdn_token_prompt": "Įveskite joje esantį kodą:", + "fallback_button": "Pradėti tapatybės nustatymą" + }, + "password_field_strong_label": "Puiku, stiprus slaptažodis!", + "username_field_required_invalid": "Įveskite vartotojo vardą", + "msisdn_field_label": "Telefonas", + "identifier_label": "Prisijungti naudojant", + "reset_password_email_field_description": "Naudokite el. pašto adresą, kad prireikus galėtumėte atgauti paskyrą", + "registration_msisdn_field_required_invalid": "Įveskite telefono numerį (privaloma šiame serveryje)" }, "room_list": { "sort_unread_first": "Pirmiausia rodyti kambarius su neperskaitytomis žinutėmis", @@ -2660,14 +2631,45 @@ "see_changes_button": "Kas naujo?", "release_notes_toast_title": "Kas naujo", "toast_title": "Atnaujinti %(brand)s", - "toast_description": "Yra nauja %(brand)s versija" + "toast_description": "Yra nauja %(brand)s versija", + "error_encountered": "Susidurta su klaida (%(errorDetail)s).", + "no_update": "Nėra galimų atnaujinimų.", + "new_version_available": "Galima nauja versija. Atnaujinti dabar.", + "check_action": "Tikrinti, ar yra atnaujinimų" }, "theme": { "light_high_contrast": "Šviesi didelio kontrasto" }, "labs_mjolnir": { "room_name": "Mano Draudimų Sąrašas", - "room_topic": "Tai yra jūsų užblokuotų vartotojų/serverių sąrašas - neišeikite iš kambario!" + "room_topic": "Tai yra jūsų užblokuotų vartotojų/serverių sąrašas - neišeikite iš kambario!", + "ban_reason": "Ignoruojami/Blokuojami", + "error_adding_ignore": "Klaida pridedant ignoruojamą vartotoją/serverį", + "something_went_wrong": "Kažkas ne taip. Bandykite dar kartą arba peržiūrėkite konsolę, kad rastumėte užuominų.", + "error_adding_list_title": "Klaida užsiprenumeruojant sąrašą", + "error_adding_list_description": "Patikrinkite kambario ID arba adresą ir bandykite dar kartą.", + "error_removing_ignore": "Klaida pašalinant ignoruojamą vartotoją/serverį", + "error_removing_list_title": "Klaida atsisakant sąrašo prenumeratos", + "error_removing_list_description": "Bandykite dar kartą arba peržiūrėkite konsolę, kad rastumėte užuominų.", + "rules_title": "Draudimo sąrašo taisyklės - %(roomName)s", + "rules_server": "Serverio taisyklės", + "rules_user": "Vartotojo taisyklės", + "personal_empty": "Jūs nieko neignoruojate.", + "personal_section": "Šiuo metu ignoruojate:", + "no_lists": "Nesate užsiprenumeravę jokių sąrašų", + "view_rules": "Peržiūrėti taisykles", + "lists": "Šiuo metu esate užsiprenumeravę:", + "title": "Ignoruojami vartotojai", + "advanced_warning": "⚠ Šie nustatymai yra skirti pažengusiems vartotojams.", + "explainer_1": "Čia pridėkite vartotojus ir serverius, kuriuos norite ignoruoti. Naudokite žvaigždutes, kad %(brand)s atitiktų bet kokius simbolius. Pavyzdžiui, @botas:* ignoruotų visus vartotojus, turinčius vardą 'botas' bet kuriame serveryje.", + "explainer_2": "Žmonių ignoravimas atliekamas naudojant draudimų sąrašus, kuriuose yra taisyklės, nurodančios kas turi būti draudžiami. Užsiprenumeravus draudimų sąrašą, vartotojai/serveriai, užblokuoti šio sąrašo, bus nuo jūsų paslėpti.", + "personal_heading": "Asmeninis draudimų sąrašas", + "personal_new_label": "Norimo ignoruoti serverio arba vartotojo ID", + "personal_new_placeholder": "pvz.: @botas:* arba pavyzdys.org", + "lists_heading": "Prenumeruojami sąrašai", + "lists_description_1": "Užsiprenumeravus draudimų sąrašą, būsite prie jo prijungtas!", + "lists_description_2": "Jei tai nėra ko jūs norite, naudokite kitą įrankį vartotojams ignoruoti.", + "lists_new_label": "Kambario ID arba draudimų sąrašo adresas" }, "create_space": { "name_required": "Prašome įvesti pavadinimą šiai erdvei", @@ -2696,6 +2698,10 @@ "private_unencrypted_warning": "Jūsų asmeninės žinutės paprastai yra šifruojamos, tačiau šis kambarys nėra šifruojamas. Paprastai taip nutinka dėl nepalaikomo įrenginio arba naudojamo metodo, pvz., kvietimai el. paštu.", "enable_encryption_prompt": "Įjunkite šifravimą nustatymuose.", "unencrypted_warning": "Visapusis šifravimas nėra įjungtas" + }, + "unread_notifications_predecessor": { + "one": "Jūs turite %(count)s neperskaitytą pranešimą ankstesnėje šio kambario versijoje.", + "other": "Jūs turite %(count)s neperskaitytus(-ų) pranešimus(-ų) ankstesnėje šio kambario versijoje." } }, "file_panel": { @@ -2713,6 +2719,7 @@ "intro": "Norėdami tęsti, turite sutikti su šios paslaugos sąlygomis.", "column_service": "Paslauga", "column_summary": "Santrauka", - "column_document": "Dokumentas" + "column_document": "Dokumentas", + "tac_title": "Taisyklės ir Sąlygos" } } diff --git a/src/i18n/strings/lv.json b/src/i18n/strings/lv.json index cbd593df82..4ff1e241e8 100644 --- a/src/i18n/strings/lv.json +++ b/src/i18n/strings/lv.json @@ -1,5 +1,4 @@ { - "Account": "Konts", "Admin Tools": "Administratora rīki", "No Microphones detected": "Nav mikrofonu", "No Webcams detected": "Nav webkameru", @@ -15,20 +14,14 @@ "Are you sure you want to reject the invitation?": "Vai tiešām vēlaties noraidīt šo uzaicinājumu?", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Neizdodas savienoties ar bāzes serveri. Pārbaudi tīkla savienojumu un pārliecinies, ka bāzes servera SSL sertifikāts ir uzticams, kā arī pārlūkā instalētie paplašinājumi nebloķē pieprasījumus.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Neizdodas savienoties ar bāzes serveri izmantojot HTTP protokolu, kad pārlūka adreses laukā norādīts HTTPS protokols. Tā vietā izmanto HTTPS vai iespējo nedrošos skriptus.", - "Change Password": "Nomainīt paroli", - "Confirm password": "Apstipriniet paroli", - "Cryptography": "Kriptogrāfija", - "Current password": "Pašreizējā parole", "Custom level": "Pielāgots līmenis", "Deactivate Account": "Deaktivizēt kontu", "Decrypt %(text)s": "Atšifrēt %(text)s", "Default": "Noklusējuma", "Download %(text)s": "Lejupielādēt: %(text)s", - "Email": "Epasts", "Email address": "Epasta adrese", "Enter passphrase": "Ievadiet frāzveida paroli", "Error decrypting attachment": "Kļūda atšifrējot pielikumu", - "Export E2E room keys": "Eksportēt istabas šifrēšanas atslēgas", "Failed to ban user": "Neizdevās nobanot/bloķēt (liegt pieeju) lietotāju", "Failed to change password. Is your password correct?": "Neizdevās nomainīt paroli. Vai tā ir pareiza?", "Failed to change power level": "Neizdevās nomainīt statusa līmeni", @@ -47,22 +40,18 @@ "Favourite": "Izlase", "Filter room members": "Atfiltrēt istabas dalībniekus", "Forget room": "Aizmirst istabu", - "For security, this session has been signed out. Please sign in again.": "Drošības nolūkos šī sesija ir pārtraukta. Lūdzu, pieraksties par jaunu.", "Historical": "Bijušie", "Home": "Mājup", - "Import E2E room keys": "Importēt E2E istabas atslēgas", "Incorrect verification code": "Nepareizs verifikācijas kods", "Invalid Email Address": "Nepareiza epasta adrese", "Invalid file%(extra)s": "Nederīgs fails %(extra)s", "Invited": "Uzaicināts/a", - "Sign in with": "Pierakstīties ar", "Join Room": "Pievienoties istabai", "Jump to first unread message.": "Pāriet uz pirmo neizlasīto ziņu.", "Low priority": "Zema prioritāte", "Missing room_id in request": "Iztrūkstošs room_id pieprasījumā", "Missing user_id in request": "Iztrūkstošs user_id pieprasījumā", "Moderator": "Moderators", - "New passwords don't match": "Jaunās paroles nesakrīt", "New passwords must match each other.": "Jaunajām parolēm ir jāsakrīt vienai ar otru.", "not specified": "nav noteikts", "Notifications": "Paziņojumi", @@ -70,8 +59,6 @@ "No display name": "Nav parādāmā vārda", "No more results": "Vairāk nekādu rezultātu nav", "Operation failed": "Darbība neizdevās", - "Passwords can't be empty": "Paroles nevar būt tukšas", - "Phone": "Telefons", "Please check your email and click on the link it contains. Once this is done, click continue.": "Lūdzu, pārbaudi savu epastu un noklikšķini tajā esošo saiti. Tiklīdz tas ir izdarīts, klikšķini \"turpināt\".", "Profile": "Profils", "Reason": "Iemesls", @@ -104,15 +91,12 @@ "Server may be unavailable, overloaded, or search timed out :(": "Serveris izskatās nesasniedzams, ir pārslogots, vai arī meklēšana beigusies ar savienojuma noildzi :(", "Server may be unavailable, overloaded, or you hit a bug.": "Serveris ir nesasniedzams, pārslogots, vai arī esat saskārties ar kļūdu programmā.", "Session ID": "Sesijas ID", - "Signed Out": "Izrakstījās", - "Start authentication": "Sākt autentifikāciju", "This email address is already in use": "Šī epasta adrese jau tiek izmantota", "This email address was not found": "Šāda epasta adrese nav atrasta", "This room has no local addresses": "Šai istabai nav lokālo adrešu", "This room is not recognised.": "Šī istaba netika atpazīta.", "This doesn't appear to be a valid email address": "Šī neizskatās pēc derīgas epasta adreses", "This phone number is already in use": "Šis tālruņa numurs jau tiek izmantots", - "This room is not accessible by remote Matrix servers": "Šī istaba nav pieejama no citiem Matrix serveriem", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Notika mēģinājums specifisku posmu šīs istabas laika skalā, bet jums nav atļaujas skatīt konkrēto ziņu.", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Mēģinājums ielādēt šīs istabas čata vēstures izvēlēto posmu neizdevās, jo tas netika atrasts.", "Unable to add email address": "Neizdevās pievienot epasta adresi", @@ -153,7 +137,6 @@ "Dec": "Dec.", "Connectivity to the server has been lost.": "Savienojums ar serveri pārtrūka.", "Sent messages will be stored until your connection has returned.": "Sūtītās ziņas tiks saglabātas līdz brīdim, kad savienojums tiks atjaunots.", - "New Password": "Jaunā parole", "Passphrases must match": "Frāzveida parolēm ir jāsakrīt", "Passphrase must not be empty": "Frāzveida parole nevar būt tukša", "Export room keys": "Eksportēt istabas atslēgas", @@ -168,17 +151,13 @@ "Unknown error": "Nezināma kļūda", "Unable to restore session": "Neizdevās atjaunot sesiju", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Ja iepriekš izmantojāt jaunāku %(brand)s versiju, jūsu sesija var nebūt saderīga ar šo versiju. Aizveriet šo logu un atgriezieties jaunākajā versijā.", - "Token incorrect": "Nepareizs autentifikācijas tokens", - "Please enter the code it contains:": "Lūdzu, ievadiet tajā ietverto kodu:", "Error decrypting image": "Kļūda atšifrējot attēlu", "Error decrypting video": "Kļūda atšifrējot video", "Add an Integration": "Pievienot integrāciju", - "Check for update": "Pārbaudīt atjauninājumus", "Something went wrong!": "Kaut kas nogāja greizi!", "Your browser does not support the required cryptography extensions": "Jūsu pārlūks neatbalsta vajadzīgos kriptogrāfijas paplašinājumus", "Not a valid %(brand)s keyfile": "Nederīgs %(brand)s atslēgfails", "Authentication check failed: incorrect password?": "Autentifikācijas pārbaude neizdevās. Nepareiza parole?", - "Do you want to set an email address?": "Vai vēlies norādīt epasta adresi?", "and %(count)s others...": { "other": "un vēl %(count)s citi...", "one": "un vēl viens cits..." @@ -208,7 +187,6 @@ "Banned by %(displayName)s": "%(displayName)s liedzis pieeju", "Copied!": "Nokopēts!", "Failed to copy": "Nokopēt neizdevās", - "A text message has been sent to %(msisdn)s": "Teksta ziņa tika nosūtīta uz %(msisdn)s", "Delete Widget": "Dzēst vidžetu", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Vidžeta dzēšana to dzēš visiem šīs istabas lietotājiem. Vai tiešām vēlies dzēst šo vidžetu?", "collapse": "sakļaut", @@ -218,8 +196,6 @@ "other": "Un par %(count)s vairāk..." }, "This room is not public. You will not be able to rejoin without an invite.": "Šī istaba nav publiska un jūs nevarēsiet atkārtoti pievienoties bez uzaicinājuma.", - "Old cryptography data detected": "Tika uzieti novecojuši šifrēšanas dati", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Uzieti dati no vecākas %(brand)s versijas. Tas novedīs pie \"end-to-end\" šifrēšanas problēmām vecākajā versijā. Šajā versijā nevar tikt atšifrēti ziņojumi, kuri radīti izmantojot vecākajā versijā \"end-to-end\" šifrētas ziņas. Tas var arī novest pie ziņapmaiņas, kas veikta ar šo versiju, neizdošanās. Ja rodas ķibeles, izraksties un par jaunu pieraksties sistēmā. Lai saglabātu ziņu vēsturi, eksportē un tad importē savas šifrēšanas atslēgas.", "Please note you are logging into the %(hs)s server, not matrix.org.": "Lūdzu ņem vērā, ka Tu pieraksties %(hs)s serverī, nevis matrix.org serverī.", "%(items)s and %(count)s others": { "one": "%(items)s un viens cits", @@ -235,7 +211,6 @@ "Unavailable": "Nesasniedzams", "Source URL": "Avota URL adrese", "Filter results": "Filtrēt rezultātus", - "No update available.": "Nav atjauninājumu.", "Tuesday": "Otrdiena", "Search…": "Meklēt…", "Preparing to send logs": "Gatavojos nosūtīt atutošanas logfailus", @@ -249,7 +224,6 @@ "Thursday": "Ceturtdiena", "Logs sent": "Logfaili nosūtīti", "Yesterday": "Vakardien", - "Error encountered (%(errorDetail)s).": "Gadījās kļūda (%(errorDetail)s).", "Low Priority": "Zema prioritāte", "Thank you!": "Tencinam!", "Permission Required": "Nepieciešama atļauja", @@ -268,7 +242,6 @@ "Encrypted by an unverified session": "Šifrēts ar neverificētu sesiju", "Verify your other session using one of the options below.": "Verificējiet citas jūsu sesijas, izmantojot kādu no iespējām zemāk.", "Philippines": "Filipīnas", - "Got It": "Sapratu", "Waiting for %(displayName)s to accept…": "Gaida, kamēr %(displayName)s akceptēs…", "For extra security, verify this user by checking a one-time code on both of your devices.": "Papildu drošībai verificējiet šo lietotāju, pārbaudot vienreizēju kodu abās ierīcēs.", "Not Trusted": "Neuzticama", @@ -288,7 +261,6 @@ "All settings": "Visi iestatījumi", "Change notification settings": "Mainīt paziņojumu iestatījumus", "Favourited": "Izlasē", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Saziņa ar šo lietotāju ir nodrošināta ar pilnīgu šifrēšanu un nav nolasāma trešajām pusēm.", "Encrypted by a deleted session": "Šifrēts ar dzēstu sesiju", "Messages in this room are not end-to-end encrypted.": "Ziņām šajā istabā netiek piemērota pilnīga šifrēšana.", "This room is end-to-end encrypted": "Šajā istabā tiek veikta pilnīga šifrēšana", @@ -308,7 +280,6 @@ "Albania": "Albānija", "Confirm to continue": "Apstipriniet, lai turpinātu", "Confirm account deactivation": "Apstipriniet konta deaktivizēšanu", - "Enter username": "Ievadiet lietotājvārdu", "Use a different passphrase?": "Izmantot citu frāzveida paroli?", "Are you sure you want to cancel entering passphrase?": "Vai tiešām vēlaties atcelt frāzveida paroles ievadi?", "Cancel entering passphrase?": "Atcelt frāzveida paroles ievadi?", @@ -340,8 +311,6 @@ "The file '%(fileName)s' failed to upload.": "'%(fileName)s' augšupielāde neizdevās.", "You've reached the maximum number of simultaneous calls.": "Ir sasniegts maksimālais vienaicīgu zvanu skaits.", "Too Many Calls": "Pārāk daudz zvanu", - "Session key:": "Sesijas atslēga:", - "Session ID:": "Sesijas ID:", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Uzskatīt par uzticamām tikai individuāli verificētas lietotāja sesijas, nepaļaujoties uz ierīču cross-signing funkcionalitāti.", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Notikusi kļūda, mēģinot atjaunināt istabas alternatīvās adreses. Iespējams, tas ir liegts servera iestatījumos vai arī notikusi kāda pagaidu kļūme.", "Use an identity server to invite by email. Manage in Settings.": "Izmantojiet identitātes serveri, lai uzaicinātu ar epastu. Pārvaldiet iestatījumos.", @@ -362,17 +331,12 @@ "Manage integrations": "Pārvaldīt integrācijas", "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Pašlaik jūs izmantojat , lai atklātu esošos kontaktus un jūs būtu atklājams citiem. Jūs varat mainīt identitātes serveri zemāk.", "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Pašlaik jūs neizmantojat nevienu identitātes serveri. Lai atklātu esošos kontaktus un jūs būtu atklājams citiem, pievienojiet kādu identitātes serveri zemāk.", - "Confirm your identity by entering your account password below.": "Apstipriniet savu identitāti, ievadot sava konta paroli.", "Are you sure you want to deactivate your account? This is irreversible.": "Vai tiešām vēlaties deaktivizēt savu kontu? Tas ir neatgriezeniski.", "Deactivate account": "Deaktivizēt kontu", - "Language and region": "Valoda un reģions", - "Enter phone number": "Ievadiet tālruņa numuru", "Phone Number": "Tālruņa numurs", "Phone numbers": "Tālruņa numuri", "Email Address": "Epasta adrese", "Email addresses": "Epasta adreses", - "Encryption": "Šifrēšana", - "Room version:": "Istabas versija:", "The server does not support the room version specified.": "Serveris neatbalsta norādīto istabas versiju.", "Browse": "Pārlūkot", "Notification sound": "Paziņojumu skaņas signāli", @@ -438,29 +402,13 @@ "Create account": "Izveidot kontu", "Your password has been reset.": "Jūsu parole ir atiestatīta.", "Could not load user profile": "Nevarēja ielādēt lietotāja profilu", - "You have %(count)s unread notifications in a prior version of this room.": { - "one": "Jums ir %(count)s nelasīts paziņojums iepriekšējā šīs istabas versijā.", - "other": "Jums ir %(count)s nelasīti paziņojumi iepriekšējā šīs istabas versijā." - }, "Couldn't load page": "Neizdevās ielādēt lapu", "Sign in with SSO": "Pierakstieties, izmantojot SSO", - "Enter phone number (required on this homeserver)": "Ievadiet tālruņa numuru (obligāts šajā bāzes serverī)", - "Other users can invite you to rooms using your contact details": "Citi lietotāji var jūs uzaicināt uz istabām, izmantojot jūsu kontaktinformāciju", - "Enter email address (required on this homeserver)": "Ievadiet epasta adresi (obligāta šajā bāzes serverī)", - "Use an email address to recover your account": "Izmantojiet epasta adresi konta atkopšanai", - "That phone number doesn't look quite right, please check and try again": "Šis tālruņa numurs neizskatās pareizs. Lūdzu, pārbaudiet un mēģiniet vēlreiz", - "Enter email address": "Ievadiet epasta adresi", - "Password is allowed, but unsafe": "Parole ir atļauta, tomēr nedroša", - "Nice, strong password!": "Lieliski, sarežģīta parole!", - "Enter password": "Ievadiet paroli", - "Something went wrong in confirming your identity. Cancel and try again.": "Kaut kas nogāja greizi, mēģinot apstiprināt jūsu identitāti. Atceliet un mēģiniet vēlreiz.", "Session key": "Sesijas atslēga", "Accept all %(invitedRooms)s invites": "Pieņemt visus %(invitedRooms)s uzaicinājumus", "Bulk options": "Lielapjoma opcijas", "Account management": "Konta pārvaldība", - "New version available. Update now.": "Pieejama jauna versija. Atjaunināt.", "Failed to save your profile": "Neizdevās salabāt jūsu profilu", - "Passwords don't match": "Paroles nesakrīt", "New login. Was this you?": "Jauna pierakstīšanās. Vai tas bijāt jūs?", "Set up Secure Backup": "Iestatīt drošu rezerves dublēšanu", "Ok": "Labi", @@ -487,7 +435,6 @@ "Verify by emoji": "Verificēt ar emocijzīmēm", "Verify by comparing unique emoji.": "Verificēt, salīdzinot unikālās emocijzīmes.", "If you can't scan the code above, verify by comparing unique emoji.": "Ja nevarat noskenēt kodu, veiciet verifkāciju, salīdzinot unikālās emocijzīmes.", - "Verify this user by confirming the following emoji appear on their screen.": "Verificēt šo lietotāju, apstiprinot, ka sekojošās emocijzīmes pārādās lietotāja ekrānā.", "Ask %(displayName)s to scan your code:": "Aiciniet %(displayName)s noskenēt jūsu kodu:", "Verify by scanning": "Verificēt noskenējot", "%(name)s wants to verify": "%(name)s vēlas veikt verifikāciju", @@ -535,7 +482,6 @@ "Denmark": "Dānija", "American Samoa": "Amerikāņu Samoa", "Algeria": "Alžīrija", - "Original event source": "Oriģinālais notikuma pirmkods", "You don't have permission": "Jums nav atļaujas", "Remove for everyone": "Dzēst visiem", "Share User": "Dalīties ar lietotāja kontaktdatiem", @@ -564,8 +510,6 @@ "Your message was sent": "Jūsu ziņa ir nosūtīta", "Remove %(phone)s?": "Dzēst %(phone)s?", "Remove %(email)s?": "Dēst %(email)s?", - "Waiting for %(displayName)s to verify…": "Gaida uz %(displayName)s, lai verificētu…", - "Verify this user by confirming the following number appears on their screen.": "Verificēt šo lietotāju, apstiprinot, ka šāds numurs pārādās lietotāja ekrānā.", "Other users may not trust it": "Citi lietotāji var neuzskatīt to par uzticamu", "Verify this session": "Verificēt šo sesiju", "You signed in to a new session without verifying it:": "Jūs pierakstījāties jaunā sesijā, neveicot tās verifikāciju:", @@ -580,7 +524,6 @@ }, "Save Changes": "Saglabāt izmaiņas", "%(brand)s URL": "%(brand)s URL", - "Room version": "Istabas versija", "Upload files": "Failu augšupielāde", "These files are too large to upload. The file size limit is %(limit)s.": "Šie faili pārsniedz augšupielādes izmēra ierobežojumu %(limit)s.", "Upload files (%(current)s of %(total)s)": "Failu augšupielāde (%(current)s no %(total)s)", @@ -907,34 +850,19 @@ "other": "Pamatojoties uz %(count)s balsīm" }, "No votes cast": "Nav balsojumu", - "Write an option": "Uzrakstiet variantu", - "Add option": "Pievienot variantu", - "Option %(number)s": "Variants %(number)s", "Space options": "Vietas parametri", "Reason (optional)": "Iemesls (izvēles)", "You may contact me if you have any follow up questions": "Ja jums ir kādi papildjautājumi, varat sazināties ar mani", - "Question or topic": "Jautājums vai temats", - "Create options": "Izveidot atbilžu variantus", "Are you sure you want to end this poll? This will show the final results of the poll and stop people from being able to vote.": "Vai esat pārliecināts, ka vēlaties pārtraukt šo aptauju? Tas parādīs aptaujas galīgos rezultātus un liegs cilvēkiem iespēju balsot.", "Sorry, you can't edit a poll after votes have been cast.": "Atvainojiet, aptauju nevar rediģēt pēc tam, kad balsis jau ir nodotas.", "You do not have permission to start polls in this room.": "Jums nav atļaujas uzsākt aptaujas šajā istabā.", - "Sorry, the poll you tried to create was not posted.": "Atvainojiet, aptauja, kuru mēģinājāt izveidot, netika publicēta.", - "Results are only revealed when you end the poll": "Rezultāti tiks atklāti tikai pēc aptaujas beigām", "Results will be visible when the poll is ended": "Rezultāti būs redzami, kad aptauja būs pabeigta", "Sorry, the poll did not end. Please try again.": "Atvainojiet, aptauja netika pārtraukta. Lūdzu, mēģiniet vēlreiz.", "The poll has ended. No votes were cast.": "Aptauja ir beigusies. Balsis netika nodotas.", "The poll has ended. Top answer: %(topAnswer)s": "Aptauja ir beigusies. Populārākā atbilde: %(topAnswer)s", - "What is your poll question or topic?": "Kāds ir jūsu aptaujas jautājums vai tēma?", "Failed to end poll": "Neizdevās pārtraukt aptauju", - "Failed to post poll": "Neizdevās publicēt aptauju", "Can't edit poll": "Nevar rediģēt aptauju", - "Closed poll": "Slēgta aptauja", - "Open poll": "Atvērt aptauju", - "Poll type": "Aptaujas veids", - "Edit poll": "Rediģēt aptauju", "End Poll": "Pārtraukt aptauju", - "Create Poll": "Izveidot aptauju", - "Create poll": "Izveidot aptauju", "Poll": "Aptauja", "Open in OpenStreetMap": "Atvērt ar OpenStreetMap", "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Pievērsiet uzmanību: šī ir laboratorijas funkcija, kas izmanto pagaidu risinājumu. Tas nozīmē, ka jūs nevarēsiet dzēst savu atrašanās vietas vēsturi, un pieredzējušie lietotāji varēs redzēt jūsu atrašanās vietas vēsturi arī pēc tam, kad pārtrauksiet kopīgot savu reāllaika atrašanās vietu šajā istabā.", @@ -1307,7 +1235,13 @@ "send_analytics": "Sūtīt analītikas datus", "strict_encryption": "Nesūtīt šifrētas ziņas no šīs sesijas neverificētām sesijām", "enable_message_search": "Iespējot ziņu meklēšanu šifrētās istabās", - "manually_verify_all_sessions": "Manuāli verificēt visas pārējās sesijas" + "manually_verify_all_sessions": "Manuāli verificēt visas pārējās sesijas", + "export_megolm_keys": "Eksportēt istabas šifrēšanas atslēgas", + "import_megolm_keys": "Importēt E2E istabas atslēgas", + "cryptography_section": "Kriptogrāfija", + "session_id": "Sesijas ID:", + "session_key": "Sesijas atslēga:", + "encryption_section": "Šifrēšana" }, "preferences": { "room_list_heading": "Istabu saraksts", @@ -1321,6 +1255,10 @@ "sessions": { "session_id": "Sesijas ID", "verify_session": "Verificēt sesiju" + }, + "general": { + "account_section": "Konts", + "language_section": "Valoda un reģions" } }, "devtools": { @@ -1333,7 +1271,8 @@ "category_room": "Istaba", "category_other": "Citi", "show_hidden_events": "Rādīt slēptos notikumus laika skalā", - "view_source_decrypted_event_source": "Atšifrēt notikuma pirmkods" + "view_source_decrypted_event_source": "Atšifrēt notikuma pirmkods", + "original_event_source": "Oriģinālais notikuma pirmkods" }, "export_chat": { "creator_summary": "%(creatorName)s izveidoja šo istabu.", @@ -1764,6 +1703,11 @@ "url_preview_encryption_warning": "Šifrētās istabās, ieskaitot arī šo, URL priekšskatījumi pēc noklusējuma ir atspējoti, lai nodrošinātu, ka jūsu bāzes serveris, kurā notiek priekšskatījumu ģenerēšana, nevar apkopot informāciju par saitēm, kuras redzat šajā istabā.", "url_preview_explainer": "Kad kāds savā ziņā ievieto URL, priekšskatījums ar virsrakstu, aprakstu un vietnes attēlu var tikt parādīts, tādējādi sniedzot vairāk informācijas par šo vietni.", "url_previews_section": "URL priekšskatījumi" + }, + "advanced": { + "unfederated": "Šī istaba nav pieejama no citiem Matrix serveriem", + "room_version_section": "Istabas versija", + "room_version": "Istabas versija:" } }, "encryption": { @@ -1773,8 +1717,15 @@ "complete_title": "Verificēts!", "complete_description": "Jūs veiksmīgi verificējāt šo lietotāju.", "qr_prompt": "Noskenējiet šo unikālo kodu", - "sas_prompt": "Salīdziniet unikālās emocijzīmes" - } + "sas_prompt": "Salīdziniet unikālās emocijzīmes", + "explainer": "Saziņa ar šo lietotāju ir nodrošināta ar pilnīgu šifrēšanu un nav nolasāma trešajām pusēm.", + "complete_action": "Sapratu", + "sas_emoji_caption_user": "Verificēt šo lietotāju, apstiprinot, ka sekojošās emocijzīmes pārādās lietotāja ekrānā.", + "sas_caption_user": "Verificēt šo lietotāju, apstiprinot, ka šāds numurs pārādās lietotāja ekrānā.", + "waiting_other_user": "Gaida uz %(displayName)s, lai verificētu…" + }, + "old_version_detected_title": "Tika uzieti novecojuši šifrēšanas dati", + "old_version_detected_description": "Uzieti dati no vecākas %(brand)s versijas. Tas novedīs pie \"end-to-end\" šifrēšanas problēmām vecākajā versijā. Šajā versijā nevar tikt atšifrēti ziņojumi, kuri radīti izmantojot vecākajā versijā \"end-to-end\" šifrētas ziņas. Tas var arī novest pie ziņapmaiņas, kas veikta ar šo versiju, neizdošanās. Ja rodas ķibeles, izraksties un par jaunu pieraksties sistēmā. Lai saglabātu ziņu vēsturi, eksportē un tad importē savas šifrēšanas atslēgas." }, "emoji": { "category_frequently_used": "Bieži lietotas", @@ -1827,7 +1778,39 @@ "phone_optional_label": "Tālruņa numurs (izvēles)", "email_help_text": "Pievienojiet epasta adresi, lai varētu atiestatīt paroli.", "email_phone_discovery_text": "Izmantojiet epasta adresi vai tālruņa numuru, lai pēc izvēles jūs varētu atrast esošie kontakti.", - "email_discovery_text": "Izmantojiet epasta adresi, lai pēc izvēles jūs varētu atrast esošie kontakti." + "email_discovery_text": "Izmantojiet epasta adresi, lai pēc izvēles jūs varētu atrast esošie kontakti.", + "session_logged_out_title": "Izrakstījās", + "session_logged_out_description": "Drošības nolūkos šī sesija ir pārtraukta. Lūdzu, pieraksties par jaunu.", + "change_password_mismatch": "Jaunās paroles nesakrīt", + "change_password_empty": "Paroles nevar būt tukšas", + "set_email_prompt": "Vai vēlies norādīt epasta adresi?", + "change_password_confirm_label": "Apstipriniet paroli", + "change_password_confirm_invalid": "Paroles nesakrīt", + "change_password_current_label": "Pašreizējā parole", + "change_password_new_label": "Jaunā parole", + "change_password_action": "Nomainīt paroli", + "email_field_label": "Epasts", + "email_field_label_required": "Ievadiet epasta adresi", + "uia": { + "password_prompt": "Apstipriniet savu identitāti, ievadot sava konta paroli.", + "msisdn_token_incorrect": "Nepareizs autentifikācijas tokens", + "msisdn": "Teksta ziņa tika nosūtīta uz %(msisdn)s", + "msisdn_token_prompt": "Lūdzu, ievadiet tajā ietverto kodu:", + "sso_failed": "Kaut kas nogāja greizi, mēģinot apstiprināt jūsu identitāti. Atceliet un mēģiniet vēlreiz.", + "fallback_button": "Sākt autentifikāciju" + }, + "password_field_label": "Ievadiet paroli", + "password_field_strong_label": "Lieliski, sarežģīta parole!", + "password_field_weak_label": "Parole ir atļauta, tomēr nedroša", + "username_field_required_invalid": "Ievadiet lietotājvārdu", + "msisdn_field_required_invalid": "Ievadiet tālruņa numuru", + "msisdn_field_number_invalid": "Šis tālruņa numurs neizskatās pareizs. Lūdzu, pārbaudiet un mēģiniet vēlreiz", + "msisdn_field_label": "Telefons", + "identifier_label": "Pierakstīties ar", + "reset_password_email_field_description": "Izmantojiet epasta adresi konta atkopšanai", + "reset_password_email_field_required_invalid": "Ievadiet epasta adresi (obligāta šajā bāzes serverī)", + "msisdn_field_description": "Citi lietotāji var jūs uzaicināt uz istabām, izmantojot jūsu kontaktinformāciju", + "registration_msisdn_field_required_invalid": "Ievadiet tālruņa numuru (obligāts šajā bāzes serverī)" }, "room_list": { "sort_unread_first": "Rādīt istabas ar nelasītām ziņām augšpusē", @@ -1940,7 +1923,11 @@ "see_changes_button": "Kas jauns?", "release_notes_toast_title": "Kas jauns", "toast_title": "Atjaunināt %(brand)s", - "toast_description": "Pieejama jauna %(brand)s versija" + "toast_description": "Pieejama jauna %(brand)s versija", + "error_encountered": "Gadījās kļūda (%(errorDetail)s).", + "no_update": "Nav atjauninājumu.", + "new_version_available": "Pieejama jauna versija. Atjaunināt.", + "check_action": "Pārbaudīt atjauninājumus" }, "threads": { "show_thread_filter": "Rādīt:" @@ -1995,6 +1982,10 @@ "no_avatar_label": "Pievienojiet foto, lai padarītu istabu vieglāk pamanāmu citiem cilvēkiem.", "start_of_room": "Šis ir istabas pats sākums.", "enable_encryption_prompt": "Iespējot šifrēšanu iestatījumos." + }, + "unread_notifications_predecessor": { + "one": "Jums ir %(count)s nelasīts paziņojums iepriekšējā šīs istabas versijā.", + "other": "Jums ir %(count)s nelasīti paziņojumi iepriekšējā šīs istabas versijā." } }, "file_panel": { @@ -2002,5 +1993,22 @@ "peek_note": "Tev ir jāpievienojas istabai, lai redzētu tās failus", "empty_heading": "Šajā istabā nav redzamu failu", "empty_description": "Pievienojiet failus no čata vai vienkārši velciet un nometiet tos jebkur istabā." + }, + "poll": { + "create_poll_title": "Izveidot aptauju", + "create_poll_action": "Izveidot aptauju", + "edit_poll_title": "Rediģēt aptauju", + "failed_send_poll_title": "Neizdevās publicēt aptauju", + "failed_send_poll_description": "Atvainojiet, aptauja, kuru mēģinājāt izveidot, netika publicēta.", + "type_heading": "Aptaujas veids", + "type_open": "Atvērt aptauju", + "type_closed": "Slēgta aptauja", + "topic_heading": "Kāds ir jūsu aptaujas jautājums vai tēma?", + "topic_label": "Jautājums vai temats", + "options_heading": "Izveidot atbilžu variantus", + "options_label": "Variants %(number)s", + "options_placeholder": "Uzrakstiet variantu", + "options_add_button": "Pievienot variantu", + "notes": "Rezultāti tiks atklāti tikai pēc aptaujas beigām" } } diff --git a/src/i18n/strings/ml.json b/src/i18n/strings/ml.json index 8b4a0e5be0..b29741a486 100644 --- a/src/i18n/strings/ml.json +++ b/src/i18n/strings/ml.json @@ -14,7 +14,6 @@ "This Room": "ഈ മുറി", "Unavailable": "ലഭ്യമല്ല", "Source URL": "സോഴ്സ് യു ആര്‍ എല്‍", - "No update available.": "അപ്ഡേറ്റുകള്‍ ലഭ്യമല്ല.", "Tuesday": "ചൊവ്വ", "Unnamed room": "പേരില്ലാത്ത റൂം", "Saturday": "ശനി", @@ -28,7 +27,6 @@ "Thursday": "വ്യാഴം", "Search…": "തിരയുക…", "Yesterday": "ഇന്നലെ", - "Error encountered (%(errorDetail)s).": "എറര്‍ നേരിട്ടു (%(errorDetail)s).", "Low Priority": "താഴ്ന്ന പരിഗണന", "Explore rooms": "മുറികൾ കണ്ടെത്തുക", "common": { @@ -88,7 +86,9 @@ }, "update": { "see_changes_button": "എന്തൊക്കെ പുതിയ വിശേഷങ്ങള്‍ ?", - "release_notes_toast_title": "പുതിയ വിശേഷങ്ങള്‍" + "release_notes_toast_title": "പുതിയ വിശേഷങ്ങള്‍", + "error_encountered": "എറര്‍ നേരിട്ടു (%(errorDetail)s).", + "no_update": "അപ്ഡേറ്റുകള്‍ ലഭ്യമല്ല." }, "space": { "context_menu": { diff --git a/src/i18n/strings/nb_NO.json b/src/i18n/strings/nb_NO.json index 6460b6e4b5..dbaefd1743 100644 --- a/src/i18n/strings/nb_NO.json +++ b/src/i18n/strings/nb_NO.json @@ -120,21 +120,14 @@ "Anchor": "Anker", "Headphones": "Hodetelefoner", "Folder": "Mappe", - "Current password": "Nåværende passord", - "New Password": "Nytt passord", - "Confirm password": "Bekreft passord", - "Change Password": "Endre passordet", "Display Name": "Visningsnavn", "Profile": "Profil", "Email addresses": "E-postadresser", "Phone numbers": "Telefonnumre", - "Account": "Konto", - "Language and region": "Språk og område", "General": "Generelt", "None": "Ingen", "Browse": "Bla", "Unban": "Opphev utestengelse", - "Encryption": "Kryptering", "Unable to verify phone number.": "Klarte ikke å verifisere telefonnummeret.", "Verification code": "Verifikasjonskode", "Email Address": "E-postadresse", @@ -167,17 +160,12 @@ "Share Room Message": "Del rommelding", "Cancel All": "Avbryt alt", "Home": "Hjem", - "Email": "E-post", - "Phone": "Telefon", - "Enter password": "Skriv inn passord", - "Enter username": "Skriv inn brukernavn", "Explore rooms": "Se alle rom", "Your password has been reset.": "Passordet ditt har blitt tilbakestilt.", "Create account": "Opprett konto", "Success!": "Suksess!", "Set up": "Sett opp", "Identity server has no terms of service": "Identitetstjeneren har ingen brukervilkår", - "Got It": "Skjønner", "Lion": "Løve", "Pig": "Gris", "Rabbit": "Kanin", @@ -214,17 +202,8 @@ "Deactivate Account": "Deaktiver kontoen", "Discovery": "Oppdagelse", "Deactivate account": "Deaktiver kontoen", - "Check for update": "Let etter oppdateringer", - "Ignored/Blocked": "Ignorert/Blokkert", - "Server rules": "Tjenerregler", - "User rules": "Brukerregler", - "View rules": "Vis reglene", "Ignored users": "Ignorerte brukere", - "⚠ These settings are meant for advanced users.": "⚠ Disse innstillingene er ment for avanserte brukere.", "Unignore": "Opphev ignorering", - "Cryptography": "Kryptografi", - "Session ID:": "Økt-ID:", - "Session key:": "Øktnøkkel:", "Message search": "Meldingssøk", "No media permissions": "Ingen mediatillatelser", "Missing media permissions, click the button below to request.": "Manglende mediatillatelser, klikk på knappen nedenfor for å be om dem.", @@ -236,8 +215,6 @@ "Audio Output": "Lydutdata", "Voice & Video": "Stemme og video", "Room information": "Rominformasjon", - "Room version": "Romversjon", - "Room version:": "Romversjon:", "Room Addresses": "Rom-adresser", "Sounds": "Lyder", "Notification sound": "Varslingslyd", @@ -304,11 +281,8 @@ "Verification Request": "Verifiseringsforespørsel", "No backup found!": "Ingen sikkerhetskopier ble funnet!", "Country Dropdown": "Nedfallsmeny over land", - "Sign in with": "Logg inn med", - "Passwords don't match": "Passordene samsvarer ikke", "Email (optional)": "E-post (valgfritt)", "Upload avatar": "Last opp en avatar", - "Terms and Conditions": "Betingelser og vilkår", "Add room": "Legg til et rom", "Search failed": "Søket mislyktes", "No more results": "Ingen flere resultater", @@ -325,9 +299,6 @@ "%(name)s (%(userId)s)": "%(name)s (%(userId)s)", "Show more": "Vis mer", "Warning!": "Advarsel!", - "Export E2E room keys": "Eksporter E2E-romnøkler", - "not found": "ikke funnet", - "exists": "finnes", "Authentication": "Autentisering", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Verifiser hver brukerøkt individuelt for å stemple den som at du stoler på den, ikke stol på kryss-signerte enheter.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Krypterte meldinger er sikret med punkt-til-punkt-kryptering. Bare du og mottakeren(e) har nøklene til å lese disse meldingene.", @@ -337,7 +308,6 @@ "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Hvis du ikke ønsker å bruke til å oppdage og bli oppdaget av eksisterende kontakter som du kjenner, skriv inn en annen identitetstjener nedenfor.", "Enter a new identity server": "Skriv inn en ny identitetstjener", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "For å rapportere inn et Matrix-relatert sikkerhetsproblem, vennligst less Matrix.org sine Retningslinjer for sikkerhetspublisering.", - "Import E2E room keys": "Importer E2E-romnøkler", "Scroll to most recent messages": "Hopp bort til de nyeste meldingene", "Share Link to User": "Del en lenke til brukeren", "Filter room members": "Filtrer rommets medlemmer", @@ -353,7 +323,6 @@ "Room Topic": "Rommets tema", "Encryption not enabled": "Kryptering er ikke skrudd på", "Something went wrong!": "Noe gikk galt!", - "No update available.": "Ingen oppdateringer er tilgjengelige.", "Your display name": "Ditt visningsnavn", "Widget added by": "Modulen ble lagt til av", "Create new room": "Opprett et nytt rom", @@ -367,19 +336,10 @@ "Show advanced": "Vis avansert", "Recent Conversations": "Nylige samtaler", "Room Settings - %(roomName)s": "Rominnstillinger - %(roomName)s", - "Confirm your identity by entering your account password below.": "Bekreft identiteten din ved å skrive inn kontopassordet ditt nedenfor.", - "Use an email address to recover your account": "Bruk en E-postadresse til å gjenopprette kontoen din", - "Enter email address (required on this homeserver)": "Skriv inn en E-postadresse (Påkrevd på denne hjemmetjeneren)", - "Doesn't look like a valid email address": "Det ser ikke ut som en gyldig E-postadresse", - "Password is allowed, but unsafe": "Passordet er tillatt, men er ikke trygt", - "Nice, strong password!": "Strålende, passordet er sterkt!", - "Signed Out": "Avlogget", "Export room keys": "Eksporter romnøkler", "Import room keys": "Importer romnøkler", "Go to Settings": "Gå til Innstillinger", "Enter passphrase": "Skriv inn passordfrase", - "Cancelling…": "Avbryter …", - "in memory": "i minnet", "Delete Backup": "Slett sikkerhetskopien", "Restore from Backup": "Gjenopprett fra sikkerhetskopi", "Remove %(email)s?": "Vil du fjerne %(email)s?", @@ -409,12 +369,7 @@ "Upload completed": "Opplasting fullført", "Unable to upload": "Mislyktes i å laste opp", "Remove for everyone": "Fjern for alle", - "Cross-signing public keys:": "Offentlige nøkler for kryssignering:", - "Cross-signing private keys:": "Private nøkler for kryssignering:", - "Self signing private key:": "Selvsignert privat nøkkel:", - "User signing private key:": "Brukersignert privat nøkkel:", "Secret storage public key:": "Offentlig nøkkel for hemmelig lagring:", - "Homeserver feature support:": "Hjemmetjener-funksjonsstøtte:", "Confirm adding email": "Bekreft tillegging av E-postadresse", "Confirm adding phone number": "Bekreft tillegging av telefonnummer", "Setting up keys": "Setter opp nøkler", @@ -427,13 +382,8 @@ "Unknown server error": "Ukjent tjenerfeil", "Aeroplane": "Fly", "No display name": "Ingen visningsnavn", - "New passwords don't match": "De nye passordene samsvarer ikke", - "Passwords can't be empty": "Passord kan ikke være tomme", - "Do you want to set an email address?": "Vil du velge en E-postadresse?", "unexpected type": "uventet type", "Disconnect anyway": "Koble fra likevel", - "You have not ignored anyone.": "Du har ikke ignorert noen.", - "You are not subscribed to any lists": "Du er ikke abonnert på noen lister", "Uploaded sound": "Lastet opp lyd", "Incorrect verification code": "Ugyldig verifiseringskode", "Unable to add email address": "Klarte ikke å legge til E-postadressen", @@ -489,7 +439,6 @@ "Encryption upgrade available": "Krypteringsoppdatering tilgjengelig", "Santa": "Julenisse", "wait and try again later": "vent og prøv igjen senere", - "eg: @bot:* or example.org": "f.eks.: @bot:* eller example.org", "Remove %(phone)s?": "Vil du fjerne %(phone)s?", "Message preview": "Meldingsforhåndsvisning", "This room has no local addresses": "Dette rommet har ikke noen lokale adresser", @@ -524,9 +473,7 @@ }, "Keys restored": "Nøklene ble gjenopprettet", "Reject invitation": "Avslå invitasjonen", - "Start authentication": "Begynn autentisering", "Couldn't load page": "Klarte ikke å laste inn siden", - "Review terms and conditions": "Gå gjennom betingelser og vilkår", "Jump to first invite.": "Hopp til den første invitasjonen.", "You seem to be uploading files, are you sure you want to quit?": "Du ser til å laste opp filer, er du sikker på at du vil avslutte?", "Switch theme": "Bytt tema", @@ -536,7 +483,6 @@ "Set up Secure Messages": "Sett opp sikre meldinger", "To help us prevent this in future, please send us logs.": "For å hjelpe oss med å forhindre dette i fremtiden, vennligst send oss loggfiler.", "Lock": "Lås", - "Server or user ID to ignore": "Tjener- eller bruker-ID-en som skal ignoreres", "Room options": "Rominnstillinger", "Your messages are not secure": "Dine meldinger er ikke sikre", "Edited at %(date)s": "Redigert den %(date)s", @@ -626,7 +572,6 @@ "Resume": "Fortsett", "Avatar": "Profilbilde", "Suggested Rooms": "Foreslåtte rom", - "Verification requested": "Verifisering ble forespurt", "%(count)s members": { "one": "%(count)s medlem", "other": "%(count)s medlemmer" @@ -663,11 +608,6 @@ "Move right": "Gå til høyre", "Security Phrase": "Sikkerhetsfrase", "Open dial pad": "Åpne nummerpanelet", - "Enter email address": "Legg inn e-postadresse", - "Enter phone number": "Skriv inn telefonnummer", - "Please enter the code it contains:": "Vennligst skriv inn koden den inneholder:", - "Token incorrect": "Sjetongen er feil", - "A text message has been sent to %(msisdn)s": "En SMS har blitt sendt til %(msisdn)s", "This room is public": "Dette rommet er offentlig", "Move left": "Gå til venstre", "Take a picture": "Ta et bilde", @@ -713,9 +653,7 @@ "Algorithm:": "Algoritme:", "Show Widgets": "Vis moduler", "Hide Widgets": "Skjul moduler", - "You are currently ignoring:": "Du ignorerer for øyeblikket:", "Dial pad": "Nummerpanel", - "Channel: ": "Kanal: ", "Enable desktop notifications": "Aktiver skrivebordsvarsler", "Don't miss a reply": "Ikke gå glipp av noen svar", "Unknown App": "Ukjent app", @@ -1121,7 +1059,8 @@ "group_widgets": "Komponenter", "group_rooms": "Rom", "group_voip": "Stemme og video", - "group_encryption": "Kryptering" + "group_encryption": "Kryptering", + "bridge_state_channel": "Kanal: " }, "keyboard": { "home": "Hjem", @@ -1259,7 +1198,21 @@ "message_search_indexed_rooms": "Indekserte rom:", "send_analytics": "Send analytiske data", "strict_encryption": "Aldri send krypterte meldinger til uverifiserte økter fra denne økten", - "manually_verify_all_sessions": "Verifiser alle eksterne økter manuelt" + "manually_verify_all_sessions": "Verifiser alle eksterne økter manuelt", + "cross_signing_public_keys": "Offentlige nøkler for kryssignering:", + "cross_signing_in_memory": "i minnet", + "cross_signing_not_found": "ikke funnet", + "cross_signing_private_keys": "Private nøkler for kryssignering:", + "cross_signing_self_signing_private_key": "Selvsignert privat nøkkel:", + "cross_signing_user_signing_private_key": "Brukersignert privat nøkkel:", + "cross_signing_homeserver_support": "Hjemmetjener-funksjonsstøtte:", + "cross_signing_homeserver_support_exists": "finnes", + "export_megolm_keys": "Eksporter E2E-romnøkler", + "import_megolm_keys": "Importer E2E-romnøkler", + "cryptography_section": "Kryptografi", + "session_id": "Økt-ID:", + "session_key": "Øktnøkkel:", + "encryption_section": "Kryptering" }, "preferences": { "room_list_heading": "Romliste", @@ -1272,6 +1225,10 @@ "sessions": { "session_id": "Økt-ID", "verify_session": "Verifiser økten" + }, + "general": { + "account_section": "Konto", + "language_section": "Språk og område" } }, "devtools": { @@ -1589,6 +1546,10 @@ "url_preview_encryption_warning": "I krypterte rom som denne, er URL-forhåndsvisninger skrudd av som standard for å sikre at hjemmetjeneren din (der forhåndsvisningene blir generert) ikke kan samle inn informasjon om lenkene som du ser i dette rommet.", "url_preview_explainer": "Når noen legger til en URL i meldingene deres, kan en URL-forhåndsvisning bli vist for å gi mere informasjonen om den lenken, f.eks. tittelen, beskrivelsen, og et bilde fra nettstedet.", "url_previews_section": "URL-forhåndsvisninger" + }, + "advanced": { + "room_version_section": "Romversjon", + "room_version": "Romversjon:" } }, "encryption": { @@ -1597,8 +1558,11 @@ "sas_match": "De samsvarer", "complete_title": "Verifisert!", "complete_description": "Du har vellykket verifisert denne brukeren.", - "qr_prompt": "Skann denne unike koden" - } + "qr_prompt": "Skann denne unike koden", + "complete_action": "Skjønner", + "cancelling": "Avbryter …" + }, + "verification_requested_toast_title": "Verifisering ble forespurt" }, "emoji": { "category_frequently_used": "Ofte brukte", @@ -1638,7 +1602,35 @@ "account_deactivated": "Denne kontoen har blitt deaktivert.", "registration_username_validation": "Bruk kun småbokstaver, numre, streker og understreker", "phone_label": "Telefon", - "phone_optional_label": "Telefonnummer (valgfritt)" + "phone_optional_label": "Telefonnummer (valgfritt)", + "session_logged_out_title": "Avlogget", + "change_password_mismatch": "De nye passordene samsvarer ikke", + "change_password_empty": "Passord kan ikke være tomme", + "set_email_prompt": "Vil du velge en E-postadresse?", + "change_password_confirm_label": "Bekreft passord", + "change_password_confirm_invalid": "Passordene samsvarer ikke", + "change_password_current_label": "Nåværende passord", + "change_password_new_label": "Nytt passord", + "change_password_action": "Endre passordet", + "email_field_label": "E-post", + "email_field_label_required": "Legg inn e-postadresse", + "email_field_label_invalid": "Det ser ikke ut som en gyldig E-postadresse", + "uia": { + "password_prompt": "Bekreft identiteten din ved å skrive inn kontopassordet ditt nedenfor.", + "msisdn_token_incorrect": "Sjetongen er feil", + "msisdn": "En SMS har blitt sendt til %(msisdn)s", + "msisdn_token_prompt": "Vennligst skriv inn koden den inneholder:", + "fallback_button": "Begynn autentisering" + }, + "password_field_label": "Skriv inn passord", + "password_field_strong_label": "Strålende, passordet er sterkt!", + "password_field_weak_label": "Passordet er tillatt, men er ikke trygt", + "username_field_required_invalid": "Skriv inn brukernavn", + "msisdn_field_required_invalid": "Skriv inn telefonnummer", + "msisdn_field_label": "Telefon", + "identifier_label": "Logg inn med", + "reset_password_email_field_description": "Bruk en E-postadresse til å gjenopprette kontoen din", + "reset_password_email_field_required_invalid": "Skriv inn en E-postadresse (Påkrevd på denne hjemmetjeneren)" }, "room_list": { "show_previews": "Vis forhåndsvisninger av meldinger", @@ -1708,13 +1700,26 @@ "update": { "see_changes_button": "Hva er nytt?", "release_notes_toast_title": "Hva er nytt", - "toast_title": "Oppdater %(brand)s" + "toast_title": "Oppdater %(brand)s", + "no_update": "Ingen oppdateringer er tilgjengelige.", + "check_action": "Let etter oppdateringer" }, "threads": { "show_thread_filter": "Vis:" }, "labs_mjolnir": { - "room_name": "Min bannlysningsliste" + "room_name": "Min bannlysningsliste", + "ban_reason": "Ignorert/Blokkert", + "rules_server": "Tjenerregler", + "rules_user": "Brukerregler", + "personal_empty": "Du har ikke ignorert noen.", + "personal_section": "Du ignorerer for øyeblikket:", + "no_lists": "Du er ikke abonnert på noen lister", + "view_rules": "Vis reglene", + "title": "Ignorerte brukere", + "advanced_warning": "⚠ Disse innstillingene er ment for avanserte brukere.", + "personal_new_label": "Tjener- eller bruker-ID-en som skal ignoreres", + "personal_new_placeholder": "f.eks.: @bot:* eller example.org" }, "create_space": { "public_heading": "Ditt offentlige område", @@ -1751,6 +1756,8 @@ "intro": "For å gå videre må du akseptere brukervilkårene til denne tjenesten.", "column_service": "Tjeneste", "column_summary": "Oppsummering", - "column_document": "Dokument" + "column_document": "Dokument", + "tac_title": "Betingelser og vilkår", + "tac_button": "Gå gjennom betingelser og vilkår" } } diff --git a/src/i18n/strings/nl.json b/src/i18n/strings/nl.json index 9d4114a765..c652beea45 100644 --- a/src/i18n/strings/nl.json +++ b/src/i18n/strings/nl.json @@ -1,5 +1,4 @@ { - "Account": "Account", "Authentication": "Login bevestigen", "%(items)s and %(lastItem)s": "%(items)s en %(lastItem)s", "and %(count)s others...": { @@ -11,8 +10,6 @@ "Are you sure?": "Weet je het zeker?", "Are you sure you want to reject the invitation?": "Weet je zeker dat je de uitnodiging wilt weigeren?", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Kan geen verbinding maken met de homeserver via HTTP wanneer er een HTTPS-URL in je browserbalk staat. Gebruik HTTPS of schakel onveilige scripts in.", - "Change Password": "Wachtwoord wijzigen", - "Confirm password": "Bevestig wachtwoord", "Admin Tools": "Beheerdersgereedschap", "No Microphones detected": "Geen microfoons gevonden", "No Webcams detected": "Geen webcams gevonden", @@ -32,12 +29,9 @@ "": "", "No display name": "Geen weergavenaam", "No more results": "Geen resultaten meer", - "Passwords can't be empty": "Wachtwoorden kunnen niet leeg zijn", - "Phone": "Telefoonnummer", "Profile": "Profiel", "Reason": "Reden", "Reject invitation": "Uitnodiging weigeren", - "Start authentication": "Authenticatie starten", "Sun": "Zo", "Mon": "Ma", "Tue": "Di", @@ -61,18 +55,14 @@ "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s %(day)s %(monthName)s %(fullYear)s, %(time)s", "%(weekDayName)s %(time)s": "%(weekDayName)s, %(time)s", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Geen verbinding met de homeserver - controleer je verbinding, zorg ervoor dat het SSL-certificaat van de homeserver vertrouwd is en dat er geen browserextensies verzoeken blokkeren.", - "Cryptography": "Cryptografie", - "Current password": "Huidig wachtwoord", "Deactivate Account": "Account Sluiten", "Decrypt %(text)s": "%(text)s ontsleutelen", "Download %(text)s": "%(text)s downloaden", - "Email": "E-mailadres", "Email address": "E-mailadres", "Custom level": "Aangepast niveau", "Default": "Standaard", "Enter passphrase": "Wachtwoord invoeren", "Error decrypting attachment": "Fout bij het ontsleutelen van de bijlage", - "Export E2E room keys": "E2E-kamersleutels exporteren", "Failed to ban user": "Verbannen van persoon is mislukt", "Failed to change power level": "Wijzigen van machtsniveau is mislukt", "Failed to load timeline position": "Laden van tijdslijnpositie is mislukt", @@ -86,21 +76,17 @@ "Failure to create room": "Aanmaken van kamer is mislukt", "Filter room members": "Kamerleden filteren", "Forget room": "Kamer vergeten", - "For security, this session has been signed out. Please sign in again.": "Wegens veiligheidsredenen is deze sessie uitgelogd. Log opnieuw in.", "Historical": "Historisch", "Home": "Home", - "Import E2E room keys": "E2E-kamersleutels importeren", "Incorrect verification code": "Onjuiste verificatiecode", "Invalid Email Address": "Ongeldig e-mailadres", "Invalid file%(extra)s": "Ongeldig bestand %(extra)s", "Invited": "Uitgenodigd", - "Sign in with": "Inloggen met", "Join Room": "Kamer toetreden", "Jump to first unread message.": "Spring naar het eerste ongelezen bericht.", "Low priority": "Lage prioriteit", "Missing room_id in request": "room_id ontbreekt in verzoek", "Missing user_id in request": "user_id ontbreekt in verzoek", - "New passwords don't match": "Nieuwe wachtwoorden komen niet overeen", "New passwords must match each other.": "Nieuwe wachtwoorden moeten overeenkomen.", "Please check your email and click on the link it contains. Once this is done, click continue.": "Bekijk je e-mail en klik op de koppeling daarin. Klik vervolgens op ‘Verder gaan’.", "Power level must be positive integer.": "Machtsniveau moet een positief geheel getal zijn.", @@ -115,14 +101,12 @@ "Server may be unavailable, overloaded, or search timed out :(": "De server is misschien onbereikbaar of overbelast, of het zoeken duurde te lang :(", "Server may be unavailable, overloaded, or you hit a bug.": "De server is misschien onbereikbaar of overbelast, of je bent een bug tegengekomen.", "Session ID": "Sessie-ID", - "Signed Out": "Uitgelogd", "This email address is already in use": "Dit e-mailadres is al in gebruik", "This email address was not found": "Dit e-mailadres is niet gevonden", "This room has no local addresses": "Deze kamer heeft geen lokale adressen", "This room is not recognised.": "Deze kamer wordt niet herkend.", "This doesn't appear to be a valid email address": "Het ziet er niet naar uit dat dit een geldig e-mailadres is", "This phone number is already in use": "Dit telefoonnummer is al in gebruik", - "This room is not accessible by remote Matrix servers": "Deze kamer is niet toegankelijk vanaf externe Matrix-servers", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Je probeert een punt in de tijdlijn van deze kamer te laden, maar je hebt niet voldoende rechten om het bericht te lezen.", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Geprobeerd een gegeven punt in de tijdslijn van deze kamer te laden, maar kon dit niet vinden.", "Unable to add email address": "Kan e-mailadres niet toevoegen", @@ -154,7 +138,6 @@ "one": "(~%(count)s resultaat)", "other": "(~%(count)s resultaten)" }, - "New Password": "Nieuw wachtwoord", "Passphrases must match": "Wachtwoorden moeten overeenkomen", "Passphrase must not be empty": "Wachtwoord mag niet leeg zijn", "Export room keys": "Kamersleutels exporteren", @@ -170,18 +153,14 @@ "Unknown error": "Onbekende fout", "Unable to restore session": "Herstellen van sessie mislukt", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Als je een recentere versie van %(brand)s hebt gebruikt is je sessie mogelijk niet geschikt voor deze versie. Sluit dit venster en ga terug naar die recentere versie.", - "Token incorrect": "Bewijs onjuist", - "Please enter the code it contains:": "Voer de code in die het bevat:", "Error decrypting image": "Fout bij het ontsleutelen van de afbeelding", "Error decrypting video": "Fout bij het ontsleutelen van de video", "Add an Integration": "Voeg een integratie toe", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Je wordt zo dadelijk naar een derdepartijwebsite gebracht zodat je de account kunt legitimeren voor gebruik met %(integrationsUrl)s. Wil je doorgaan?", - "Check for update": "Controleren op updates", "Something went wrong!": "Er is iets misgegaan!", "Your browser does not support the required cryptography extensions": "Jouw browser ondersteunt de benodigde cryptografie-extensies niet", "Not a valid %(brand)s keyfile": "Geen geldig %(brand)s-sleutelbestand", "Authentication check failed: incorrect password?": "Aanmeldingscontrole mislukt: onjuist wachtwoord?", - "Do you want to set an email address?": "Wil je een e-mailadres instellen?", "This will allow you to reset your password and receive notifications.": "Zo kan je een nieuw wachtwoord instellen en meldingen ontvangen.", "Delete widget": "Widget verwijderen", "AM": "AM", @@ -210,7 +189,6 @@ "Replying": "Aan het beantwoorden", "Unnamed room": "Naamloze kamer", "Banned by %(displayName)s": "Verbannen door %(displayName)s", - "A text message has been sent to %(msisdn)s": "Er is een sms naar %(msisdn)s verstuurd", "%(items)s and %(count)s others": { "other": "%(items)s en %(count)s andere", "one": "%(items)s en één ander" @@ -220,8 +198,6 @@ "And %(count)s more...": { "other": "En %(count)s meer…" }, - "Old cryptography data detected": "Oude cryptografiegegevens gedetecteerd", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Er zijn gegevens van een oudere versie van %(brand)s gevonden, die problemen veroorzaakt hebben met de eind-tot-eind-versleuteling in de oude versie. Onlangs vanuit de oude versie verzonden eind-tot-eind-versleutelde berichten zijn mogelijk onontsleutelbaar in deze versie. Ook kunnen berichten die met deze versie uitgewisseld zijn falen. Mocht je problemen ervaren, log dan opnieuw in. Exporteer je sleutels en importeer ze weer om je berichtgeschiedenis te behouden.", "Please note you are logging into the %(hs)s server, not matrix.org.": "Let op dat je inlogt bij de %(hs)s-server, niet matrix.org.", "In reply to ": "Als antwoord op ", "This room is not public. You will not be able to rejoin without an invite.": "Dit is geen publieke kamer. Slechts op uitnodiging zal je opnieuw kunnen toetreden.", @@ -235,7 +211,6 @@ "Unavailable": "Niet beschikbaar", "Source URL": "Bron-URL", "Filter results": "Resultaten filteren", - "No update available.": "Geen update beschikbaar.", "Tuesday": "Dinsdag", "Search…": "Zoeken…", "Saturday": "Zaterdag", @@ -246,7 +221,6 @@ "You cannot delete this message. (%(code)s)": "Je kan dit bericht niet verwijderen. (%(code)s)", "Thursday": "Donderdag", "Yesterday": "Gisteren", - "Error encountered (%(errorDetail)s).": "Er is een fout opgetreden (%(errorDetail)s).", "Low Priority": "Lage prioriteit", "Wednesday": "Woensdag", "Thank you!": "Bedankt!", @@ -262,9 +236,6 @@ "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Het wissen van de browseropslag zal het probleem misschien verhelpen, maar zal je ook uitloggen en je gehele versleutelde kamergeschiedenis onleesbaar maken.", "Can't leave Server Notices room": "Kan servermeldingskamer niet verlaten", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Deze kamer is bedoeld voor belangrijke berichten van de homeserver, dus je kan het niet verlaten.", - "Terms and Conditions": "Gebruiksvoorwaarden", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Om de %(homeserverDomain)s-homeserver te blijven gebruiken, zal je de gebruiksvoorwaarden moeten bestuderen en aanvaarden.", - "Review terms and conditions": "Gebruiksvoorwaarden lezen", "Permission Required": "Toestemming vereist", "You do not have permission to start a conference call in this room": "Je hebt geen rechten in deze kamer om een vergadering te starten", "This event could not be displayed": "Deze gebeurtenis kon niet weergegeven worden", @@ -291,11 +262,6 @@ "The user must be unbanned before they can be invited.": "De persoon kan niet uitgenodigd worden totdat zijn ban is verwijderd.", "Unknown server error": "Onbekende serverfout", "Please contact your homeserver administrator.": "Gelieve contact op te nemen met de beheerder van jouw homeserver.", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Beveiligde berichten met deze persoon zijn eind-tot-eind-versleuteld en kunnen niet door derden worden gelezen.", - "Got It": "Ik snap het", - "Verify this user by confirming the following emoji appear on their screen.": "Verifieer deze persoon door te bevestigen dat hun scherm de volgende emoji toont.", - "Verify this user by confirming the following number appears on their screen.": "Verifieer deze persoon door te bevestigen dat hun scherm het volgende getal toont.", - "Unable to find a supported verification method.": "Kan geen ondersteunde verificatiemethode vinden.", "Dog": "Hond", "Cat": "Kat", "Lion": "Leeuw", @@ -375,7 +341,6 @@ "Display Name": "Weergavenaam", "Email addresses": "E-mailadressen", "Phone numbers": "Telefoonnummers", - "Language and region": "Taal en regio", "Account management": "Accountbeheer", "General": "Algemeen", "Accept all %(invitedRooms)s invites": "Alle %(invitedRooms)s de uitnodigingen aannemen", @@ -383,10 +348,7 @@ "Request media permissions": "Mediatoestemmingen verzoeken", "Voice & Video": "Spraak & video", "Room information": "Kamerinformatie", - "Room version": "Kamerversie", - "Room version:": "Kamerversie:", "Room Addresses": "Kameradressen", - "Encryption": "Versleuteling", "This room has been replaced and is no longer active.": "Deze kamer is vervangen en niet langer actief.", "The conversation continues here.": "Het gesprek gaat hier verder.", "Only room administrators will see this warning": "Enkel kamerbeheerders zullen deze waarschuwing zien", @@ -434,8 +396,6 @@ "Failed to decrypt %(failedCount)s sessions!": "Ontsleutelen van %(failedCount)s sessies is mislukt!", "Warning: you should only set up key backup from a trusted computer.": "Let op: stel sleutelback-up enkel in op een vertrouwde computer.", "This homeserver would like to make sure you are not a robot.": "Deze homeserver wil graag weten of je geen robot bent.", - "Please review and accept all of the homeserver's policies": "Gelieve het beleid van de homeserver door te nemen en te aanvaarden", - "Please review and accept the policies of this homeserver:": "Gelieve het beleid van deze homeserver door te nemen en te aanvaarden:", "Email (optional)": "E-mailadres (optioneel)", "Join millions for free on the largest public server": "Neem deel aan de grootste publieke server samen met miljoenen anderen", "Couldn't load page": "Kon pagina niet laden", @@ -461,7 +421,6 @@ "Set up Secure Messages": "Beveiligde berichten instellen", "Recovery Method Removed": "Herstelmethode verwijderd", "If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Als je de herstelmethode niet hebt verwijderd, is het mogelijk dat er een aanvaller toegang tot jouw account probeert te verkrijgen. Wijzig onmiddellijk je wachtwoord en stel bij instellingen een nieuwe herstelmethode in.", - "Upgrade this room to the recommended room version": "Upgrade deze kamer naar de aanbevolen kamerversie", "This room is running room version , which this homeserver has marked as unstable.": "Deze kamer draait op kamerversie , die door deze homeserver als onstabiel is gemarkeerd.", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Upgraden zal de huidige versie van deze kamer sluiten, en onder dezelfde naam een geüpgraded versie starten.", "Failed to revoke invite": "Intrekken van uitnodiging is mislukt", @@ -469,10 +428,6 @@ "Revoke invite": "Uitnodiging intrekken", "Invited by %(sender)s": "Uitgenodigd door %(sender)s", "Remember my selection for this widget": "Onthoud mijn keuze voor deze widget", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "Je hebt %(count)s ongelezen meldingen in een vorige versie van deze kamer.", - "one": "Je hebt %(count)s ongelezen meldingen in een vorige versie van deze kamer." - }, "The file '%(fileName)s' failed to upload.": "Het bestand ‘%(fileName)s’ kon niet geüpload worden.", "Notes": "Opmerkingen", "Sign out and remove encryption keys?": "Uitloggen en versleutelingssleutels verwijderen?", @@ -495,7 +450,6 @@ "No homeserver URL provided": "Geen homeserver-URL opgegeven", "Unexpected error resolving homeserver configuration": "Onverwachte fout bij het controleren van de homeserver-configuratie", "The user's homeserver does not support the version of the room.": "De homeserver van de persoon biedt geen ondersteuning voor deze kamerversie.", - "View older messages in %(roomName)s.": "Bekijk oudere berichten in %(roomName)s.", "Join the conversation with an account": "Neem deel aan de kamer met een account", "Sign Up": "Registreren", "Reason: %(reason)s": "Reden: %(reason)s", @@ -516,16 +470,6 @@ "Rotate Left": "Links draaien", "Rotate Right": "Rechts draaien", "Edit message": "Bericht bewerken", - "Use an email address to recover your account": "Gebruik een e-mailadres om je account te herstellen", - "Enter email address (required on this homeserver)": "Voer een e-mailadres in (vereist op deze homeserver)", - "Doesn't look like a valid email address": "Dit lijkt geen geldig e-mailadres", - "Enter password": "Voer wachtwoord in", - "Password is allowed, but unsafe": "Wachtwoord is toegestaan, maar onveilig", - "Nice, strong password!": "Dit is een sterk wachtwoord!", - "Passwords don't match": "Wachtwoorden komen niet overeen", - "Other users can invite you to rooms using your contact details": "Andere personen kunnen je in kamers uitnodigen op basis van je contactgegevens", - "Enter phone number (required on this homeserver)": "Voer telefoonnummer in (vereist op deze homeserver)", - "Enter username": "Voer inlognaam in", "Some characters not allowed": "Sommige tekens zijn niet toegestaan", "Add room": "Kamer toevoegen", "Failed to get autodiscovery configuration from server": "Ophalen van auto-vindbaarheidsconfiguratie van server is mislukt", @@ -630,7 +574,6 @@ "Close dialog": "Dialoog sluiten", "Hide advanced": "Geavanceerde info verbergen", "Show advanced": "Geavanceerde info tonen", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Publieke sleutel van captcha ontbreekt in homeserverconfiguratie. Meld dit aan de beheerder van je homeserver.", "Add Email Address": "E-mailadres toevoegen", "Add Phone Number": "Telefoonnummer toevoegen", "Your email address hasn't been verified yet": "Jouw e-mailadres is nog niet geverifieerd", @@ -646,51 +589,21 @@ "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "PAS OP: sleutelverificatie MISLUKT! De combinatie %(userId)s + sessie %(deviceId)s is ondertekend met ‘%(fprint)s’ - maar de opgegeven sleutel is ‘%(fingerprint)s’. Wellicht worden jouw berichten onderschept!", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "De door jou verschafte sleutel en de van %(userId)ss sessie %(deviceId)s verkregen sleutels komen overeen. De sessie is daarmee geverifieerd.", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)", - "Waiting for %(displayName)s to verify…": "Wachten tot %(displayName)s geverifieerd heeft…", "Lock": "Hangslot", "Other users may not trust it": "Mogelijk wantrouwen anderen het", "Later": "Later", - "This bridge was provisioned by .": "Dank aan voor de brug.", - "This bridge is managed by .": "Brug onderhouden door .", "Show more": "Meer tonen", - "in memory": "in het geheugen", - "not found": "niet gevonden", "Cancel entering passphrase?": "Wachtwoord annuleren?", "Securely cache encrypted messages locally for them to appear in search results.": "Sla versleutelde berichten veilig lokaal op om ze doorzoekbaar te maken.", "Cannot connect to integration manager": "Kan geen verbinding maken met de integratiebeheerder", "The integration manager is offline or it cannot reach your homeserver.": "De integratiebeheerder is offline of kan je homeserver niet bereiken.", "not stored": "niet opgeslagen", - "Ignored/Blocked": "Genegeerd/geblokkeerd", - "Error adding ignored user/server": "Fout bij het toevoegen van een genegeerde persoon/server", - "Something went wrong. Please try again or view your console for hints.": "Er is iets fout gegaan. Probeer het opnieuw of bekijk de console om voor meer informatie.", - "Error subscribing to list": "Fout bij het abonneren op de lijst", - "Error removing ignored user/server": "Fout bij het verwijderen van genegeerde persoon/server", - "Error unsubscribing from list": "Fout bij het opzeggen van een abonnement op de lijst", - "Please try again or view your console for hints.": "Probeer het opnieuw of bekijk de console voor meer informatie.", "None": "Geen", - "You have not ignored anyone.": "Je hebt niemand genegeerd.", - "You are currently ignoring:": "Je negeert op dit moment:", - "You are not subscribed to any lists": "Je hebt geen abonnement op een lijst", - "View rules": "Bekijk regels", - "You are currently subscribed to:": "Je hebt een abonnement op:", - "⚠ These settings are meant for advanced users.": "⚠ Deze instellingen zijn bedoeld voor gevorderde personen.", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Het negeren van personen gaat via banlijsten. Deze bevatten regels over wie verbannen moet worden. Het abonneren op een banlijst betekent dat je de personen/servers die op de lijst staan niet meer zult zien.", - "Personal ban list": "Persoonlijke banlijst", - "Server or user ID to ignore": "Server of persoon-ID om te negeren", - "eg: @bot:* or example.org": "bijvoorbeeld: @bot:* of voorbeeld.org", - "Subscribed lists": "Abonnementen op lijsten", - "Subscribing to a ban list will cause you to join it!": "Wanneer je jezelf abonneert op een banlijst zal je eraan worden toegevoegd!", - "If this isn't what you want, please use a different tool to ignore users.": "Als je dit niet wilt kan je een andere methode gebruiken om personen te negeren.", "You should:": "Je zou best:", "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "je browserextensies bekijken voor extensies die mogelijk de identiteitsserver blokkeren (zoals Privacy Badger)", "contact the administrators of identity server ": "contact opnemen met de beheerders van de identiteitsserver ", "wait and try again later": "wachten en het later weer proberen", "Manage integrations": "Integratiebeheerder", - "Ban list rules - %(roomName)s": "Banlijstregels - %(roomName)s", - "Server rules": "Serverregels", - "User rules": "Persoonsregels", - "Session ID:": "Sessie-ID:", - "Session key:": "Sessiesleutel:", "Message search": "Berichten zoeken", "This room is bridging messages to the following platforms. Learn more.": "Deze kamer wordt overbrugd naar de volgende platformen. Lees meer", "Bridges": "Bruggen", @@ -702,9 +615,6 @@ "Everyone in this room is verified": "Iedereen in deze kamer is geverifieerd", "Direct Messages": "Direct gesprek", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Jouw account heeft een identiteit voor kruiselings ondertekenen in de sleutelopslag, maar die wordt nog niet vertrouwd door de huidige sessie.", - "Cross-signing public keys:": "Publieke sleutels voor kruiselings ondertekenen:", - "Cross-signing private keys:": "Privésleutels voor kruiselings ondertekenen:", - "in secret storage": "in de sleutelopslag", "Secret storage public key:": "Sleutelopslag publieke sleutel:", "in account data": "in accountinformatie", "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Verbind deze sessie met de sleutelback-up voordat je jezelf afmeldt. Dit voorkomt dat je sleutels verliest die alleen op deze sessie voorkomen.", @@ -713,9 +623,6 @@ "Your keys are not being backed up from this session.": "Jouw sleutels worden niet geback-upt van deze sessie.", "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Je moet je persoonlijke informatie van de identiteitsserver verwijderen voordat je ontkoppelt. Helaas kan de identiteitsserver op dit moment niet worden bereikt. Mogelijk is hij offline.", "Your homeserver does not support cross-signing.": "Jouw homeserver biedt geen ondersteuning voor kruiselings ondertekenen.", - "Homeserver feature support:": "Homeserver functie ondersteuning:", - "exists": "aanwezig", - "Cancelling…": "Bezig met annuleren…", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "In %(brand)s ontbreken enige modulen vereist voor het veilig lokaal bewaren van versleutelde berichten. Wil je deze functie uittesten, compileer dan een aangepaste versie van %(brand)s Desktop die de zoekmodulen bevat.", "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Deze sessie maakt geen back-ups van je sleutels, maar je beschikt over een reeds bestaande back-up waaruit je kan herstellen en waaraan je nieuwe sleutels vanaf nu kunt toevoegen.", "Encrypted by an unverified session": "Versleuteld door een niet-geverifieerde sessie", @@ -814,7 +721,6 @@ "Verification Request": "Verificatieverzoek", "Remove for everyone": "Verwijderen voor iedereen", "Country Dropdown": "Landselectie", - "Confirm your identity by entering your account password below.": "Bevestig je identiteit door hieronder je wachtwoord in te voeren.", "Jump to first unread room.": "Ga naar het eerste ongelezen kamer.", "Jump to first invite.": "Ga naar de eerste uitnodiging.", "Enter your account password to confirm the upgrade:": "Voer je wachtwoord in om het upgraden te bevestigen:", @@ -1118,7 +1024,6 @@ "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "De beheerder van je server heeft eind-tot-eind-versleuteling standaard uitgeschakeld in alle privékamers en directe gesprekken.", "Scroll to most recent messages": "Spring naar meest recente bericht", "The authenticity of this encrypted message can't be guaranteed on this device.": "De echtheid van dit versleutelde bericht kan op dit apparaat niet worden gegarandeerd.", - "New version available. Update now.": "Nieuwe versie beschikbaar. Nu updaten.", "not ready": "Niet gereed", "ready": "Gereed", "unexpected type": "Onverwacht type", @@ -1126,10 +1031,6 @@ "Backup version:": "Versie reservekopie:", "The operation could not be completed": "De handeling kon niet worden voltooid", "Failed to save your profile": "Profiel opslaan mislukt", - "not found locally": "lokaal niet gevonden", - "cached locally": "lokaal opgeslagen", - "not found in storage": "Niet gevonden in de opslag", - "Channel: ": "Kanaal: ", "There was an error looking up the phone number": "Bij het zoeken naar het telefoonnummer is een fout opgetreden", "Unable to look up phone number": "Kan telefoonnummer niet opzoeken", "Change notification settings": "Meldingsinstellingen wijzigen", @@ -1211,7 +1112,6 @@ "Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Herinnering: Jouw browser wordt niet ondersteund. Dit kan een negatieve impact hebben op je ervaring.", "Invite someone using their name, email address, username (like ) or share this room.": "Nodig iemand uit door gebruik te maken van hun naam, e-mailadres, inlognaam (zoals ) of deel deze kamer.", "Invite someone using their name, username (like ) or share this room.": "Nodig iemand uit door gebruik te maken van hun naam, inlognaam (zoals ) of deel deze kamer.", - "Workspace: ": "Werkplaats: ", "Your firewall or anti-virus is blocking the request.": "Jouw firewall of antivirussoftware blokkeert de aanvraag.", "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Deze sessie heeft ontdekt dat je veiligheidswachtwoord en -sleutel voor versleutelde berichten zijn verwijderd.", "A new Security Phrase and key for Secure Messages have been detected.": "Er is een nieuwe veiligheidswachtwoord en -sleutel voor versleutelde berichten gedetecteerd.", @@ -1232,10 +1132,6 @@ "There was a problem communicating with the homeserver, please try again later.": "Er was een communicatieprobleem met de homeserver, probeer het later opnieuw.", "Switch theme": "Thema wisselen", "Sign in with SSO": "Inloggen met SSO", - "That phone number doesn't look quite right, please check and try again": "Dat telefoonnummer ziet er niet goed uit, controleer het en probeer het opnieuw", - "Enter phone number": "Telefoonnummer invoeren", - "Enter email address": "E-mailadres invoeren", - "Something went wrong in confirming your identity. Cancel and try again.": "Er is iets misgegaan bij het bevestigen van jouw identiteit. Annuleer en probeer het opnieuw.", "Move right": "Ga naar rechts", "Move left": "Ga naar links", "Revoke permissions": "Machtigingen intrekken", @@ -1307,9 +1203,6 @@ "Published Addresses": "Gepubliceerde adressen", "Open dial pad": "Kiestoetsen openen", "Recently visited rooms": "Onlangs geopende kamers", - "Room ID or address of ban list": "Kamer-ID of het adres van de banlijst", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Voeg hier personen en servers toe die je wil negeren. Gebruik asterisken om %(brand)s met alle tekens te laten overeenkomen. Bijvoorbeeld, @bot:* zou alle personen negeren die de naam 'bot' hebben op elke server.", - "Please verify the room ID or address and try again.": "Controleer het kamer-ID of het adres en probeer het opnieuw.", "Backup key cached:": "Back-up sleutel cached:", "Backup key stored:": "Back-up sleutel bewaard:", "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Maak een back-up van je versleutelingssleutels met je accountgegevens voor het geval je de toegang tot je sessies verliest. Je sleutels worden beveiligd met een unieke veiligheidssleutel.", @@ -1320,9 +1213,6 @@ "other": "Veilig lokaal opslaan van versleutelde berichten zodat ze in de zoekresultaten verschijnen, gebruik %(size)s voor het opslaan van berichten uit %(rooms)s kamers." }, "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Verifieer elke sessie die door een persoon wordt gebruikt afzonderlijk. Dit markeert hen als vertrouwd zonder te vertrouwen op kruislings ondertekende apparaten.", - "User signing private key:": "Persoonsondertekening-privésleutel:", - "Master private key:": "Hoofdprivésleutel:", - "Self signing private key:": "Zelfondertekening-privésleutel:", "Cross-signing is not set up.": "Kruiselings ondertekenen is niet ingesteld.", "Cross-signing is ready for use.": "Kruiselings ondertekenen is klaar voor gebruik.", "Your server isn't responding to some requests.": "Je server reageert niet op sommige verzoeken.", @@ -1330,7 +1220,6 @@ "IRC display name width": "Breedte IRC-weergavenaam", "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Als je nu annuleert, kan je versleutelde berichten en gegevens verliezen als je geen toegang meer hebt tot je login.", "To continue, use Single Sign On to prove your identity.": "Om verder te gaan, gebruik je eenmalige aanmelding om je identiteit te bewijzen.", - "Original event source": "Originele gebeurtenisbron", "%(count)s members": { "other": "%(count)s personen", "one": "%(count)s persoon" @@ -1380,7 +1269,6 @@ "Invite with email or username": "Uitnodigen per e-mail of inlognaam", "You can change these anytime.": "Je kan dit elk moment nog aanpassen.", "Verify your identity to access encrypted messages and prove your identity to others.": "Verifeer je identiteit om toegang te krijgen tot je versleutelde berichten en om je identiteit te bewijzen voor anderen.", - "Verification requested": "Verificatieverzocht", "Avatar": "Afbeelding", "You most likely do not want to reset your event index store": "Je wilt waarschijnlijk niet jouw gebeurtenisopslag-index resetten", "Reset event store?": "Gebeurtenisopslag resetten?", @@ -1598,7 +1486,6 @@ "Unban from %(roomName)s": "Ontban van %(roomName)s", "They'll still be able to access whatever you're not an admin of.": "Ze zullen nog steeds toegang hebben tot alles waar je geen beheerder van bent.", "Disinvite from %(roomName)s": "Uitnodiging intrekken voor %(roomName)s", - "Create poll": "Poll aanmaken", "%(count)s reply": { "one": "%(count)s reactie", "other": "%(count)s reacties" @@ -1629,13 +1516,6 @@ "Mentions only": "Alleen vermeldingen", "Forget": "Vergeet", "If you can't see who you're looking for, send them your invite link below.": "Als je niet kan vinden wie je zoekt, stuur ze dan je uitnodigingslink hieronder.", - "Add option": "Optie toevoegen", - "Write an option": "Schrijf een optie", - "Option %(number)s": "Optie %(number)s", - "Create options": "Opties maken", - "Question or topic": "Vraag of onderwerp", - "What is your poll question or topic?": "Wat is jouw poll vraag of onderwerp?", - "Create Poll": "Poll aanmaken", "Based on %(count)s votes": { "one": "Gebaseerd op %(count)s stem", "other": "Gebaseerd op %(count)s stemmen" @@ -1673,8 +1553,6 @@ "Regain access to your account and recover encryption keys stored in this session. Without them, you won't be able to read all of your secure messages in any session.": "Ontvang toegang tot je account en herstel de tijdens deze sessie opgeslagen versleutelingssleutels, zonder deze sleutels zijn sommige van je versleutelde berichten in je sessies onleesbaar.", "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Zonder verifiëren heb je geen toegang tot al je berichten en kan je als onvertrouwd aangemerkt staan bij anderen.", "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Bewaar je veiligheidssleutel op een veilige plaats, zoals in een wachtwoordmanager of een kluis, aangezien hiermee je versleutelde gegevens zijn beveiligd.", - "Sorry, the poll you tried to create was not posted.": "Sorry, de poll die je probeerde aan te maken is niet geplaatst.", - "Failed to post poll": "Poll plaatsen mislukt", "Sorry, your vote was not registered. Please try again.": "Sorry, jouw stem is niet geregistreerd. Probeer het alstublieft opnieuw.", "Vote not registered": "Stem niet geregistreerd", "Pin to sidebar": "Vastprikken aan zijbalk", @@ -1740,10 +1618,6 @@ "You cancelled verification on your other device.": "Je hebt de verificatie geannuleerd op het andere apparaat.", "Almost there! Is your other device showing the same shield?": "Je bent er bijna! Toont het andere apparaat hetzelfde schild?", "To proceed, please accept the verification request on your other device.": "Om door te gaan, accepteer het verificatie verzoek op je andere apparaat.", - "Waiting for you to verify on your other device…": "Wachten op je verificatie op het andere apparaat…", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Wachten op je verificatie op het andere apparaat, %(deviceName)s (%(deviceId)s)…", - "Verify this device by confirming the following number appears on its screen.": "Verifieer dit apparaat door te bevestigen dat het volgende nummer zichtbaar is op het scherm.", - "Confirm the emoji below are displayed on both devices, in the same order:": "Bevestig dat de onderstaande emoji zichtbaar zijn op beide apparaten en in dezelfde volgorde:", "Back to thread": "Terug naar draad", "Room members": "Kamerleden", "Back to chat": "Terug naar chat", @@ -1759,7 +1633,6 @@ "Remove from %(roomName)s": "Verwijderen uit %(roomName)s", "You were removed from %(roomName)s by %(memberName)s": "Je bent verwijderd uit %(roomName)s door %(memberName)s", "From a thread": "Uit een conversatie", - "Internal room ID": "Interne ruimte ID", "Wait!": "Wacht!", "This address does not point at this room": "Dit adres verwijst niet naar deze kamer", "Pick a date to jump to": "Kies een datum om naar toe te springen", @@ -1789,12 +1662,6 @@ }, "%(featureName)s Beta feedback": "%(featureName)s Bèta-feedback", "You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "Je kan de aangepaste serveropties gebruiken om je aan te melden bij andere Matrix-servers door een andere server-URL op te geven. Hierdoor kan je %(brand)s gebruiken met een bestaand Matrix-account op een andere thuisserver.", - "Results are only revealed when you end the poll": "Resultaten worden pas onthuld als je de poll beëindigt", - "Voters see results as soon as they have voted": "Kiezers zien resultaten zodra ze hebben gestemd", - "Closed poll": "Gesloten poll", - "Open poll": "Start poll", - "Poll type": "Poll type", - "Edit poll": "Bewerk poll", "What location type do you want to share?": "Welk locatietype wil je delen?", "Drop a Pin": "Zet een pin neer", "My live location": "Mijn live locatie", @@ -1839,8 +1706,6 @@ }, "New video room": "Nieuwe video kamer", "New room": "Nieuwe kamer", - "View older version of %(spaceName)s.": "Bekijk oudere versie van %(spaceName)s.", - "Upgrade this space to the recommended room version": "Upgrade deze ruimte naar de aanbevolen kamerversie", "Match system": "Match systeem", "Failed to join": "Kan niet deelnemen", "The person who invited you has already left, or their server is offline.": "De persoon die je heeft uitgenodigd is al vertrokken, of zijn server is offline.", @@ -1908,16 +1773,10 @@ "Video room": "Video kamer", "%(members)s and %(last)s": "%(members)s en %(last)s", "%(members)s and more": "%(members)s en meer", - "Resent!": "Opnieuw versturen!", - "Did not receive it? Resend it": "Niet ontvangen? Stuur het opnieuw", - "To create your account, open the link in the email we just sent to %(emailAddress)s.": "Om jouw account aan te maken, open je de link in de e-mail die we zojuist naar %(emailAddress)s hebben gestuurd.", "Unread email icon": "Ongelezen e-mailpictogram", - "Check your email to continue": "Controleer je e-mail om door te gaan", "An error occurred whilst sharing your live location, please try again": "Er is een fout opgetreden bij het delen van je live locatie, probeer het opnieuw", "An error occurred whilst sharing your live location": "Er is een fout opgetreden bij het delen van je live locatie", "View related event": "Bekijk gerelateerde gebeurtenis", - "Click to read topic": "Klik om het onderwerp te lezen", - "Edit topic": "Bewerk onderwerp", "Joining…": "Deelnemen…", "Read receipts": "Leesbevestigingen", "%(count)s people joined": { @@ -1970,7 +1829,6 @@ "Saved Items": "Opgeslagen items", "We're creating a room with %(names)s": "We maken een kamer aan met %(names)s", "Choose a locale": "Kies een landinstelling", - "Spell check": "Spellingscontrole", "Interactively verify by emoji": "Interactief verifiëren door emoji", "Manually verify by text": "Handmatig verifiëren via tekst", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Voor de beste beveiliging verifieer je jouw sessies en meldt je jezelf af bij elke sessie die je niet meer herkent of gebruikt.", @@ -2290,7 +2148,11 @@ "sliding_sync_disable_warning": "Om uit te schakelen moet je uitloggen en weer inloggen, wees voorzichtig!", "sliding_sync_proxy_url_optional_label": "Proxy-URL (optioneel)", "sliding_sync_proxy_url_label": "Proxy URL", - "video_rooms_beta": "Videokamers zijn een bètafunctie" + "video_rooms_beta": "Videokamers zijn een bètafunctie", + "bridge_state_creator": "Dank aan voor de brug.", + "bridge_state_manager": "Brug onderhouden door .", + "bridge_state_workspace": "Werkplaats: ", + "bridge_state_channel": "Kanaal: " }, "keyboard": { "home": "Home", @@ -2599,7 +2461,26 @@ "record_session_details": "Noteer de naam, versie en url van de applicatie om sessies gemakkelijker te herkennen in sessiebeheer", "strict_encryption": "Vanaf deze sessie nooit versleutelde berichten naar ongeverifieerde sessies versturen", "enable_message_search": "Zoeken in versleutelde kamers inschakelen", - "manually_verify_all_sessions": "Handmatig alle externe sessies verifiëren" + "manually_verify_all_sessions": "Handmatig alle externe sessies verifiëren", + "cross_signing_public_keys": "Publieke sleutels voor kruiselings ondertekenen:", + "cross_signing_in_memory": "in het geheugen", + "cross_signing_not_found": "niet gevonden", + "cross_signing_private_keys": "Privésleutels voor kruiselings ondertekenen:", + "cross_signing_in_4s": "in de sleutelopslag", + "cross_signing_not_in_4s": "Niet gevonden in de opslag", + "cross_signing_master_private_Key": "Hoofdprivésleutel:", + "cross_signing_cached": "lokaal opgeslagen", + "cross_signing_not_cached": "lokaal niet gevonden", + "cross_signing_self_signing_private_key": "Zelfondertekening-privésleutel:", + "cross_signing_user_signing_private_key": "Persoonsondertekening-privésleutel:", + "cross_signing_homeserver_support": "Homeserver functie ondersteuning:", + "cross_signing_homeserver_support_exists": "aanwezig", + "export_megolm_keys": "E2E-kamersleutels exporteren", + "import_megolm_keys": "E2E-kamersleutels importeren", + "cryptography_section": "Cryptografie", + "session_id": "Sessie-ID:", + "session_key": "Sessiesleutel:", + "encryption_section": "Versleuteling" }, "preferences": { "room_list_heading": "Kamerslijst", @@ -2693,6 +2574,11 @@ "other": "Apparaten uitloggen" }, "security_recommendations": "Beveiligingsaanbevelingen" + }, + "general": { + "account_section": "Account", + "language_section": "Taal en regio", + "spell_check_section": "Spellingscontrole" } }, "devtools": { @@ -2765,7 +2651,8 @@ "title": "Ontwikkelaarstools", "show_hidden_events": "Verborgen gebeurtenissen op de tijdslijn weergeven", "developer_mode": "Ontwikkelaar mode", - "view_source_decrypted_event_source": "Ontsleutel de gebeurtenisbron" + "view_source_decrypted_event_source": "Ontsleutel de gebeurtenisbron", + "original_event_source": "Originele gebeurtenisbron" }, "export_chat": { "html": "HTML", @@ -3365,6 +3252,16 @@ "url_preview_encryption_warning": "In versleutelde kamers zoals deze zijn URL-voorvertoningen standaard uitgeschakeld, om te voorkomen dat jouw homeserver (waar de voorvertoningen worden gemaakt) informatie kan verzamelen over de koppelingen die je hier ziet.", "url_preview_explainer": "Als iemand een URL in een bericht invoegt, kan er een URL-voorvertoning weergegeven worden met meer informatie over de koppeling, zoals de titel, omschrijving en een afbeelding van de website.", "url_previews_section": "URL-voorvertoningen" + }, + "advanced": { + "unfederated": "Deze kamer is niet toegankelijk vanaf externe Matrix-servers", + "space_upgrade_button": "Upgrade deze ruimte naar de aanbevolen kamerversie", + "room_upgrade_button": "Upgrade deze kamer naar de aanbevolen kamerversie", + "space_predecessor": "Bekijk oudere versie van %(spaceName)s.", + "room_predecessor": "Bekijk oudere berichten in %(roomName)s.", + "room_id": "Interne ruimte ID", + "room_version_section": "Kamerversie", + "room_version": "Kamerversie:" } }, "encryption": { @@ -3380,8 +3277,22 @@ "sas_prompt": "Vergelijk unieke emoji", "sas_description": "Vergelijk een unieke lijst met emoji als geen van beide apparaten een camera heeft", "qr_or_sas": "%(qrCode)s of %(emojiCompare)s", - "qr_or_sas_header": "Verifieer dit apparaat door een van onderstaande methodes af te ronden:" - } + "qr_or_sas_header": "Verifieer dit apparaat door een van onderstaande methodes af te ronden:", + "explainer": "Beveiligde berichten met deze persoon zijn eind-tot-eind-versleuteld en kunnen niet door derden worden gelezen.", + "complete_action": "Ik snap het", + "sas_emoji_caption_self": "Bevestig dat de onderstaande emoji zichtbaar zijn op beide apparaten en in dezelfde volgorde:", + "sas_emoji_caption_user": "Verifieer deze persoon door te bevestigen dat hun scherm de volgende emoji toont.", + "sas_caption_self": "Verifieer dit apparaat door te bevestigen dat het volgende nummer zichtbaar is op het scherm.", + "sas_caption_user": "Verifieer deze persoon door te bevestigen dat hun scherm het volgende getal toont.", + "unsupported_method": "Kan geen ondersteunde verificatiemethode vinden.", + "waiting_other_device_details": "Wachten op je verificatie op het andere apparaat, %(deviceName)s (%(deviceId)s)…", + "waiting_other_device": "Wachten op je verificatie op het andere apparaat…", + "waiting_other_user": "Wachten tot %(displayName)s geverifieerd heeft…", + "cancelling": "Bezig met annuleren…" + }, + "old_version_detected_title": "Oude cryptografiegegevens gedetecteerd", + "old_version_detected_description": "Er zijn gegevens van een oudere versie van %(brand)s gevonden, die problemen veroorzaakt hebben met de eind-tot-eind-versleuteling in de oude versie. Onlangs vanuit de oude versie verzonden eind-tot-eind-versleutelde berichten zijn mogelijk onontsleutelbaar in deze versie. Ook kunnen berichten die met deze versie uitgewisseld zijn falen. Mocht je problemen ervaren, log dan opnieuw in. Exporteer je sleutels en importeer ze weer om je berichtgeschiedenis te behouden.", + "verification_requested_toast_title": "Verificatieverzocht" }, "emoji": { "category_frequently_used": "Vaak gebruikt", @@ -3479,7 +3390,47 @@ "phone_optional_label": "Telefoonnummer (optioneel)", "email_help_text": "Voeg een e-mail toe om je wachtwoord te kunnen resetten.", "email_phone_discovery_text": "Gebruik e-mail of telefoon om optioneel ontdekt te kunnen worden door bestaande contacten.", - "email_discovery_text": "Optioneel kan je jouw e-mail ook gebruiken om ontdekt te worden door al bestaande contacten." + "email_discovery_text": "Optioneel kan je jouw e-mail ook gebruiken om ontdekt te worden door al bestaande contacten.", + "session_logged_out_title": "Uitgelogd", + "session_logged_out_description": "Wegens veiligheidsredenen is deze sessie uitgelogd. Log opnieuw in.", + "change_password_mismatch": "Nieuwe wachtwoorden komen niet overeen", + "change_password_empty": "Wachtwoorden kunnen niet leeg zijn", + "set_email_prompt": "Wil je een e-mailadres instellen?", + "change_password_confirm_label": "Bevestig wachtwoord", + "change_password_confirm_invalid": "Wachtwoorden komen niet overeen", + "change_password_current_label": "Huidig wachtwoord", + "change_password_new_label": "Nieuw wachtwoord", + "change_password_action": "Wachtwoord wijzigen", + "email_field_label": "E-mailadres", + "email_field_label_required": "E-mailadres invoeren", + "email_field_label_invalid": "Dit lijkt geen geldig e-mailadres", + "uia": { + "password_prompt": "Bevestig je identiteit door hieronder je wachtwoord in te voeren.", + "recaptcha_missing_params": "Publieke sleutel van captcha ontbreekt in homeserverconfiguratie. Meld dit aan de beheerder van je homeserver.", + "terms_invalid": "Gelieve het beleid van de homeserver door te nemen en te aanvaarden", + "terms": "Gelieve het beleid van deze homeserver door te nemen en te aanvaarden:", + "email_auth_header": "Controleer je e-mail om door te gaan", + "email": "Om jouw account aan te maken, open je de link in de e-mail die we zojuist naar %(emailAddress)s hebben gestuurd.", + "email_resend_prompt": "Niet ontvangen? Stuur het opnieuw", + "email_resent": "Opnieuw versturen!", + "msisdn_token_incorrect": "Bewijs onjuist", + "msisdn": "Er is een sms naar %(msisdn)s verstuurd", + "msisdn_token_prompt": "Voer de code in die het bevat:", + "sso_failed": "Er is iets misgegaan bij het bevestigen van jouw identiteit. Annuleer en probeer het opnieuw.", + "fallback_button": "Authenticatie starten" + }, + "password_field_label": "Voer wachtwoord in", + "password_field_strong_label": "Dit is een sterk wachtwoord!", + "password_field_weak_label": "Wachtwoord is toegestaan, maar onveilig", + "username_field_required_invalid": "Voer inlognaam in", + "msisdn_field_required_invalid": "Telefoonnummer invoeren", + "msisdn_field_number_invalid": "Dat telefoonnummer ziet er niet goed uit, controleer het en probeer het opnieuw", + "msisdn_field_label": "Telefoonnummer", + "identifier_label": "Inloggen met", + "reset_password_email_field_description": "Gebruik een e-mailadres om je account te herstellen", + "reset_password_email_field_required_invalid": "Voer een e-mailadres in (vereist op deze homeserver)", + "msisdn_field_description": "Andere personen kunnen je in kamers uitnodigen op basis van je contactgegevens", + "registration_msisdn_field_required_invalid": "Voer telefoonnummer in (vereist op deze homeserver)" }, "room_list": { "sort_unread_first": "Kamers met ongelezen berichten als eerste tonen", @@ -3655,7 +3606,11 @@ "see_changes_button": "Wat is er nieuw?", "release_notes_toast_title": "Wat is er nieuw", "toast_title": "%(brand)s updaten", - "toast_description": "Nieuwe versie van %(brand)s is beschikbaar" + "toast_description": "Nieuwe versie van %(brand)s is beschikbaar", + "error_encountered": "Er is een fout opgetreden (%(errorDetail)s).", + "no_update": "Geen update beschikbaar.", + "new_version_available": "Nieuwe versie beschikbaar. Nu updaten.", + "check_action": "Controleren op updates" }, "threads": { "all_threads": "Alle discussies", @@ -3707,7 +3662,34 @@ }, "labs_mjolnir": { "room_name": "Mijn banlijst", - "room_topic": "Dit is de lijst van door jou geblokkeerde servers/personen. Verlaat deze kamer niet!" + "room_topic": "Dit is de lijst van door jou geblokkeerde servers/personen. Verlaat deze kamer niet!", + "ban_reason": "Genegeerd/geblokkeerd", + "error_adding_ignore": "Fout bij het toevoegen van een genegeerde persoon/server", + "something_went_wrong": "Er is iets fout gegaan. Probeer het opnieuw of bekijk de console om voor meer informatie.", + "error_adding_list_title": "Fout bij het abonneren op de lijst", + "error_adding_list_description": "Controleer het kamer-ID of het adres en probeer het opnieuw.", + "error_removing_ignore": "Fout bij het verwijderen van genegeerde persoon/server", + "error_removing_list_title": "Fout bij het opzeggen van een abonnement op de lijst", + "error_removing_list_description": "Probeer het opnieuw of bekijk de console voor meer informatie.", + "rules_title": "Banlijstregels - %(roomName)s", + "rules_server": "Serverregels", + "rules_user": "Persoonsregels", + "personal_empty": "Je hebt niemand genegeerd.", + "personal_section": "Je negeert op dit moment:", + "no_lists": "Je hebt geen abonnement op een lijst", + "view_rules": "Bekijk regels", + "lists": "Je hebt een abonnement op:", + "title": "Genegeerde personen", + "advanced_warning": "⚠ Deze instellingen zijn bedoeld voor gevorderde personen.", + "explainer_1": "Voeg hier personen en servers toe die je wil negeren. Gebruik asterisken om %(brand)s met alle tekens te laten overeenkomen. Bijvoorbeeld, @bot:* zou alle personen negeren die de naam 'bot' hebben op elke server.", + "explainer_2": "Het negeren van personen gaat via banlijsten. Deze bevatten regels over wie verbannen moet worden. Het abonneren op een banlijst betekent dat je de personen/servers die op de lijst staan niet meer zult zien.", + "personal_heading": "Persoonlijke banlijst", + "personal_new_label": "Server of persoon-ID om te negeren", + "personal_new_placeholder": "bijvoorbeeld: @bot:* of voorbeeld.org", + "lists_heading": "Abonnementen op lijsten", + "lists_description_1": "Wanneer je jezelf abonneert op een banlijst zal je eraan worden toegevoegd!", + "lists_description_2": "Als je dit niet wilt kan je een andere methode gebruiken om personen te negeren.", + "lists_new_label": "Kamer-ID of het adres van de banlijst" }, "create_space": { "name_required": "Vul een naam in voor deze space", @@ -3769,6 +3751,12 @@ "private_unencrypted_warning": "Je privéberichten zijn versleuteld, maar deze kamer niet. Dit komt vaak doordat je een niet ondersteund apparaat of methode gebruikt, zoals e-mailuitnodigingen.", "enable_encryption_prompt": "Versleuteling inschakelen in instellingen.", "unencrypted_warning": "Eind-tot-eind-versleuteling is uitgeschakeld" + }, + "edit_topic": "Bewerk onderwerp", + "read_topic": "Klik om het onderwerp te lezen", + "unread_notifications_predecessor": { + "other": "Je hebt %(count)s ongelezen meldingen in een vorige versie van deze kamer.", + "one": "Je hebt %(count)s ongelezen meldingen in een vorige versie van deze kamer." } }, "file_panel": { @@ -3783,9 +3771,30 @@ "intro": "Om door te gaan dien je de dienstvoorwaarden te aanvaarden.", "column_service": "Dienst", "column_summary": "Samenvatting", - "column_document": "Document" + "column_document": "Document", + "tac_title": "Gebruiksvoorwaarden", + "tac_description": "Om de %(homeserverDomain)s-homeserver te blijven gebruiken, zal je de gebruiksvoorwaarden moeten bestuderen en aanvaarden.", + "tac_button": "Gebruiksvoorwaarden lezen" }, "space_settings": { "title": "Instellingen - %(spaceName)s" + }, + "poll": { + "create_poll_title": "Poll aanmaken", + "create_poll_action": "Poll aanmaken", + "edit_poll_title": "Bewerk poll", + "failed_send_poll_title": "Poll plaatsen mislukt", + "failed_send_poll_description": "Sorry, de poll die je probeerde aan te maken is niet geplaatst.", + "type_heading": "Poll type", + "type_open": "Start poll", + "type_closed": "Gesloten poll", + "topic_heading": "Wat is jouw poll vraag of onderwerp?", + "topic_label": "Vraag of onderwerp", + "options_heading": "Opties maken", + "options_label": "Optie %(number)s", + "options_placeholder": "Schrijf een optie", + "options_add_button": "Optie toevoegen", + "disclosed_notes": "Kiezers zien resultaten zodra ze hebben gestemd", + "notes": "Resultaten worden pas onthuld als je de poll beëindigt" } } diff --git a/src/i18n/strings/nn.json b/src/i18n/strings/nn.json index 89e887d5f5..87d1bba601 100644 --- a/src/i18n/strings/nn.json +++ b/src/i18n/strings/nn.json @@ -65,16 +65,8 @@ "Not a valid %(brand)s keyfile": "Ikkje ei gyldig %(brand)s-nykelfil", "Authentication check failed: incorrect password?": "Authentiseringsforsøk mislukkast: feil passord?", "Incorrect verification code": "Urett stadfestingskode", - "Phone": "Telefon", "No display name": "Ingen visningsnamn", - "New passwords don't match": "Dei nye passorda samsvarar ikkje", - "Passwords can't be empty": "Passordsfelta kan ikkje vera tomme", "Warning!": "Åtvaring!", - "Do you want to set an email address?": "Vil du setja ei epostadresse?", - "Current password": "Gjeldande passord", - "New Password": "Nytt passord", - "Confirm password": "Stadfest passord", - "Change Password": "Endra passord", "Authentication": "Authentisering", "Failed to set display name": "Fekk ikkje til å setja visningsnamn", "Notification targets": "Varselmål", @@ -145,14 +137,8 @@ "Error decrypting video": "Noko gjekk gale med videodekrypteringa", "Copied!": "Kopiert!", "Failed to copy": "Noko gjekk gale med kopieringa", - "A text message has been sent to %(msisdn)s": "Ei tekstmelding vart send til %(msisdn)s", - "Please enter the code it contains:": "Ver venleg og skriv koden den inneheld inn:", - "Start authentication": "Start authentisering", - "Sign in with": "Logg inn med", "Email address": "Epostadresse", "Something went wrong!": "Noko gjekk gale!", - "Error encountered (%(errorDetail)s).": "Noko gjekk gale (%(errorDetail)s).", - "No update available.": "Inga oppdatering er tilgjengeleg.", "Delete Widget": "Slett Widgeten", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Å sletta ein widget fjernar den for alle brukarane i rommet. Er du sikker på at du vil sletta denne widgeten?", "Delete widget": "Slett widgeten", @@ -210,13 +196,6 @@ "Are you sure you want to leave the room '%(roomName)s'?": "Er du sikker på at du vil forlate rommet '%(roomName)s'?", "Can't leave Server Notices room": "Kan ikkje forlate Systemvarsel-rommet", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Dette rommet er for viktige meldingar frå Heimtenaren, så du kan ikkje forlate det.", - "Signed Out": "Logga Ut", - "For security, this session has been signed out. Please sign in again.": "Av sikkerheitsgrunnar har denne øykta vorte logga ut. Ver venleg og logg inn att.", - "Terms and Conditions": "Vilkår og Føresetnader", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "For å framleis bruka %(homeserverDomain)s sin heimtenar må du sjå over og seia deg einig i våre Vilkår og Føresetnader.", - "Review terms and conditions": "Sjå over Vilkår og Føresetnader", - "Old cryptography data detected": "Gamal kryptografidata vart oppdagen", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Data frå ein eldre versjon av %(brand)s er oppdaga. Dette kan ha gjort at ende-til-ende kryptering feilar i den eldre versjonen. Krypterte meldingar som er utveksla med den gamle versjonen er kanskje ikkje dekrypterbare i denne versjonen. Dette kan forårsake at meldingar utveksla mot denne versjonen vil feile. Opplever du problem med dette, kan du logge inn og ut igjen. For å behalde meldingshistorikk, eksporter og importer nøklane dine på nytt.", "Invite to this room": "Inviter til dette rommet", "Notifications": "Varsel", "You can't send any messages until you review and agree to our terms and conditions.": "Du kan ikkje senda meldingar før du les over og godkjenner våre bruksvilkår.", @@ -237,9 +216,6 @@ "Uploading %(filename)s": "Lastar opp %(filename)s", "Unable to remove contact information": "Klarte ikkje å fjerna kontaktinfo", "": "", - "Import E2E room keys": "Hent E2E-romnøklar inn", - "Cryptography": "Kryptografi", - "Check for update": "Sjå etter oppdateringar", "Reject all %(invitedRooms)s invites": "Kanseller alle invitasjonar frå %(invitedRooms)s", "No media permissions": "Ingen mediatilgang", "You may need to manually permit %(brand)s to access your microphone/webcam": "Det kan henda at du må gje %(brand)s tilgang til mikrofonen/nettkameraet for hand", @@ -248,8 +224,6 @@ "No Webcams detected": "Ingen Nettkamera funne", "Default Device": "Eininga som brukast i utgangspunktet", "Audio Output": "Ljodavspeling", - "Email": "Epost", - "Account": "Brukar", "A new password must be entered.": "Du må skriva eit nytt passord inn.", "New passwords must match each other.": "Dei nye passorda må vera like.", "Return to login screen": "Gå attende til innlogging", @@ -261,12 +235,9 @@ "Passphrase must not be empty": "Passfrasefeltet kan ikkje stå tomt", "Enter passphrase": "Skriv inn passfrase", "Confirm passphrase": "Stadfest passfrase", - "Export E2E room keys": "Hent E2E-romnøklar ut", "Jump to read receipt": "Hopp til lesen-lappen", "Filter room members": "Filtrer rommedlemmar", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Du held på å verta teken til ei tredje-partisside so du kan godkjenna brukaren din til bruk med %(integrationsUrl)s. Vil du gå fram?", - "Token incorrect": "Teiknet er gale", - "This room is not accessible by remote Matrix servers": "Rommet er ikkje tilgjengeleg for andre Matrix-heimtenarar", "Add an Integration": "Legg tillegg til", "Popout widget": "Popp widget ut", "Custom level": "Tilpassa nivå", @@ -290,10 +261,6 @@ "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Meldinga di vart ikkje send, for denne heimetenaren har nådd grensa for maksimalt aktive brukarar pr. månad. Kontakt systemadministratoren for å vidare nytte denne tenesta.", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Denne meldingen vart ikkje send fordi heimetenaren har nådd grensa for tilgjengelege systemressursar. Kontakt systemadministratoren for å vidare nytta denne tenesta.", "Add room": "Legg til rom", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "Du har %(count)s uleste varslingar i ein tidligare versjon av dette rommet.", - "one": "Du har %(count)s ulest varsel i ein tidligare versjon av dette rommet." - }, "Could not load user profile": "Klarde ikkje å laste brukarprofilen", "Your password has been reset.": "Passodet ditt vart nullstilt.", "Invalid homeserver discovery response": "Feil svar frå heimetenaren (discovery response)", @@ -419,7 +386,6 @@ "Show more": "Vis meir", "Display Name": "Visningsnamn", "Invalid theme schema.": "", - "Language and region": "Språk og region", "General": "Generelt", "Room information": "Rominformasjon", "Room Addresses": "Romadresser", @@ -430,17 +396,13 @@ "Upload completed": "Opplasting fullført", "Cancelled signature upload": "Kansellerte opplasting av signatur", "Room Settings - %(roomName)s": "Rominnstillingar - %(roomName)s", - "Upgrade this room to the recommended room version": "Oppgrader dette rommet til anbefalt romversjon", "Your theme": "Ditt tema", "Failed to upgrade room": "Fekk ikkje til å oppgradere rom", "Use Single Sign On to continue": "Bruk Single-sign-on for å fortsette", "Confirm adding this email address by using Single Sign On to prove your identity.": "Stadfest at du legger til denne e-postadressa, ved å bruka Single-sign-on for å stadfeste identiteten din.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Kontoen din har ein kryss-signert identitet det hemmelege lageret, økta di stolar ikkje på denne enno.", - "in secret storage": "i hemmeleg lager", "Secret storage public key:": "Public-nøkkel for hemmeleg lager:", "Ignored users": "Ignorerte brukarar", - "Server or user ID to ignore": "Tenar eller brukar-ID for å ignorere", - "If this isn't what you want, please use a different tool to ignore users.": "Om det ikkje var dette du ville, bruk eit anna verktøy til å ignorera brukarar.", "Enter the name of a new server you want to explore.": "Skriv inn namn på ny tenar du ynskjer å utforske.", "Command Help": "Kommandohjelp", "To help us prevent this in future, please send us logs.": "For å bistå med å forhindre dette i framtida, gjerne send oss loggar.", @@ -454,7 +416,6 @@ "Click the button below to confirm adding this phone number.": "Trykk på knappen nedanfor for å legge til dette telefonnummeret.", "%(name)s is requesting verification": "%(name)s spør etter verifikasjon", "Later": "Seinare", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Sikre meldingar med denne brukaren er ende-til-ende krypterte og kan ikkje lesast av tredjepart.", "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Er du sikker? Alle dine krypterte meldingar vil gå tapt viss nøklane dine ikkje er sikkerheitskopierte.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Krypterte meldingar er sikra med ende-til-ende kryptering. Berre du og mottakar(ane) har nøklane for å lese desse meldingane.", "wait and try again later": "vent og prøv om att seinare", @@ -478,7 +439,6 @@ "All settings": "Alle innstillingar", "Delete Backup": "Slett sikkerheitskopi", "Restore from Backup": "Gjenopprett frå sikkerheitskopi", - "Encryption": "Kryptografi", "Change notification settings": "Endra varslingsinnstillingar", "Enable desktop notifications": "Aktiver skrivebordsvarsel", "Video conference started by %(senderName)s": "Videokonferanse starta av %(senderName)s", @@ -517,14 +477,8 @@ "End Poll": "Avslutt røysting", "Sorry, the poll did not end. Please try again.": "Røystinga vart ikkje avslutta. Prøv på nytt.", "Failed to end poll": "Avslutning av røysting gjekk gale", - "Failed to post poll": "Oppretting av røysting gjekk gale", "The poll has ended. Top answer: %(topAnswer)s": "Røystinga er ferdig. Flest stemmer: %(topAnswer)s", "The poll has ended. No votes were cast.": "Røystinga er ferdig. Ingen røyster vart mottekne.", - "What is your poll question or topic?": "Kva handlar røystinga om ?", - "Sorry, the poll you tried to create was not posted.": "Røystinga du prøvde å oppretta vart ikkje publisert.", - "Edit poll": "Endra røysting", - "Create Poll": "Opprett røysting", - "Create poll": "Opprett røysting", "Sorry, you can't edit a poll after votes have been cast.": "Beklagar, du kan ikkje endra ei røysting som er i gang.", "Can't edit poll": "Røystinga kan ikkje endrast", "Poll": "Røysting", @@ -538,7 +492,6 @@ "Not a valid identity server (status code %(code)s)": "Ikkje ein gyldig identietstenar (statuskode %(code)s)", "Identity server URL must be HTTPS": "URL for identitetstenar må vera HTTPS", "Review to ensure your account is safe": "Undersøk dette for å gjere kontoen trygg", - "Results are only revealed when you end the poll": "Resultatet blir synleg når du avsluttar røystinga", "Results will be visible when the poll is ended": "Resultata vil bli synlege når røystinga er ferdig", "Hide sidebar": "Gøym sidestolpen", "Show sidebar": "Vis sidestolpen", @@ -547,7 +500,6 @@ "Expand quotes": "Utvid sitat", "Deactivate account": "Avliv brukarkontoen", "Enter a new identity server": "Skriv inn ein ny identitetstenar", - "Verify this device by confirming the following number appears on its screen.": "Verifiser denne eininga ved å stadfeste det følgjande talet når det kjem til syne på skjermen.", "Quick settings": "Hurtigval", "More options": "Fleire val", "Pin to sidebar": "Fest til sidestolpen", @@ -805,7 +757,12 @@ "send_analytics": "Send statistikkdata", "strict_encryption": "Aldri send krypterte meldingar til ikkje-verifiserte sesjonar frå denne sesjonen", "enable_message_search": "Aktiver søk etter meldingar i krypterte rom", - "manually_verify_all_sessions": "Manuelt verifiser alle eksterne økter" + "manually_verify_all_sessions": "Manuelt verifiser alle eksterne økter", + "cross_signing_in_4s": "i hemmeleg lager", + "export_megolm_keys": "Hent E2E-romnøklar ut", + "import_megolm_keys": "Hent E2E-romnøklar inn", + "cryptography_section": "Kryptografi", + "encryption_section": "Kryptografi" }, "preferences": { "room_list_heading": "Romkatalog", @@ -829,6 +786,10 @@ "confirm_sign_out_body": { "one": "Trykk på knappen under for å stadfesta utlogging frå denne eininga." } + }, + "general": { + "account_section": "Brukar", + "language_section": "Språk og region" } }, "devtools": { @@ -1139,6 +1100,10 @@ "url_preview_encryption_warning": "I krypterte rom, slik som denne, er URL-førehandsvisingar skrudd av i utgangspunktet for å forsikra at heimtenaren din (der førehandsvisinger lagast) ikkje kan samla informasjon om lenkjer som du ser i dette rommet.", "url_preview_explainer": "Når nokon legg ein URL med i meldinga si, kan ei URL-førehandsvising visast for å gje meir info om lenkja slik som tittelen, skildringa, og eit bilete frå nettsida.", "url_previews_section": "URL-førehandsvisingar" + }, + "advanced": { + "unfederated": "Rommet er ikkje tilgjengeleg for andre Matrix-heimtenarar", + "room_upgrade_button": "Oppgrader dette rommet til anbefalt romversjon" } }, "auth": { @@ -1167,7 +1132,25 @@ "register_action": "Opprett konto", "incorrect_credentials": "Feil brukarnamn og/eller passord.", "account_deactivated": "Denne kontoen har blitt deaktivert.", - "phone_label": "Telefon" + "phone_label": "Telefon", + "session_logged_out_title": "Logga Ut", + "session_logged_out_description": "Av sikkerheitsgrunnar har denne øykta vorte logga ut. Ver venleg og logg inn att.", + "change_password_mismatch": "Dei nye passorda samsvarar ikkje", + "change_password_empty": "Passordsfelta kan ikkje vera tomme", + "set_email_prompt": "Vil du setja ei epostadresse?", + "change_password_confirm_label": "Stadfest passord", + "change_password_current_label": "Gjeldande passord", + "change_password_new_label": "Nytt passord", + "change_password_action": "Endra passord", + "email_field_label": "Epost", + "uia": { + "msisdn_token_incorrect": "Teiknet er gale", + "msisdn": "Ei tekstmelding vart send til %(msisdn)s", + "msisdn_token_prompt": "Ver venleg og skriv koden den inneheld inn:", + "fallback_button": "Start authentisering" + }, + "msisdn_field_label": "Telefon", + "identifier_label": "Logg inn med" }, "export_chat": { "messages": "Meldingar" @@ -1210,17 +1193,27 @@ }, "update": { "see_changes_button": "Kva er nytt?", - "release_notes_toast_title": "Kva er nytt" + "release_notes_toast_title": "Kva er nytt", + "error_encountered": "Noko gjekk gale (%(errorDetail)s).", + "no_update": "Inga oppdatering er tilgjengeleg.", + "check_action": "Sjå etter oppdateringar" }, "location_sharing": { "expand_map": "Utvid kart" }, "labs_mjolnir": { "room_name": "Mi blokkeringsliste", - "room_topic": "Dette er di liste over brukarar/tenarar du har blokkert - ikkje forlat rommet!" + "room_topic": "Dette er di liste over brukarar/tenarar du har blokkert - ikkje forlat rommet!", + "title": "Ignorerte brukarar", + "personal_new_label": "Tenar eller brukar-ID for å ignorere", + "lists_description_2": "Om det ikkje var dette du ville, bruk eit anna verktøy til å ignorera brukarar." }, "room": { - "drop_file_prompt": "Slipp ein fil her for å lasta opp" + "drop_file_prompt": "Slipp ein fil her for å lasta opp", + "unread_notifications_predecessor": { + "other": "Du har %(count)s uleste varslingar i ein tidligare versjon av dette rommet.", + "one": "Du har %(count)s ulest varsel i ein tidligare versjon av dette rommet." + } }, "file_panel": { "guest_note": "Du må melda deg inn for å bruka denne funksjonen", @@ -1230,5 +1223,27 @@ "context_menu": { "explore": "Utforsk romma" } + }, + "terms": { + "tac_title": "Vilkår og Føresetnader", + "tac_description": "For å framleis bruka %(homeserverDomain)s sin heimtenar må du sjå over og seia deg einig i våre Vilkår og Føresetnader.", + "tac_button": "Sjå over Vilkår og Føresetnader" + }, + "encryption": { + "old_version_detected_title": "Gamal kryptografidata vart oppdagen", + "old_version_detected_description": "Data frå ein eldre versjon av %(brand)s er oppdaga. Dette kan ha gjort at ende-til-ende kryptering feilar i den eldre versjonen. Krypterte meldingar som er utveksla med den gamle versjonen er kanskje ikkje dekrypterbare i denne versjonen. Dette kan forårsake at meldingar utveksla mot denne versjonen vil feile. Opplever du problem med dette, kan du logge inn og ut igjen. For å behalde meldingshistorikk, eksporter og importer nøklane dine på nytt.", + "verification": { + "explainer": "Sikre meldingar med denne brukaren er ende-til-ende krypterte og kan ikkje lesast av tredjepart.", + "sas_caption_self": "Verifiser denne eininga ved å stadfeste det følgjande talet når det kjem til syne på skjermen." + } + }, + "poll": { + "create_poll_title": "Opprett røysting", + "create_poll_action": "Opprett røysting", + "edit_poll_title": "Endra røysting", + "failed_send_poll_title": "Oppretting av røysting gjekk gale", + "failed_send_poll_description": "Røystinga du prøvde å oppretta vart ikkje publisert.", + "topic_heading": "Kva handlar røystinga om ?", + "notes": "Resultatet blir synleg når du avsluttar røystinga" } } diff --git a/src/i18n/strings/oc.json b/src/i18n/strings/oc.json index 5d3af70b39..d3a0549143 100644 --- a/src/i18n/strings/oc.json +++ b/src/i18n/strings/oc.json @@ -49,7 +49,6 @@ "Notifications": "Notificacions", "Ok": "Validar", "Set up": "Parametrar", - "Cancelling…": "Anullacion…", "Fish": "Pes", "Butterfly": "Parpalhòl", "Tree": "Arborescéncia", @@ -68,17 +67,10 @@ "Headphones": "Escotadors", "Folder": "Dorsièr", "Show more": "Ne veire mai", - "Current password": "Senhal actual", - "New Password": "Senhal novèl", - "Confirm password": "Confirmar lo senhal", - "Change Password": "Modificar senhal", - "not found": "pas trobat", - "exists": "existís", "Authentication": "Autentificacion", "Restore from Backup": "Restablir a partir de l'archiu", "Display Name": "Nom d'afichatge", "Profile": "Perfil", - "Account": "Compte", "General": "General", "Unignore": "Ignorar pas", "Audio Output": "Sortida àudio", @@ -86,7 +78,6 @@ "Sounds": "Sons", "Browse": "Percórrer", "Unban": "Reabilitar", - "Encryption": "Chiframent", "Phone Number": "Numèro de telefòn", "Unencrypted": "Pas chifrat", "Italics": "Italicas", @@ -123,10 +114,6 @@ "Email address": "Adreça de corrièl", "Upload files": "Mandar de fichièrs", "Home": "Dorsièr personal", - "Enter password": "Sasissètz lo senhal", - "Email": "Corrièl", - "Phone": "Telefòn", - "Passwords don't match": "Los senhals correspondon pas", "Unknown error": "Error desconeguda", "Search failed": "La recèrca a fracassat", "Success!": "Capitada !", @@ -331,13 +318,29 @@ }, "preferences": { "composer_heading": "Compositor" + }, + "security": { + "cross_signing_not_found": "pas trobat", + "cross_signing_homeserver_support_exists": "existís", + "encryption_section": "Chiframent" + }, + "general": { + "account_section": "Compte" } }, "auth": { "sso": "Autentificacion unica", "incorrect_password": "Senhal incorrècte", "register_action": "Crear un compte", - "phone_label": "Telefòn" + "phone_label": "Telefòn", + "change_password_confirm_label": "Confirmar lo senhal", + "change_password_confirm_invalid": "Los senhals correspondon pas", + "change_password_current_label": "Senhal actual", + "change_password_new_label": "Senhal novèl", + "change_password_action": "Modificar senhal", + "email_field_label": "Corrièl", + "password_field_label": "Sasissètz lo senhal", + "msisdn_field_label": "Telefòn" }, "export_chat": { "messages": "Messatges" @@ -372,5 +375,10 @@ "security": { "title": "Seguretat e vida privada" } + }, + "encryption": { + "verification": { + "cancelling": "Anullacion…" + } } } diff --git a/src/i18n/strings/pl.json b/src/i18n/strings/pl.json index a7bf730937..1d3217b504 100644 --- a/src/i18n/strings/pl.json +++ b/src/i18n/strings/pl.json @@ -3,7 +3,6 @@ "Your browser does not support the required cryptography extensions": "Twoja przeglądarka nie wspiera wymaganych rozszerzeń kryptograficznych", "Something went wrong!": "Coś poszło nie tak!", "Unknown error": "Nieznany błąd", - "New Password": "Nowe hasło", "Create new room": "Utwórz nowy pokój", "Jan": "Sty", "Feb": "Lut", @@ -26,12 +25,7 @@ "Sun": "Nd", "Warning!": "Uwaga!", "Unban": "Odbanuj", - "Account": "Konto", "Are you sure?": "Czy jesteś pewien?", - "Change Password": "Zmień Hasło", - "Confirm password": "Potwierdź hasło", - "Cryptography": "Kryptografia", - "Current password": "Aktualne hasło", "Notifications": "Powiadomienia", "Operation failed": "Operacja nie udała się", "unknown error code": "nieznany kod błędu", @@ -62,11 +56,9 @@ "Delete widget": "Usuń widżet", "Default": "Zwykły", "Download %(text)s": "Pobierz %(text)s", - "Email": "E-mail", "Email address": "Adres e-mail", "Enter passphrase": "Wpisz frazę", "Error decrypting attachment": "Błąd odszyfrowywania załącznika", - "Export E2E room keys": "Eksportuj klucze E2E pokojów", "Failed to ban user": "Nie udało się zbanować użytkownika", "Failed to change power level": "Nie udało się zmienić poziomu mocy", "Failed to load timeline position": "Nie udało się wczytać pozycji osi czasu", @@ -80,21 +72,17 @@ "Failure to create room": "Nie udało się stworzyć pokoju", "Filter room members": "Filtruj członków pokoju", "Forget room": "Zapomnij pokój", - "For security, this session has been signed out. Please sign in again.": "Ze względów bezpieczeństwa ta sesja została wylogowana. Zaloguj się jeszcze raz.", "Home": "Strona główna", - "Import E2E room keys": "Importuj klucze pokoju E2E", "Incorrect verification code": "Nieprawidłowy kod weryfikujący", "Invalid Email Address": "Nieprawidłowy adres e-mail", "Invalid file%(extra)s": "Nieprawidłowy plik %(extra)s", "Invited": "Zaproszeni", - "Sign in with": "Zaloguj się używając", "Join Room": "Dołącz do pokoju", "Jump to first unread message.": "Przeskocz do pierwszej nieprzeczytanej wiadomości.", "Low priority": "Niski priorytet", "Missing room_id in request": "Brakujące room_id w żądaniu", "Missing user_id in request": "Brakujące user_id w żądaniu", "Moderator": "Moderator", - "New passwords don't match": "Nowe hasła nie zgadzają się", "New passwords must match each other.": "Nowe hasła muszą się zgadzać.", "not specified": "nieokreślony", "": "", @@ -102,8 +90,6 @@ "PM": "PM", "No display name": "Brak nazwy ekranowej", "No more results": "Nie ma więcej wyników", - "Passwords can't be empty": "Hasła nie mogą być puste", - "Phone": "Telefon", "Please check your email and click on the link it contains. Once this is done, click continue.": "Sprawdź swój e-mail i kliknij link w nim zawarty. Kiedy już to zrobisz, kliknij \"kontynuuj\".", "Power level must be positive integer.": "Poziom uprawnień musi być liczbą dodatnią.", "Profile": "Profil", @@ -121,15 +107,12 @@ "Server may be unavailable, overloaded, or search timed out :(": "Serwer może być niedostępny, przeciążony, lub upłynął czas wyszukiwania :(", "Server may be unavailable, overloaded, or you hit a bug.": "Serwer może być niedostępny, przeciążony, lub trafiłeś na błąd.", "Session ID": "Identyfikator sesji", - "Signed Out": "Wylogowano", - "Start authentication": "Rozpocznij uwierzytelnienie", "This email address is already in use": "Podany adres e-mail jest już w użyciu", "This email address was not found": "Podany adres e-mail nie został znaleziony", "This room has no local addresses": "Ten pokój nie ma lokalnych adresów", "This room is not recognised.": "Ten pokój nie został rozpoznany.", "This doesn't appear to be a valid email address": "Ten adres e-mail zdaje się nie być poprawny", "This phone number is already in use": "Ten numer telefonu jest już zajęty", - "This room is not accessible by remote Matrix servers": "Ten pokój nie jest dostępny na zdalnych serwerach Matrix", "Unable to add email address": "Nie można dodać adresu e-mail", "Unable to create widget.": "Nie można utworzyć widżetu.", "Unable to remove contact information": "Nie można usunąć informacji kontaktowych", @@ -155,7 +138,6 @@ "You seem to be uploading files, are you sure you want to quit?": "Wygląda na to, że jesteś w trakcie przesyłania plików; jesteś pewien, że chcesz wyjść?", "Connectivity to the server has been lost.": "Połączenie z serwerem zostało utracone.", "Add an Integration": "Dodaj integrację", - "Token incorrect": "Niepoprawny token", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Nie będziesz mógł cofnąć tej zmiany, ponieważ nadajesz użytkownikowi uprawnienia administratorskie równe Twoim.", "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(day)s %(monthName)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s %(time)s", @@ -180,14 +162,11 @@ "Unable to restore session": "Przywrócenie sesji jest niemożliwe", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Jeśli wcześniej używałeś/aś nowszej wersji %(brand)s, Twoja sesja może być niekompatybilna z tą wersją. Zamknij to okno i powróć do nowszej wersji.", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Nastąpiła próba załadowania danego punktu w historii tego pokoju, lecz nie masz uprawnień, by zobaczyć określoną wiadomość.", - "Please enter the code it contains:": "Wpisz kod, który jest tam zawarty:", "Error decrypting image": "Błąd deszyfrowania obrazu", "Error decrypting video": "Błąd deszyfrowania wideo", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Próbowano załadować konkretny punkt na osi czasu w tym pokoju, ale nie można go znaleźć.", - "Check for update": "Sprawdź aktualizacje", "Not a valid %(brand)s keyfile": "Niepoprawny plik klucza %(brand)s", "Authentication check failed: incorrect password?": "Próba autentykacji nieudana: nieprawidłowe hasło?", - "Do you want to set an email address?": "Czy chcesz ustawić adres e-mail?", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Za chwilę zostaniesz przekierowany/a na zewnętrzną stronę w celu powiązania Twojego konta z %(integrationsUrl)s. Czy chcesz kontynuować?", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", "Restricted": "Ograniczony", @@ -207,7 +186,6 @@ "Unavailable": "Niedostępny", "Source URL": "Źródłowy URL", "Filter results": "Filtruj wyniki", - "No update available.": "Brak aktualizacji.", "Tuesday": "Wtorek", "Preparing to send logs": "Przygotowuję do wysłania dzienników", "Saturday": "Sobota", @@ -221,7 +199,6 @@ "Search…": "Szukaj…", "Logs sent": "Wysłano dzienniki", "Yesterday": "Wczoraj", - "Error encountered (%(errorDetail)s).": "Wystąpił błąd (%(errorDetail)s).", "Low Priority": "Niski priorytet", "Thank you!": "Dziękujemy!", "%(duration)ss": "%(duration)ss", @@ -230,7 +207,6 @@ "%(duration)sd": "%(duration)sd", "Copied!": "Skopiowano!", "Failed to copy": "Kopiowanie nieudane", - "A text message has been sent to %(msisdn)s": "Wysłano wiadomość tekstową do %(msisdn)s", "Delete Widget": "Usuń widżet", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Usunięcie widżetu usuwa go dla wszystkich użytkowników w tym pokoju. Czy na pewno chcesz usunąć ten widżet?", "collapse": "Zwiń", @@ -255,11 +231,6 @@ "This room is not public. You will not be able to rejoin without an invite.": "Ten pokój nie jest publiczny. Nie będziesz w stanie do niego dołączyć bez zaproszenia.", "Can't leave Server Notices room": "Nie można opuścić pokoju powiadomień serwera", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Ten pokój jest używany do ważnych wiadomości z serwera domowego, więc nie możesz go opuścić.", - "Terms and Conditions": "Warunki użytkowania", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Aby kontynuować używanie serwera domowego %(homeserverDomain)s musisz przejrzeć i zaakceptować nasze warunki użytkowania.", - "Review terms and conditions": "Przejrzyj warunki użytkowania", - "Old cryptography data detected": "Wykryto stare dane kryptograficzne", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Dane ze starszej wersji %(brand)s zostały wykryte. Spowoduje to błędne działanie kryptografii typu end-to-end w starszej wersji. Wiadomości szyfrowane end-to-end wymieniane ostatnio podczas korzystania ze starszej wersji mogą być niemożliwe do odszyfrowywane w tej wersji. Może to również spowodować niepowodzenie wiadomości wymienianych z tą wersją. Jeśli wystąpią problemy, wyloguj się i zaloguj ponownie. Aby zachować historię wiadomości, wyeksportuj i ponownie zaimportuj klucze.", "No Audio Outputs detected": "Nie wykryto wyjść audio", "Audio Output": "Wyjście audio", "Please note you are logging into the %(hs)s server, not matrix.org.": "Zauważ proszę, że logujesz się na serwer %(hs)s, nie matrix.org.", @@ -293,12 +264,10 @@ "one": "%(items)s i jedna inna osoba" }, "Add some now": "Dodaj teraz kilka", - "Please review and accept all of the homeserver's policies": "Przeczytaj i zaakceptuj wszystkie zasady dotyczące serwera domowego", "Continue With Encryption Disabled": "Kontynuuj Z Wyłączonym Szyfrowaniem", "Unable to create key backup": "Nie można utworzyć kopii zapasowej klucza", "No backup found!": "Nie znaleziono kopii zapasowej!", "Create a new room with the same name, description and avatar": "Utwórz nowy pokój o tej samej nazwie, opisie i awatarze", - "Please review and accept the policies of this homeserver:": "Przeczytaj i zaakceptuj zasady tego serwera domowego:", "That doesn't match.": "To się nie zgadza.", "Go to Settings": "Przejdź do ustawień", "Unrecognised address": "Nierozpoznany adres", @@ -362,10 +331,8 @@ "Display Name": "Wyświetlana nazwa", "Email addresses": "Adresy e-mail", "Phone numbers": "Numery telefonów", - "Language and region": "Język i region", "Account management": "Zarządzanie kontem", "Room Addresses": "Adresy pokoju", - "Encryption": "Szyfrowanie", "Join the conversation with an account": "Przyłącz się do rozmowy przy użyciu konta", "Sign Up": "Zarejestruj się", "Join the discussion": "Dołącz do dyskusji", @@ -385,8 +352,6 @@ "Restore from Backup": "Przywróć z kopii zapasowej", "Unable to restore backup": "Przywrócenie kopii zapasowej jest niemożliwe", "Email Address": "Adres e-mail", - "Room version": "Wersja pokoju", - "Room version:": "Wersja pokoju:", "edited": "edytowane", "Edit message": "Edytuj wiadomość", "General": "Ogólne", @@ -412,11 +377,6 @@ "Unexpected error resolving identity server configuration": "Nieoczekiwany błąd przy ustalaniu konfiguracji serwera tożsamości", "The user must be unbanned before they can be invited.": "Użytkownik musi być odbanowany, zanim będzie mógł być zaproszony.", "The user's homeserver does not support the version of the room.": "Serwer domowy użytkownika nie wspiera tej wersji pokoju.", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Bezpieczne wiadomości z tym użytkownikiem są szyfrowane end-to-end i nie mogą zostać odczytane przez osoby trzecie.", - "Got It": "Zrobione", - "Verify this user by confirming the following emoji appear on their screen.": "Sprawdź tego użytkownika potwierdzając, że następujące emotikony pojawiają się na ekranie rozmówcy.", - "Verify this user by confirming the following number appears on their screen.": "Sprawdź tego użytkownika potwierdzając, że następujące liczby pojawiają się na ekranie rozmówcy.", - "Unable to find a supported verification method.": "Nie można znaleźć wspieranej metody weryfikacji.", "Thumbs up": "Kciuk w górę", "Ball": "Piłka", "Accept to continue:": "Zaakceptuj aby kontynuować:", @@ -460,15 +420,9 @@ "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Jeżeli nie chcesz używać do odnajdywania i bycia odnajdywanym przez osoby, które znasz, wpisz inny serwer tożsamości poniżej.", "Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Używanie serwera tożsamości jest opcjonalne. Jeżeli postanowisz nie używać serwera tożsamości, pozostali użytkownicy nie będą w stanie Cię odnaleźć ani nie będziesz mógł zaprosić innych po adresie e-mail czy numerze telefonu.", "Do not use an identity server": "Nie używaj serwera tożsamości", - "Something went wrong. Please try again or view your console for hints.": "Coś poszło nie tak. Spróbuj ponownie lub sprawdź konsolę przeglądarki dla wskazówek.", - "Please try again or view your console for hints.": "Spróbuj ponownie lub sprawdź konsolę przeglądarki dla wskazówek.", - "Personal ban list": "Osobista lista zablokowanych", - "Server or user ID to ignore": "ID serwera lub użytkownika do zignorowania", - "eg: @bot:* or example.org": "np: @bot:* lub przykład.pl", "Add room": "Dodaj pokój", "Request media permissions": "Zapytaj o uprawnienia", "Voice & Video": "Głos i wideo", - "View older messages in %(roomName)s.": "Wyświetl starsze wiadomości w %(roomName)s.", "Room information": "Informacje pokoju", "Uploaded sound": "Przesłano dźwięk", "Your email address hasn't been verified yet": "Twój adres e-mail nie został jeszcze zweryfikowany", @@ -491,12 +445,10 @@ "Remove recent messages": "Usuń ostatnie wiadomości", "Rotate Left": "Obróć w lewo", "Rotate Right": "Obróć w prawo", - "Passwords don't match": "Hasła nie zgadzają się", "Direct Messages": "Wiadomości prywatne", "Later": "Później", "Show more": "Pokaż więcej", "Ignored users": "Zignorowani użytkownicy", - "⚠ These settings are meant for advanced users.": "⚠ Te ustawienia są przeznaczone dla zaawansowanych użytkowników.", "Local address": "Lokalny adres", "Published Addresses": "Opublikowane adresy", "Local Addresses": "Lokalne adresy", @@ -517,11 +469,6 @@ "Upload all": "Prześlij wszystko", "Cancel All": "Anuluj wszystko", "Remove for everyone": "Usuń dla wszystkich", - "Enter password": "Wprowadź hasło", - "Password is allowed, but unsafe": "Hasło jest dozwolone, ale niebezpieczne", - "Nice, strong password!": "Ładne, silne hasło!", - "Enter phone number (required on this homeserver)": "Wprowadź numer telefonu (wymagane na tym serwerze domowym)", - "Enter username": "Wprowadź nazwę użytkownika", "Explore rooms": "Przeglądaj pokoje", "Success!": "Sukces!", "Manage integrations": "Zarządzaj integracjami", @@ -537,8 +484,6 @@ "Hide sessions": "Ukryj sesje", "Integrations are disabled": "Integracje są wyłączone", "Encryption upgrade available": "Dostępne ulepszenie szyfrowania", - "Session ID:": "Identyfikator sesji:", - "Session key:": "Klucz sesji:", "Accept all %(invitedRooms)s invites": "Zaakceptuj wszystkie zaproszenia do %(invitedRooms)s", "Close preview": "Zamknij podgląd", "Cancel search": "Anuluj wyszukiwanie", @@ -759,9 +704,6 @@ "Kazakhstan": "Kazachstan", "Jordan": "Jordania", "Jersey": "Jersey", - "User rules": "Zasady użytkownika", - "Server rules": "Zasady serwera", - "not found": "nie znaleziono", "Upload Error": "Błąd wysyłania", "Close dialog": "Zamknij okno dialogowe", "Deactivate user": "Dezaktywuj użytkownika", @@ -769,7 +711,6 @@ "Revoke invite": "Odwołaj zaproszenie", "General failure": "Ogólny błąd", "Removing…": "Usuwanie…", - "Cancelling…": "Anulowanie…", "Algorithm:": "Algorytm:", "Bulk options": "Masowe działania", "Incompatible Database": "Niekompatybilna baza danych", @@ -778,7 +719,6 @@ "Re-join": "Dołącz ponownie", "Unencrypted": "Nieszyfrowane", "None": "Brak", - "exists": "istnieje", "Zimbabwe": "Zimbabwe", "Zambia": "Zambia", "Yemen": "Jemen", @@ -919,8 +859,6 @@ "Room ID": "ID pokoju", "Your user ID": "Twoje ID użytkownika", "Your display name": "Twoja nazwa wyświetlana", - "View rules": "Zobacz zasady", - "Error subscribing to list": "Błąd subskrybowania listy", "Jump to first unread room.": "Przejdź do pierwszego nieprzeczytanego pokoju.", "Jump to first invite.": "Przejdź do pierwszego zaproszenia.", "You verified %(name)s": "Zweryfikowałeś %(name)s", @@ -936,8 +874,6 @@ "Please enter verification code sent via text.": "Wprowadź kod weryfikacyjny wysłany wiadomością tekstową.", "Unable to share phone number": "Nie udało się udostępnić numeru telefonu", "Unable to share email address": "Nie udało się udostępnić adresu e-mail", - "Use an email address to recover your account": "Użyj adresu e-mail, aby odzyskać swoje konto", - "Doesn't look like a valid email address": "To nie wygląda na prawidłowy adres e-mail", "Incompatible local cache": "Niekompatybilna lokalna pamięć podręczna", "Before submitting logs, you must create a GitHub issue to describe your problem.": "Przed wysłaniem logów, zgłoś problem na GitHubie opisujący twój problem.", "Some files are too large to be uploaded. The file size limit is %(limit)s.": "Niektóre pliki są zbyt duże do wysłania. Ograniczenie wielkości plików to %(limit)s.", @@ -965,15 +901,8 @@ "Backup version:": "Wersja kopii zapasowej:", "The operation could not be completed": "To działanie nie mogło być ukończone", "Failed to save your profile": "Nie udało się zapisać profilu", - "not found locally": "nie odnaleziono lokalnie", - "cached locally": "w lokalnej pamięci podręcznej", - "not found in storage": "nie odnaleziono w pamięci", - "in secret storage": "w tajnej pamięci", - "in memory": "w pamięci", "Set up": "Konfiguruj", - "This bridge is managed by .": "Ten mostek jest zarządzany przez .", "Your server isn't responding to some requests.": "Twój serwer nie odpowiada na niektóre zapytania.", - "Waiting for %(displayName)s to verify…": "Oczekiwanie na weryfikację przez %(displayName)s…", "IRC display name width": "Szerokość nazwy wyświetlanej IRC", "Change notification settings": "Zmień ustawienia powiadomień", "New login. Was this you?": "Nowe logowanie. Czy to byłeś Ty?", @@ -1007,7 +936,6 @@ "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Poprosiliśmy przeglądarkę o zapamiętanie, z którego serwera domowego korzystasz, aby umożliwić Ci logowanie, ale niestety Twoja przeglądarka o tym zapomniała. Przejdź do strony logowania i spróbuj ponownie.", "We couldn't log you in": "Nie mogliśmy Cię zalogować", "Use the Desktop app to see all encrypted files": "Użyj aplikacji desktopowej, aby zobaczyć wszystkie szyfrowane pliki", - "Verification requested": "Zażądano weryfikacji", "Connecting": "Łączenie", "Create key backup": "Utwórz kopię zapasową klucza", "Generate a Security Key": "Wygeneruj klucz bezpieczeństwa", @@ -1084,7 +1012,6 @@ "Share your public space": "Zaproś do swojej publicznej przestrzeni", "Invite to %(spaceName)s": "Zaproś do %(spaceName)s", "This homeserver has been blocked by its administrator.": "Ten serwer domowy został zablokowany przez jego administratora.", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Dodaj użytkowników i serwery tutaj które chcesz ignorować. Użyj znaku gwiazdki (*) żeby %(brand)s zgadzał się z każdym znakiem. Na przykład, @bot:* może ignorować wszystkich użytkowników którzy mają nazwę 'bot' na każdym serwerze.", "Lock": "Zamek", "Empty room": "Pusty pokój", "Hold": "Wstrzymaj", @@ -1169,13 +1096,10 @@ "other": "%(user)s i %(count)s innych" }, "%(user1)s and %(user2)s": "%(user1)s i %(user2)s", - "Spell check": "Sprawdzanie pisowni", "We're creating a room with %(names)s": "Tworzymy pokój z %(names)s", "Sessions": "Sesje", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s lub %(recoveryFile)s", "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s lub %(copyButton)s", - "Channel: ": "Kanał: ", - "This bridge was provisioned by .": "Ten mostek został skonfigurowany przez .", "Space options": "Opcje przestrzeni", "Recommended for public spaces.": "Zalecane dla publicznych przestrzeni.", "Allow people to preview your space before they join.": "Pozwól ludziom na podgląd twojej przestrzeni zanim dołączą.", @@ -1208,10 +1132,6 @@ "Match system": "Dopasuj do systemu", "Pin to sidebar": "Przypnij do paska bocznego", "Quick settings": "Szybkie ustawienia", - "Waiting for you to verify on your other device…": "Oczekiwanie na zweryfikowanie przez ciebie twojego innego urządzenia…", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Oczekiwanie na zweryfikowanie przez ciebie twojego innego urządzenia, %(deviceName)s (%(deviceId)s)…", - "Verify this device by confirming the following number appears on its screen.": "Zweryfikuj to urządzenie, upewniając się że poniższy numer wyświetlony jest na jego ekranie.", - "Confirm the emoji below are displayed on both devices, in the same order:": "Potwierdź że poniższe emotikony są wyświetlane na obu urządzeniach, w tej samej kolejności:", "More": "Więcej", "Show sidebar": "Pokaż pasek boczny", "Hide sidebar": "Ukryj pasek boczny", @@ -1247,8 +1167,6 @@ "Export chat": "Eksportuj czat", "Files": "Pliki", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Indywidualnie weryfikuj każdą sesję używaną przez użytkownika, aby oznaczyć ją jako zaufaną, nie ufając urządzeniom weryfikowanym krzyżowo.", - "Cross-signing private keys:": "Klucze prywatne weryfikacji krzyżowej:", - "Cross-signing public keys:": "Klucze publiczne weryfikacji krzyżowej:", "Cross-signing is not set up.": "Weryfikacja krzyżowa nie jest ustawiona.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Twoje konto ma tożsamość weryfikacji krzyżowej w sekretnej pamięci, ale nie jest jeszcze zaufane przez tę sesję.", "Cross-signing is ready but keys are not backed up.": "Weryfikacja krzyżowa jest gotowa, ale klucze nie mają kopii zapasowej.", @@ -1324,36 +1242,17 @@ "Can’t start a call": "Nie można rozpocząć połączenia", "Connection": "Połączenie", "Video settings": "Ustawienia wideo", - "Error adding ignored user/server": "Wystąpił błąd podczas ignorowania użytkownika/serwera", - "Ignored/Blocked": "Ignorowani/Zablokowani", - "Upcoming features": "Nadchodzące zmiany", - "Manage account": "Zarządzaj kontem", "Set a new account password…": "Ustaw nowe hasło użytkownika…", "Error changing password": "Wystąpił błąd podczas zmiany hasła", - "New version available. Update now.": "Nowa wersja dostępna. Aktualizuj teraz.", "Search users in this room…": "Szukaj użytkowników w tym pokoju…", "Saving…": "Zapisywanie…", "Creating…": "Tworzenie…", "Verify Session": "Zweryfikuj sesję", "Failed to re-authenticate due to a homeserver problem": "Nie udało się uwierzytelnić ponownie z powodu błędu serwera domowego", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Ignorowanie ludzi odbywa się poprzez listy banów, które zawierają zasady dotyczące tego, kogo można zbanować. Subskrypcja do listy banów oznacza, że użytkownicy/serwery zablokowane przez tę listę będą ukryte.", - "You are currently subscribed to:": "Aktualnie subskrybujesz:", - "You are not subscribed to any lists": "Aktualnie nie subskrybujesz żadnej listy", - "You are currently ignoring:": "Aktualnie ignorujesz:", - "You have not ignored anyone.": "Nie zignorowano nikogo.", - "Ban list rules - %(roomName)s": "Zbanuj listę zasad - %(roomName)s", - "Error unsubscribing from list": "Wystąpił błąd podczas odsubskrybowania z listy", - "Error removing ignored user/server": "Wystąpił błąd podczas ignorowania użytkownika/serwera", - "Please verify the room ID or address and try again.": "Zweryfikuj ID pokoju lub adres i spróbuj ponownie.", - "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.": "Chcesz poeksperymentować? Wypróbuj nasze najnowsze pomysły w trakcie rozwoju. Przedstawione funkcje nie zostały w pełni ukończone; mogą być niestabilne; mogą się zmienić lub zostać kompletnie porzucone. Dowiedz się więcej.", - "Early previews": "Wczesny podgląd", - "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "Co następne dla %(brand)s? Laboratoria to najlepsze miejsce do przetestowania nowych funkcji i możliwość pomocy w testowaniu zanim dotrą one do szerszego grona użytkowników.", "Your account details are managed separately at %(hostname)s.": "Twoje dane konta są zarządzane oddzielnie na %(hostname)s.", "Your password was successfully changed.": "Twoje hasło zostało pomyślnie zmienione.", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (Status HTTP %(httpStatus)s)", "Unknown password change error (%(stringifiedError)s)": "Wystąpił nieznany błąd podczas zmiany hasła (%(stringifiedError)s)", - "Downloading update…": "Pobieranie aktualizacji…", - "Checking for an update…": "Sprawdzanie aktualizacji…", "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Powinieneś usunąć swoje prywatne dane z serwera tożsamości przed rozłączeniem. Niestety, serwer tożsamości jest aktualnie offline lub nie można się z nim połączyć.", "not ready": "nie gotowe", "Secret storage:": "Sekretny magazyn:", @@ -1364,7 +1263,6 @@ "well formed": "dobrze ukształtowany", "Your keys are not being backed up from this session.": "Twoje klucze nie są zapisywanie na tej sesji.", "This backup is trusted because it has been restored on this session": "Ta kopia jest zaufana, ponieważ została przywrócona w tej sesji", - "Master private key:": "Główny klucz prywatny:", "Backing up %(sessionsRemaining)s keys…": "Tworzenie kopii zapasowej %(sessionsRemaining)s kluczy…", "This session is backing up your keys.": "Ta sesja tworzy kopię zapasową kluczy.", "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Wystąpił błąd podczas aktualizowania Twoich preferencji powiadomień. Przełącz opcję ponownie.", @@ -1377,11 +1275,6 @@ "one": "Bezpiecznie przechowuj lokalnie wiadomości szyfrowane, aby mogły się wyświetlać w wynikach wyszukiwania. Zostanie użyte %(size)s do przechowywania wiadomości z %(rooms)s pokoju.", "other": "Bezpiecznie przechowuj lokalnie wiadomości szyfrowane, aby mogły się wyświetlać w wynikach wyszukiwania. Zostanie użyte %(size)s do przechowywania wiadomości z %(rooms)s pokoi." }, - "Homeserver feature support:": "Wsparcie funkcji serwera domowego:", - "User signing private key:": "Podpisany przez użytkownika klucz prywatny:", - "Self signing private key:": "Samo-podpisujący klucz prywatny:", - "Error while changing password: %(error)s": "Wystąpił błąd podczas zmiany hasła: %(error)s", - "Workspace: ": "Obszar roboczy: ", "Give one or multiple users in this room more privileges": "Dodaj jednemu lub więcej użytkownikom więcej uprawnień", "Add privileged users": "Dodaj użytkowników uprzywilejowanych", "Ignore (%(counter)s)": "Ignoruj (%(counter)s)", @@ -1394,7 +1287,6 @@ }, "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Twój administrator serwera wyłączył szyfrowanie end-to-end domyślnie w pokojach prywatnych i wiadomościach bezpośrednich.", "You have no ignored users.": "Nie posiadasz ignorowanych użytkowników.", - "Subscribed lists": "Listy subskrybowanych", "Unable to revoke sharing for phone number": "Nie można odwołać udostępniania numeru telefonu", "Verify the link in your inbox": "Zweryfikuj link w swojej skrzynce odbiorczej", "Click the link in the email you received to verify and then click continue again.": "Kliknij link w wiadomości e-mail, którą otrzymałeś, aby zweryfikować i kliknij kontynuuj ponownie.", @@ -1413,24 +1305,16 @@ "You won't get any notifications": "Nie otrzymasz żadnych powiadomień", "Get notified only with mentions and keywords as set up in your settings": "Otrzymuj powiadomienia tylko z wzmiankami i słowami kluczowymi zgodnie z Twoimi ustawieniami", "Get notifications as set up in your settings": "Otrzymuj powiadomienia zgodnie z Twoimi ustawieniami", - "Subscribing to a ban list will cause you to join it!": "Subskrybowanie do listy banów spowoduje, że do niej dołączysz!", "@mentions & keywords": "@wzmianki & słowa kluczowe", "Get notified for every message": "Otrzymuj powiadomienie każdej wiadomości", "This room isn't bridging messages to any platforms. Learn more.": "Ten pokój nie mostkuje wiadomości z żadnymi platformami. Dowiedz się więcej.", "This room is bridging messages to the following platforms. Learn more.": "Ten pokój mostkuje wiadomości do następujących platform. Dowiedz się więcej.", - "Internal room ID": "Wewnętrzne ID pokoju", "Space information": "Informacje przestrzeni", - "View older version of %(spaceName)s.": "Wyświetl starsze wersje %(spaceName)s.", - "Upgrade this room to the recommended room version": "Zaktualizuj ten pokój do zalecanej wersji pokoju", - "Upgrade this space to the recommended room version": "Zaktualizuj tą przestrzeń do zalecanej wersji pokoju", - "Warning: upgrading a room will not automatically migrate room members to the new version of the room. We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.": "Uwaga!: Aktualizacja pokoju nie przeniesie członków do nowej wersji pokoju automatycznie. Użytkownicy muszą kliknąć link w starym, nieaktywnym pokoju by dołączyć do nowej wersji pokoju.", "Voice processing": "Procesowanie głosu", "Automatically adjust the microphone volume": "Automatycznie dostosuj głośność mikrofonu", "Voice settings": "Ustawienia głosu", "Group all your people in one place.": "Pogrupuj wszystkie osoby w jednym miejscu.", "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Udostępnij anonimowe dane, aby wesprzeć nas w identyfikowaniu problemów. Nic osobistego. Żadnych podmiotów zewnętrznych.", - "Room ID or address of ban list": "ID pokoju lub adres listy banów", - "If this isn't what you want, please use a different tool to ignore users.": "Jeśli to nie jest to czego chciałeś, użyj innego narzędzia do ignorowania użytkowników.", "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Wiadomość tekstowa wysłana do %(msisdn)s. Wprowadź kod weryfikacyjny w niej zawarty.", "Failed to set pusher state": "Nie udało się ustawić stanu pushera", "You have been logged out of all devices and will no longer receive push notifications. To re-enable notifications, sign in again on each device.": "Zostałeś wylogowany z wszystkich urządzeń i przestaniesz otrzymywać powiadomienia push. Aby włączyć powiadomienia, zaloguj się ponownie na każdym urządzeniu.", @@ -1465,7 +1349,6 @@ "You have verified this user. This user has verified all of their sessions.": "Zweryfikowałeś tego użytkownika. Użytkownik zweryfikował wszystkie swoje sesje.", "You have not verified this user.": "Nie zweryfikowałeś tego użytkownika.", "This user has not verified all of their sessions.": "Ten użytkownik nie zweryfikował wszystkich swoich sesji.", - "Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named '%(myBanList)s' - stay in this room to keep the ban list in effect.": "Twoja osobista lista banów zawiera wszystkich użytkowników/serwery, z których nie chcesz otrzymywać wiadomości. Po zignorowaniu swojego pierwszego użytkownika/serwera, nowy pokój pojawi się na Twojej liście pokoi z nazwą '%(myBanList)s' - nie wychodź z niego, aby lista działała.", "Failed to download source media, no source url was found": "Nie udało się pobrać media źródłowego, nie znaleziono źródłowego adresu URL", "This room has already been upgraded.": "Ten pokój został już ulepszony.", "Joined": "Dołączono", @@ -1895,8 +1778,6 @@ "This version of %(brand)s does not support viewing some encrypted files": "Ta wersja %(brand)s nie wspiera wyświetlania niektórych plików szyfrowanych", "Desktop app logo": "Logo aplikacji Desktop", "Message search initialisation failed, check your settings for more information": "Wystąpił błąd inicjalizacji wyszukiwania wiadomości, sprawdź swoje ustawienia po więcej informacji", - "Click to read topic": "Kliknij, aby przeczytać temat", - "Edit topic": "Edytuj temat", "%(count)s people you know have already joined": { "one": "%(count)s osoba, którą znasz, już dołączyła", "other": "%(count)s osób, które znasz, już dołączyło" @@ -1912,19 +1793,6 @@ "Missing domain separator e.g. (:domain.org)": "Brakuje separatora domeny np. (:domena.org)", "Room address": "Adres pokoju", "In reply to this message": "W odpowiedzi do tej wiadomości", - "Results are only revealed when you end the poll": "Wyniki są ujawnione tylko po zakończeniu ankiety", - "Voters see results as soon as they have voted": "Głosujący mogą zobaczyć wyniki po oddaniu głosu", - "Add option": "Dodaj opcję", - "Write an option": "Napisz opcję", - "Option %(number)s": "Opcja %(number)s", - "Create options": "Utwórz opcje", - "Question or topic": "Pytanie lub temat", - "What is your poll question or topic?": "Jakie jest Twoje pytanie lub temat ankiety?", - "Closed poll": "Ankieta zamknięta", - "Open poll": "Ankieta otwarta", - "Poll type": "Typ ankiety", - "Failed to post poll": "Nie udało się opublikować ankiety", - "Edit poll": "Edytuj ankietę", "Message from %(user)s": "Wiadomość od %(user)s", "Language Dropdown": "Rozwiń języki", "Message in %(room)s": "Wiadomość w %(room)s", @@ -1936,10 +1804,6 @@ "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Jeśli anulujesz teraz, możesz stracić wiadomości szyfrowane i dane, jeśli stracisz dostęp do loginu i hasła.", "The request was cancelled.": "Żądanie zostało anulowane.", "Cancelled signature upload": "Przesyłanie sygnatury zostało anulowane", - "Sorry, the poll you tried to create was not posted.": "Przepraszamy, ankieta, którą próbowałeś utworzyć nie została opublikowana.", - "Create Poll": "Utwórz ankietę", - "Create poll": "Utwórz ankietę", - "Write something…": "Napisz coś…", "Any of the following data may be shared:": "Wszystkie wymienione dane mogą być udostępnione:", "%(brand)s URL": "%(brand)s URL", "Using this widget may share data with %(widgetDomain)s.": "Korzystanie z tego widżetu może współdzielić dane z %(widgetDomain)s.", @@ -2033,11 +1897,6 @@ "The server (%(serverName)s) took too long to respond.": "Serwer (%(serverName)s) zajął zbyt dużo czasu na odpowiedź.", "Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "Serwer nie odpowiada na niektóre z Twoich żądań. Poniżej przedstawiamy niektóre z prawdopodobnych powodów.", "Server isn't responding": "Serwer nie odpowiada", - "Other users can invite you to rooms using your contact details": "Inni użytkownicy mogą Cię zaprosić do pokoi za pomocą Twoich danych kontaktowych", - "Enter email address (required on this homeserver)": "Wprowadź adres e-mail (wymagane na tym serwerze domowym)", - "That phone number doesn't look quite right, please check and try again": "Ten numer telefonu nie wygląda dobrze, sprawdź go ponownie", - "Enter phone number": "Wprowadź numer telefonu", - "Keep going…": "Kontynuuj…", "Completing set up of your new device": "Kończenie konfiguracji nowego urządzenia", "Waiting for device to sign in": "Oczekiwanie na logowanie urządzenia", "Connecting…": "Łączenie…", @@ -2058,18 +1917,8 @@ "The scanned code is invalid.": "Zeskanowany kod jest nieprawidłowy.", "The linking wasn't completed in the required time.": "Wiązanie nie zostało zakończone w ustalonym czasie.", "Sign in new device": "Zaloguj nowe urządzenie", - "Something went wrong in confirming your identity. Cancel and try again.": "Coś poszło nie tak podczas sprawdzania Twojej tożsamości. Anuluj i spróbuj ponownie.", - "Registration token": "Token rejestracyjny", - "Enter a registration token provided by the homeserver administrator.": "Wprowadź token rejestracyjny dostarczony przez administratora serwera domowego.", - "Resent!": "Wysłano ponownie!", - "Did not receive it? Resend it": "Nic nie przyszło? Wyślij ponownie", - "To create your account, open the link in the email we just sent to %(emailAddress)s.": "Aby utworzyć konto, otwórz link, który wysłaliśmy w wiadomości e-mail do %(emailAddress)s.", "Unread email icon": "Ikona nieprzeczytanych wiadomości e-mail", - "Check your email to continue": "Sprawdź swój e-mail, aby kontynuować", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Brakuje publicznego klucza captcha w konfiguracji serwera domowego. Zgłoś to do administratora serwera domowego.", - "Confirm your identity by entering your account password below.": "Potwierdź swoją tożsamość, wprowadzając hasło do konta poniżej.", "This homeserver would like to make sure you are not a robot.": "Serwer domowy prosi o potwierdzenie, że nie jesteś robotem.", - "Enter email address": "Wprowadź adres e-mail", "Country Dropdown": "Rozwijana lista krajów", "Stop and close": "Zatrzymaj i zamknij", "An error occurred while stopping your live location, please try again": "Wystąpił błąd podczas zatrzymywania Twojej lokalizacji na żywo, spróbuj ponownie", @@ -2164,16 +2013,11 @@ "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "Jak tylko zaproszeni użytkownicy dołączą do %(brand)s, będziesz mógł czatować w pokoju szyfrowanym end-to-end", "Waiting for users to join %(brand)s": "Czekanie na użytkowników %(brand)s", "Thread root ID: %(threadRootId)s": "ID root wątku: %(threadRootId)s", - "Original event source": "Oryginalne źródło wydarzenia", "Search names and descriptions": "Przeszukuj nazwy i opisy", "Rooms and spaces": "Pokoje i przestrzenie", "Results": "Wyniki", "You may want to try a different search or check for typos.": "Możesz spróbować inną frazę lub sprawdzić błędy pisowni.", "Joining": "Dołączanie", - "You have %(count)s unread notifications in a prior version of this room.": { - "one": "Masz %(count)s nieprzeczytanych powiadomień we wcześniejszej wersji tego pokoju.", - "other": "Masz %(count)s nieprzeczytane powiadomienie we wcześniejszej wersji tego pokoju." - }, "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Wiadomość nie została wysłana, ponieważ serwer domowy przekroczył limit swoich zasobów. Skontaktuj się z administratorem serwisu, aby kontynuować.", "Your message wasn't sent because this homeserver has been blocked by its administrator. Please contact your service administrator to continue using the service.": "Wiadomość nie została wysłana, ponieważ serwer domowy został zablokowany przez jego administratora. Skontaktuj się z administratorem serwisu, aby kontynuować.", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Wiadomość nie została wysłana, ponieważ serwer domowy przekroczył miesięczny limit aktywnych użytkowników. Skontaktuj się z administratorem serwisu, aby kontynuować.", @@ -2519,7 +2363,15 @@ "sliding_sync_disable_warning": "By wyłączyć, będziesz musiał się zalogować ponownie. Korzystaj z rozwagą!", "sliding_sync_proxy_url_optional_label": "URL proxy (opcjonalne)", "sliding_sync_proxy_url_label": "URL proxy", - "video_rooms_beta": "Rozmowy wideo to funkcja beta" + "video_rooms_beta": "Rozmowy wideo to funkcja beta", + "bridge_state_creator": "Ten mostek został skonfigurowany przez .", + "bridge_state_manager": "Ten mostek jest zarządzany przez .", + "bridge_state_workspace": "Obszar roboczy: ", + "bridge_state_channel": "Kanał: ", + "beta_section": "Nadchodzące zmiany", + "beta_description": "Co następne dla %(brand)s? Laboratoria to najlepsze miejsce do przetestowania nowych funkcji i możliwość pomocy w testowaniu zanim dotrą one do szerszego grona użytkowników.", + "experimental_section": "Wczesny podgląd", + "experimental_description": "Chcesz poeksperymentować? Wypróbuj nasze najnowsze pomysły w trakcie rozwoju. Przedstawione funkcje nie zostały w pełni ukończone; mogą być niestabilne; mogą się zmienić lub zostać kompletnie porzucone. Dowiedz się więcej." }, "keyboard": { "home": "Strona główna", @@ -2855,7 +2707,26 @@ "record_session_details": "Zapisz nazwę klienta, wersję i URL, aby łatwiej rozpoznawać sesje w menedżerze sesji", "strict_encryption": "Nigdy nie wysyłaj zaszyfrowanych wiadomości do niezweryfikowanych sesji z tej sesji", "enable_message_search": "Włącz wyszukiwanie wiadomości w szyfrowanych pokojach", - "manually_verify_all_sessions": "Ręcznie weryfikuj wszystkie zdalne sesje" + "manually_verify_all_sessions": "Ręcznie weryfikuj wszystkie zdalne sesje", + "cross_signing_public_keys": "Klucze publiczne weryfikacji krzyżowej:", + "cross_signing_in_memory": "w pamięci", + "cross_signing_not_found": "nie znaleziono", + "cross_signing_private_keys": "Klucze prywatne weryfikacji krzyżowej:", + "cross_signing_in_4s": "w tajnej pamięci", + "cross_signing_not_in_4s": "nie odnaleziono w pamięci", + "cross_signing_master_private_Key": "Główny klucz prywatny:", + "cross_signing_cached": "w lokalnej pamięci podręcznej", + "cross_signing_not_cached": "nie odnaleziono lokalnie", + "cross_signing_self_signing_private_key": "Samo-podpisujący klucz prywatny:", + "cross_signing_user_signing_private_key": "Podpisany przez użytkownika klucz prywatny:", + "cross_signing_homeserver_support": "Wsparcie funkcji serwera domowego:", + "cross_signing_homeserver_support_exists": "istnieje", + "export_megolm_keys": "Eksportuj klucze E2E pokojów", + "import_megolm_keys": "Importuj klucze pokoju E2E", + "cryptography_section": "Kryptografia", + "session_id": "Identyfikator sesji:", + "session_key": "Klucz sesji:", + "encryption_section": "Szyfrowanie" }, "preferences": { "room_list_heading": "Lista pokojów", @@ -2970,6 +2841,12 @@ }, "security_recommendations": "Rekomendacje bezpieczeństwa", "security_recommendations_description": "Zwiększ bezpieczeństwo swojego konta kierując się tymi rekomendacjami." + }, + "general": { + "oidc_manage_button": "Zarządzaj kontem", + "account_section": "Konto", + "language_section": "Język i region", + "spell_check_section": "Sprawdzanie pisowni" } }, "devtools": { @@ -3071,7 +2948,8 @@ "low_bandwidth_mode": "Tryb niskiej przepustowości", "developer_mode": "Tryb programisty", "view_source_decrypted_event_source": "Rozszyfrowane wydarzenie źródłowe", - "view_source_decrypted_event_source_unavailable": "Rozszyfrowane źródło niedostępne" + "view_source_decrypted_event_source_unavailable": "Rozszyfrowane źródło niedostępne", + "original_event_source": "Oryginalne źródło wydarzenia" }, "export_chat": { "html": "HTML", @@ -3709,6 +3587,17 @@ "url_preview_encryption_warning": "W zaszyfrowanych pokojach, takich jak ten, podgląd adresów URL jest domyślnie wyłączony, aby upewnić się, że serwer (w którym generowane są podglądy) nie może zbierać informacji o linkach widocznych w tym pokoju.", "url_preview_explainer": "Gdy ktoś umieści URL w wiadomości, można wyświetlić podgląd adresu URL, aby podać więcej informacji o tym łączu, takich jak tytuł, opis i obraz ze strony internetowej.", "url_previews_section": "Podglądy linków" + }, + "advanced": { + "unfederated": "Ten pokój nie jest dostępny na zdalnych serwerach Matrix", + "room_upgrade_warning": "Uwaga!: Aktualizacja pokoju nie przeniesie członków do nowej wersji pokoju automatycznie. Użytkownicy muszą kliknąć link w starym, nieaktywnym pokoju by dołączyć do nowej wersji pokoju.", + "space_upgrade_button": "Zaktualizuj tą przestrzeń do zalecanej wersji pokoju", + "room_upgrade_button": "Zaktualizuj ten pokój do zalecanej wersji pokoju", + "space_predecessor": "Wyświetl starsze wersje %(spaceName)s.", + "room_predecessor": "Wyświetl starsze wiadomości w %(roomName)s.", + "room_id": "Wewnętrzne ID pokoju", + "room_version_section": "Wersja pokoju", + "room_version": "Wersja pokoju:" } }, "encryption": { @@ -3724,8 +3613,22 @@ "sas_prompt": "Porównaj unikatowe emoji", "sas_description": "Porównaj unikatowy zestaw emoji, jeżeli nie masz aparatu na jednym z urządzeń", "qr_or_sas": "%(qrCode)s lub %(emojiCompare)s", - "qr_or_sas_header": "Zweryfikuj to urządzenie wykonują jedno z następujących:" - } + "qr_or_sas_header": "Zweryfikuj to urządzenie wykonują jedno z następujących:", + "explainer": "Bezpieczne wiadomości z tym użytkownikiem są szyfrowane end-to-end i nie mogą zostać odczytane przez osoby trzecie.", + "complete_action": "Zrobione", + "sas_emoji_caption_self": "Potwierdź że poniższe emotikony są wyświetlane na obu urządzeniach, w tej samej kolejności:", + "sas_emoji_caption_user": "Sprawdź tego użytkownika potwierdzając, że następujące emotikony pojawiają się na ekranie rozmówcy.", + "sas_caption_self": "Zweryfikuj to urządzenie, upewniając się że poniższy numer wyświetlony jest na jego ekranie.", + "sas_caption_user": "Sprawdź tego użytkownika potwierdzając, że następujące liczby pojawiają się na ekranie rozmówcy.", + "unsupported_method": "Nie można znaleźć wspieranej metody weryfikacji.", + "waiting_other_device_details": "Oczekiwanie na zweryfikowanie przez ciebie twojego innego urządzenia, %(deviceName)s (%(deviceId)s)…", + "waiting_other_device": "Oczekiwanie na zweryfikowanie przez ciebie twojego innego urządzenia…", + "waiting_other_user": "Oczekiwanie na weryfikację przez %(displayName)s…", + "cancelling": "Anulowanie…" + }, + "old_version_detected_title": "Wykryto stare dane kryptograficzne", + "old_version_detected_description": "Dane ze starszej wersji %(brand)s zostały wykryte. Spowoduje to błędne działanie kryptografii typu end-to-end w starszej wersji. Wiadomości szyfrowane end-to-end wymieniane ostatnio podczas korzystania ze starszej wersji mogą być niemożliwe do odszyfrowywane w tej wersji. Może to również spowodować niepowodzenie wiadomości wymienianych z tą wersją. Jeśli wystąpią problemy, wyloguj się i zaloguj ponownie. Aby zachować historię wiadomości, wyeksportuj i ponownie zaimportuj klucze.", + "verification_requested_toast_title": "Zażądano weryfikacji" }, "emoji": { "category_frequently_used": "Często używane", @@ -3840,7 +3743,51 @@ "phone_optional_label": "Telefon (opcjonalny)", "email_help_text": "Dodaj adres e-mail, aby zresetować swoje hasło.", "email_phone_discovery_text": "Użyj adresu e-mail lub numeru telefonu, aby móc być odkrywanym przez istniejące kontakty.", - "email_discovery_text": "Użyj adresu e-mail, aby opcjonalnie móc być odkrywanym przez istniejące kontakty." + "email_discovery_text": "Użyj adresu e-mail, aby opcjonalnie móc być odkrywanym przez istniejące kontakty.", + "session_logged_out_title": "Wylogowano", + "session_logged_out_description": "Ze względów bezpieczeństwa ta sesja została wylogowana. Zaloguj się jeszcze raz.", + "change_password_error": "Wystąpił błąd podczas zmiany hasła: %(error)s", + "change_password_mismatch": "Nowe hasła nie zgadzają się", + "change_password_empty": "Hasła nie mogą być puste", + "set_email_prompt": "Czy chcesz ustawić adres e-mail?", + "change_password_confirm_label": "Potwierdź hasło", + "change_password_confirm_invalid": "Hasła nie zgadzają się", + "change_password_current_label": "Aktualne hasło", + "change_password_new_label": "Nowe hasło", + "change_password_action": "Zmień Hasło", + "email_field_label": "E-mail", + "email_field_label_required": "Wprowadź adres e-mail", + "email_field_label_invalid": "To nie wygląda na prawidłowy adres e-mail", + "uia": { + "password_prompt": "Potwierdź swoją tożsamość, wprowadzając hasło do konta poniżej.", + "recaptcha_missing_params": "Brakuje publicznego klucza captcha w konfiguracji serwera domowego. Zgłoś to do administratora serwera domowego.", + "terms_invalid": "Przeczytaj i zaakceptuj wszystkie zasady dotyczące serwera domowego", + "terms": "Przeczytaj i zaakceptuj zasady tego serwera domowego:", + "email_auth_header": "Sprawdź swój e-mail, aby kontynuować", + "email": "Aby utworzyć konto, otwórz link, który wysłaliśmy w wiadomości e-mail do %(emailAddress)s.", + "email_resend_prompt": "Nic nie przyszło? Wyślij ponownie", + "email_resent": "Wysłano ponownie!", + "msisdn_token_incorrect": "Niepoprawny token", + "msisdn": "Wysłano wiadomość tekstową do %(msisdn)s", + "msisdn_token_prompt": "Wpisz kod, który jest tam zawarty:", + "registration_token_prompt": "Wprowadź token rejestracyjny dostarczony przez administratora serwera domowego.", + "registration_token_label": "Token rejestracyjny", + "sso_failed": "Coś poszło nie tak podczas sprawdzania Twojej tożsamości. Anuluj i spróbuj ponownie.", + "fallback_button": "Rozpocznij uwierzytelnienie" + }, + "password_field_label": "Wprowadź hasło", + "password_field_strong_label": "Ładne, silne hasło!", + "password_field_weak_label": "Hasło jest dozwolone, ale niebezpieczne", + "password_field_keep_going_prompt": "Kontynuuj…", + "username_field_required_invalid": "Wprowadź nazwę użytkownika", + "msisdn_field_required_invalid": "Wprowadź numer telefonu", + "msisdn_field_number_invalid": "Ten numer telefonu nie wygląda dobrze, sprawdź go ponownie", + "msisdn_field_label": "Telefon", + "identifier_label": "Zaloguj się używając", + "reset_password_email_field_description": "Użyj adresu e-mail, aby odzyskać swoje konto", + "reset_password_email_field_required_invalid": "Wprowadź adres e-mail (wymagane na tym serwerze domowym)", + "msisdn_field_description": "Inni użytkownicy mogą Cię zaprosić do pokoi za pomocą Twoich danych kontaktowych", + "registration_msisdn_field_required_invalid": "Wprowadź numer telefonu (wymagane na tym serwerze domowym)" }, "room_list": { "sort_unread_first": "Pokazuj najpierw pokoje z nieprzeczytanymi wiadomościami", @@ -4034,7 +3981,13 @@ "see_changes_button": "Co nowego?", "release_notes_toast_title": "Co nowego", "toast_title": "Aktualizuj %(brand)s", - "toast_description": "Dostępna jest nowa wersja %(brand)s" + "toast_description": "Dostępna jest nowa wersja %(brand)s", + "error_encountered": "Wystąpił błąd (%(errorDetail)s).", + "checking": "Sprawdzanie aktualizacji…", + "no_update": "Brak aktualizacji.", + "downloading": "Pobieranie aktualizacji…", + "new_version_available": "Nowa wersja dostępna. Aktualizuj teraz.", + "check_action": "Sprawdź aktualizacje" }, "threads": { "all_threads": "Wszystkie wątki", @@ -4087,7 +4040,35 @@ }, "labs_mjolnir": { "room_name": "Moja lista zablokowanych", - "room_topic": "To jest Twoja lista zablokowanych użytkowników/serwerów – nie opuszczaj tego pokoju!" + "room_topic": "To jest Twoja lista zablokowanych użytkowników/serwerów – nie opuszczaj tego pokoju!", + "ban_reason": "Ignorowani/Zablokowani", + "error_adding_ignore": "Wystąpił błąd podczas ignorowania użytkownika/serwera", + "something_went_wrong": "Coś poszło nie tak. Spróbuj ponownie lub sprawdź konsolę przeglądarki dla wskazówek.", + "error_adding_list_title": "Błąd subskrybowania listy", + "error_adding_list_description": "Zweryfikuj ID pokoju lub adres i spróbuj ponownie.", + "error_removing_ignore": "Wystąpił błąd podczas ignorowania użytkownika/serwera", + "error_removing_list_title": "Wystąpił błąd podczas odsubskrybowania z listy", + "error_removing_list_description": "Spróbuj ponownie lub sprawdź konsolę przeglądarki dla wskazówek.", + "rules_title": "Zbanuj listę zasad - %(roomName)s", + "rules_server": "Zasady serwera", + "rules_user": "Zasady użytkownika", + "personal_empty": "Nie zignorowano nikogo.", + "personal_section": "Aktualnie ignorujesz:", + "no_lists": "Aktualnie nie subskrybujesz żadnej listy", + "view_rules": "Zobacz zasady", + "lists": "Aktualnie subskrybujesz:", + "title": "Zignorowani użytkownicy", + "advanced_warning": "⚠ Te ustawienia są przeznaczone dla zaawansowanych użytkowników.", + "explainer_1": "Dodaj użytkowników i serwery tutaj które chcesz ignorować. Użyj znaku gwiazdki (*) żeby %(brand)s zgadzał się z każdym znakiem. Na przykład, @bot:* może ignorować wszystkich użytkowników którzy mają nazwę 'bot' na każdym serwerze.", + "explainer_2": "Ignorowanie ludzi odbywa się poprzez listy banów, które zawierają zasady dotyczące tego, kogo można zbanować. Subskrypcja do listy banów oznacza, że użytkownicy/serwery zablokowane przez tę listę będą ukryte.", + "personal_heading": "Osobista lista zablokowanych", + "personal_description": "Twoja osobista lista banów zawiera wszystkich użytkowników/serwery, z których nie chcesz otrzymywać wiadomości. Po zignorowaniu swojego pierwszego użytkownika/serwera, nowy pokój pojawi się na Twojej liście pokoi z nazwą '%(myBanList)s' - nie wychodź z niego, aby lista działała.", + "personal_new_label": "ID serwera lub użytkownika do zignorowania", + "personal_new_placeholder": "np: @bot:* lub przykład.pl", + "lists_heading": "Listy subskrybowanych", + "lists_description_1": "Subskrybowanie do listy banów spowoduje, że do niej dołączysz!", + "lists_description_2": "Jeśli to nie jest to czego chciałeś, użyj innego narzędzia do ignorowania użytkowników.", + "lists_new_label": "ID pokoju lub adres listy banów" }, "create_space": { "name_required": "Podaj nazwę dla przestrzeni", @@ -4152,6 +4133,12 @@ "private_unencrypted_warning": "Normalnie Twoje wiadomości prywatne są szyfrowane, lecz ten pokój nie jest. Przeważnie jest to spowodowane korzystaniem z niewspieranego urządzenia lub metody, takiej jak zaproszenia e-mail.", "enable_encryption_prompt": "Włącz szyfrowanie w ustawieniach.", "unencrypted_warning": "Szyfrowanie end-to-end nie jest włączone" + }, + "edit_topic": "Edytuj temat", + "read_topic": "Kliknij, aby przeczytać temat", + "unread_notifications_predecessor": { + "one": "Masz %(count)s nieprzeczytanych powiadomień we wcześniejszej wersji tego pokoju.", + "other": "Masz %(count)s nieprzeczytane powiadomienie we wcześniejszej wersji tego pokoju." } }, "file_panel": { @@ -4166,9 +4153,31 @@ "intro": "Aby kontynuować, musisz zaakceptować zasady użytkowania.", "column_service": "Usługa", "column_summary": "Opis", - "column_document": "Dokument" + "column_document": "Dokument", + "tac_title": "Warunki użytkowania", + "tac_description": "Aby kontynuować używanie serwera domowego %(homeserverDomain)s musisz przejrzeć i zaakceptować nasze warunki użytkowania.", + "tac_button": "Przejrzyj warunki użytkowania" }, "space_settings": { "title": "Ustawienia - %(spaceName)s" + }, + "poll": { + "create_poll_title": "Utwórz ankietę", + "create_poll_action": "Utwórz ankietę", + "edit_poll_title": "Edytuj ankietę", + "failed_send_poll_title": "Nie udało się opublikować ankiety", + "failed_send_poll_description": "Przepraszamy, ankieta, którą próbowałeś utworzyć nie została opublikowana.", + "type_heading": "Typ ankiety", + "type_open": "Ankieta otwarta", + "type_closed": "Ankieta zamknięta", + "topic_heading": "Jakie jest Twoje pytanie lub temat ankiety?", + "topic_label": "Pytanie lub temat", + "topic_placeholder": "Napisz coś…", + "options_heading": "Utwórz opcje", + "options_label": "Opcja %(number)s", + "options_placeholder": "Napisz opcję", + "options_add_button": "Dodaj opcję", + "disclosed_notes": "Głosujący mogą zobaczyć wyniki po oddaniu głosu", + "notes": "Wyniki są ujawnione tylko po zakończeniu ankiety" } } diff --git a/src/i18n/strings/pt.json b/src/i18n/strings/pt.json index 50138bd77f..ad8896d628 100644 --- a/src/i18n/strings/pt.json +++ b/src/i18n/strings/pt.json @@ -1,32 +1,21 @@ { - "Account": "Conta", - "New passwords don't match": "As novas palavras-passe não coincidem", "A new password must be entered.": "Deve ser introduzida uma nova palavra-passe.", "Are you sure you want to reject the invitation?": "Você tem certeza que deseja rejeitar este convite?", - "Confirm password": "Confirmar palavra-passe", - "Cryptography": "Criptografia", - "Current password": "Palavra-passe atual", "Deactivate Account": "Desativar conta", "Default": "Padrão", - "Export E2E room keys": "Exportar chaves ponta-a-ponta da sala", "Failed to change password. Is your password correct?": "Falha ao alterar a palavra-passe. A sua palavra-passe está correta?", "Failed to reject invitation": "Falha ao tentar rejeitar convite", "Failed to unban": "Não foi possível desfazer o banimento", "Favourite": "Favorito", "Filter room members": "Filtrar integrantes da sala", "Forget room": "Esquecer sala", - "For security, this session has been signed out. Please sign in again.": "Por questões de segurança, esta sessão foi encerrada. Por gentileza conecte-se novamente.", "Historical": "Histórico", - "Import E2E room keys": "Importar chave de criptografia ponta-a-ponta (E2E) da sala", "Invalid Email Address": "Endereço de email inválido", - "Sign in with": "Quero entrar", "Low priority": "Baixa prioridade", "Moderator": "Moderador/a", "New passwords must match each other.": "Novas palavras-passe devem coincidir.", "Notifications": "Notificações", "": "", - "Passwords can't be empty": "As palavras-passe não podem estar vazias", - "Phone": "Telefone", "Please check your email and click on the link it contains. Once this is done, click continue.": "Por favor verifique seu email e clique no link enviado. Quando finalizar este processo, clique para continuar.", "Profile": "Perfil", "Reject invitation": "Rejeitar convite", @@ -34,9 +23,7 @@ "Rooms": "Salas", "Server may be unavailable, overloaded, or you hit a bug.": "O servidor pode estar indisponível ou sobrecarregado, ou então você encontrou uma falha no sistema.", "Session ID": "Identificador de sessão", - "Signed Out": "Deslogar", "This doesn't appear to be a valid email address": "Este não aparenta ser um endereço de email válido", - "This room is not accessible by remote Matrix servers": "Esta sala não é acessível para servidores Matrix remotos", "Unable to add email address": "Não foi possível adicionar endereço de email", "Unable to remove contact information": "Não foi possível remover informação de contato", "Unable to verify email address.": "Não foi possível verificar o endereço de email.", @@ -96,7 +83,6 @@ "Are you sure?": "Você tem certeza?", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(day)s de %(monthName)s de %(fullYear)s às %(time)s", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Não consigo conectar ao servidor padrão através de HTTP quando uma URL HTTPS está na barra de endereços do seu navegador. Use HTTPS ou então habilite scripts não seguros no seu navegador.", - "Change Password": "Alterar Palavra-Passe", "Decrypt %(text)s": "Descriptografar %(text)s", "Download %(text)s": "Baixar %(text)s", "Failed to ban user": "Não foi possível banir o/a usuário/a", @@ -120,7 +106,6 @@ "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Você não poderá desfazer esta mudança, pois estará dando a este(a) usuário(a) o mesmo nível de permissões que você.", "Authentication": "Autenticação", "An error has occurred.": "Ocorreu um erro.", - "Email": "Email", "Email address": "Endereço de email", "Error decrypting attachment": "Erro ao descriptografar o anexo", "Invalid file%(extra)s": "Arquivo inválido %(extra)s", @@ -141,8 +126,6 @@ "Unknown error": "Erro desconhecido", "Unable to restore session": "Não foi possível restaurar a sessão", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Se você já usou antes uma versão mais recente do %(brand)s, a sua sessão pode ser incompatível com esta versão. Feche esta janela e tente abrir com a versão mais recente.", - "Token incorrect": "Token incorreto", - "Please enter the code it contains:": "Por favor, entre com o código que está na mensagem:", "Error decrypting image": "Erro ao descriptografar a imagem", "Error decrypting video": "Erro ao descriptografar o vídeo", "Add an Integration": "Adicionar uma integração", @@ -170,8 +153,6 @@ "other": "(~%(count)s resultados)", "one": "(~%(count)s resultado)" }, - "Start authentication": "Iniciar autenticação", - "New Password": "Nova Palavra-Passe", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Não foi possível conectar ao Servidor de Base. Por favor, confira sua conectividade à internet, garanta que o certificado SSL do Servidor de Base é confiável, e que uma extensão do navegador não esteja bloqueando as requisições de rede.", "Home": "Início", "Something went wrong!": "Algo deu errado!", @@ -185,11 +166,9 @@ "You do not have permission to do that in this room.": "Não tem permissão para fazer isso nesta sala.", "Copied!": "Copiado!", "Failed to copy": "Falha ao copiar", - "Check for update": "Procurar atualizações", "Your browser does not support the required cryptography extensions": "O seu navegador não suporta as extensões de criptografia necessárias", "Not a valid %(brand)s keyfile": "Não é um ficheiro de chaves %(brand)s válido", "Authentication check failed: incorrect password?": "Erro de autenticação: palavra-passe incorreta?", - "Do you want to set an email address?": "Deseja definir um endereço de e-mail?", "This will allow you to reset your password and receive notifications.": "Isto irá permitir-lhe redefinir a sua palavra-passe e receber notificações.", "Ignored user": "Utilizador ignorado", "Unignore": "Deixar de ignorar", @@ -206,7 +185,6 @@ "Unavailable": "Indisponível", "Source URL": "URL fonte", "Filter results": "Filtrar resultados", - "No update available.": "Nenhuma atualização disponível.", "Tuesday": "Terça-feira", "Search…": "Pesquisar…", "Unnamed room": "Sala sem nome", @@ -219,7 +197,6 @@ "You cannot delete this message. (%(code)s)": "Não pode apagar esta mensagem. (%(code)s)", "Thursday": "Quinta-feira", "Yesterday": "Ontem", - "Error encountered (%(errorDetail)s).": "Erro encontrado (%(errorDetail)s).", "Low Priority": "Baixa prioridade", "Wednesday": "Quarta-feira", "Thank you!": "Obrigado!", @@ -393,7 +370,6 @@ "Mali": "Mali", " wants to chat": " quer falar", "Start a conversation with someone using their name or username (like ).": "Comece uma conversa com alguém a partir do nome ou nome de utilizador (por exemplo: ).", - "Use an email address to recover your account": "Usar um endereço de email para recuperar a sua conta", "Malta": "Malta", "Lebanon": "Líbano", "Marshall Islands": "Ilhas Marshall", @@ -424,7 +400,6 @@ "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Enviámos-lhe um email para confirmar o seu endereço. Por favor siga as instruções no email e depois clique no botão abaixo.", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Apenas um aviso, se não adicionar um email e depois esquecer a sua palavra-passe, poderá perder permanentemente o acesso à sua conta.", "Create account": "Criar conta", - "To create your account, open the link in the email we just sent to %(emailAddress)s.": "Para criar a sua conta, abra a ligação no email que acabámos de enviar para %(emailAddress)s.", "Invite with email or username": "Convidar com email ou nome de utilizador", "Invite someone using their name, email address, username (like ) or share this space.": "Convide alguém a partir do nome, endereço de email, nome de utilizador (como ) ou partilhe este espaço.", "Invite someone using their name, email address, username (like ) or share this room.": "Convide alguém a partir do nome, email ou nome de utilizador (como ) ou partilhe esta sala.", @@ -558,7 +533,6 @@ "Luxembourg": "Luxemburgo", "St. Pierre & Miquelon": "São Pedro e Miquelon", "Join millions for free on the largest public server": "Junte-se a milhões gratuitamente no maior servidor público", - "Enter username": "Introduza um nome de utilizador", "Failed to send event": "Falha no envio do evento", "Failed to read events": "Falha ao ler eventos", "Setting up keys": "A configurar chaves", @@ -681,6 +655,14 @@ }, "sessions": { "session_id": "Identificador de sessão" + }, + "security": { + "export_megolm_keys": "Exportar chaves ponta-a-ponta da sala", + "import_megolm_keys": "Importar chave de criptografia ponta-a-ponta (E2E) da sala", + "cryptography_section": "Criptografia" + }, + "general": { + "account_section": "Conta" } }, "devtools": { @@ -804,7 +786,27 @@ "phone_label": "Telefone", "email_help_text": "Adicione um email para poder repôr a palavra-passe.", "email_phone_discovery_text": "Use email ou telefone para, opcionalmente, ser detectável por contactos existentes.", - "email_discovery_text": "Use email para, opcionalmente, ser detectável por contactos existentes." + "email_discovery_text": "Use email para, opcionalmente, ser detectável por contactos existentes.", + "session_logged_out_title": "Deslogar", + "session_logged_out_description": "Por questões de segurança, esta sessão foi encerrada. Por gentileza conecte-se novamente.", + "change_password_mismatch": "As novas palavras-passe não coincidem", + "change_password_empty": "As palavras-passe não podem estar vazias", + "set_email_prompt": "Deseja definir um endereço de e-mail?", + "change_password_confirm_label": "Confirmar palavra-passe", + "change_password_current_label": "Palavra-passe atual", + "change_password_new_label": "Nova Palavra-Passe", + "change_password_action": "Alterar Palavra-Passe", + "email_field_label": "Email", + "uia": { + "email": "Para criar a sua conta, abra a ligação no email que acabámos de enviar para %(emailAddress)s.", + "msisdn_token_incorrect": "Token incorreto", + "msisdn_token_prompt": "Por favor, entre com o código que está na mensagem:", + "fallback_button": "Iniciar autenticação" + }, + "username_field_required_invalid": "Introduza um nome de utilizador", + "msisdn_field_label": "Telefone", + "identifier_label": "Quero entrar", + "reset_password_email_field_description": "Usar um endereço de email para recuperar a sua conta" }, "export_chat": { "messages": "Mensagens" @@ -827,7 +829,10 @@ }, "update": { "see_changes_button": "O que há de novo?", - "release_notes_toast_title": "Novidades" + "release_notes_toast_title": "Novidades", + "error_encountered": "Erro encontrado (%(errorDetail)s).", + "no_update": "Nenhuma atualização disponível.", + "check_action": "Procurar atualizações" }, "composer": { "autocomplete": { @@ -863,6 +868,9 @@ "user_url_previews_default_on": "Você habilitou pré-visualizações de links por padrão.", "user_url_previews_default_off": "Você desabilitou pré-visualizações de links por padrão.", "url_previews_section": "Pré-visualização de links" + }, + "advanced": { + "unfederated": "Esta sala não é acessível para servidores Matrix remotos" } } } diff --git a/src/i18n/strings/pt_BR.json b/src/i18n/strings/pt_BR.json index aa8795f6d7..5a2ababbab 100644 --- a/src/i18n/strings/pt_BR.json +++ b/src/i18n/strings/pt_BR.json @@ -1,32 +1,21 @@ { - "Account": "Conta", - "New passwords don't match": "As novas senhas não conferem", "A new password must be entered.": "Uma nova senha precisa ser inserida.", "Are you sure you want to reject the invitation?": "Tem certeza de que deseja recusar o convite?", - "Confirm password": "Confirme a nova senha", - "Cryptography": "Criptografia", - "Current password": "Senha atual", "Deactivate Account": "Desativar minha conta", "Default": "Padrão", - "Export E2E room keys": "Exportar chaves ponta-a-ponta da sala", "Failed to change password. Is your password correct?": "Não foi possível alterar a senha. A sua senha está correta?", "Failed to reject invitation": "Falha ao tentar recusar o convite", "Failed to unban": "Não foi possível remover o banimento", "Favourite": "Favoritar", "Filter room members": "Pesquisar participantes da sala", "Forget room": "Esquecer sala", - "For security, this session has been signed out. Please sign in again.": "Por questões de segurança, esta sessão foi encerrada. Por gentileza conecte-se novamente.", "Historical": "Histórico", - "Import E2E room keys": "Importar chave de criptografia ponta-a-ponta (E2E) da sala", "Invalid Email Address": "Endereço de e-mail inválido", - "Sign in with": "Entrar com", "Low priority": "Baixa prioridade", "Moderator": "Moderador/a", "New passwords must match each other.": "As novas senhas informadas precisam ser idênticas.", "Notifications": "Notificações", "": "", - "Passwords can't be empty": "As senhas não podem estar em branco", - "Phone": "Telefone", "Please check your email and click on the link it contains. Once this is done, click continue.": "Por favor, confirme o seu e-mail e clique no link enviado. Feito isso, clique em continuar.", "Profile": "Perfil", "Reject invitation": "Recusar o convite", @@ -34,9 +23,7 @@ "Rooms": "Salas", "Server may be unavailable, overloaded, or you hit a bug.": "O servidor pode estar indisponível ou sobrecarregado, ou então você encontrou uma falha no sistema.", "Session ID": "Identificador de sessão", - "Signed Out": "Deslogar", "This doesn't appear to be a valid email address": "Este não aparenta ser um endereço de e-mail válido", - "This room is not accessible by remote Matrix servers": "Esta sala não é acessível para servidores Matrix remotos", "Unable to add email address": "Não foi possível adicionar um endereço de e-mail", "Unable to remove contact information": "Não foi possível remover informação de contato", "Unable to verify email address.": "Não foi possível confirmar o endereço de e-mail.", @@ -96,7 +83,6 @@ "Are you sure?": "Você tem certeza?", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(day)s de %(monthName)s de %(fullYear)s às %(time)s", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Uma conexão com o servidor local via HTTP não pode ser estabelecida se a barra de endereços do navegador contiver um endereço HTTPS. Use HTTPS ou, em vez disso, permita ao navegador executar scripts não seguros.", - "Change Password": "Alterar senha", "Decrypt %(text)s": "Descriptografar %(text)s", "Download %(text)s": "Baixar %(text)s", "Failed to ban user": "Não foi possível banir o usuário", @@ -120,7 +106,6 @@ "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Você não poderá desfazer essa alteração, pois está promovendo o usuário ao mesmo nível de permissão que você.", "Authentication": "Autenticação", "An error has occurred.": "Ocorreu um erro.", - "Email": "E-mail", "Email address": "Endereço de e-mail", "Error decrypting attachment": "Erro ao descriptografar o anexo", "Invalid file%(extra)s": "Arquivo inválido %(extra)s", @@ -141,8 +126,6 @@ "Unknown error": "Erro desconhecido", "Unable to restore session": "Não foi possível restaurar a sessão", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Se você já usou antes uma versão mais recente do %(brand)s, a sua sessão pode ser incompatível com esta versão. Feche esta janela e tente abrir com a versão mais recente.", - "Token incorrect": "Token incorreto", - "Please enter the code it contains:": "Por favor, entre com o código que está na mensagem:", "Error decrypting image": "Erro ao descriptografar a imagem", "Error decrypting video": "Erro ao descriptografar o vídeo", "Add an Integration": "Adicionar uma integração", @@ -164,14 +147,12 @@ "other": "Enviando o arquivo %(filename)s e %(count)s outros arquivos" }, "Create new room": "Criar nova sala", - "New Password": "Nova senha", "Something went wrong!": "Não foi possível carregar!", "Admin Tools": "Ferramentas de administração", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Não foi possível conectar ao Servidor de Base. Por favor, confira sua conectividade à internet, garanta que o certificado SSL do Servidor de Base é confiável, e que uma extensão do navegador não esteja bloqueando as requisições de rede.", "No display name": "Nenhum nome e sobrenome", "%(roomName)s does not exist.": "%(roomName)s não existe.", "%(roomName)s is not accessible at this time.": "%(roomName)s não está acessível neste momento.", - "Start authentication": "Iniciar autenticação", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (nível de permissão %(powerLevelNumber)s)", "(~%(count)s results)": { "one": "(~%(count)s resultado)", @@ -180,7 +161,6 @@ "Your browser does not support the required cryptography extensions": "O seu navegador não suporta as extensões de criptografia necessárias", "Not a valid %(brand)s keyfile": "Não é um arquivo de chave válido do %(brand)s", "Authentication check failed: incorrect password?": "Falha ao checar a autenticação: senha incorreta?", - "Do you want to set an email address?": "Você deseja definir um endereço de e-mail?", "This will allow you to reset your password and receive notifications.": "Isso permitirá que você redefina sua senha e receba notificações.", "Restricted": "Restrito", "You are not in this room.": "Você não está nesta sala.", @@ -206,7 +186,6 @@ "Banned by %(displayName)s": "Banido por %(displayName)s", "Copied!": "Copiado!", "Failed to copy": "Não foi possível copiar", - "A text message has been sent to %(msisdn)s": "Uma mensagem de texto foi enviada para %(msisdn)s", "Delete Widget": "Apagar widget", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Remover um widget o remove para todas as pessoas desta sala. Tem certeza que quer remover este widget?", "Delete widget": "Remover widget", @@ -221,8 +200,6 @@ "other": "E %(count)s mais..." }, "This room is not public. You will not be able to rejoin without an invite.": "Esta sala não é pública. Você não poderá voltar sem ser convidada/o.", - "Old cryptography data detected": "Dados de criptografia antigos foram detectados", - "Check for update": "Verificar atualizações", "Please note you are logging into the %(hs)s server, not matrix.org.": "Note que você está se conectando ao servidor %(hs)s, e não ao servidor matrix.org.", "Sunday": "Domingo", "Notification targets": "Aparelhos notificados", @@ -233,7 +210,6 @@ "Unavailable": "Indisponível", "Source URL": "Link do código-fonte", "Filter results": "Filtrar resultados", - "No update available.": "Nenhuma atualização disponível.", "Tuesday": "Terça-feira", "Search…": "Buscar…", "Saturday": "Sábado", @@ -244,7 +220,6 @@ "You cannot delete this message. (%(code)s)": "Você não pode apagar esta mensagem. (%(code)s)", "Thursday": "Quinta-feira", "Yesterday": "Ontem", - "Error encountered (%(errorDetail)s).": "Erro encontrado (%(errorDetail)s).", "Low Priority": "Baixa prioridade", "Wednesday": "Quarta-feira", "Thank you!": "Obrigado!", @@ -270,8 +245,6 @@ "Demote": "Reduzir privilégio", "Demote yourself?": "Reduzir seu próprio privilégio?", "Add some now": "Adicione alguns agora", - "Please review and accept all of the homeserver's policies": "Por favor, revise e aceite todas as políticas do homeserver", - "Please review and accept the policies of this homeserver:": "Por favor, revise e aceite as políticas deste servidor local:", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Não é possível carregar o evento que foi respondido, ele não existe ou você não tem permissão para visualizá-lo.", "Preparing to send logs": "Preparando para enviar relatórios", "Logs sent": "Relatórios enviados", @@ -311,9 +284,6 @@ "Failed to decrypt %(failedCount)s sessions!": "Falha ao descriptografar as sessões de %(failedCount)s!", "Can't leave Server Notices room": "Não é possível sair da sala Avisos do Servidor", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Esta sala é usada para mensagens importantes do Homeserver, então você não pode sair dela.", - "Terms and Conditions": "Termos e Condições", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Para continuar usando o servidor local %(homeserverDomain)s, você deve ler e concordar com nossos termos e condições.", - "Review terms and conditions": "Revise os termos e condições", "You can't send any messages until you review and agree to our terms and conditions.": "Você não pode enviar nenhuma mensagem até revisar e concordar com nossos termos e condições.", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Sua mensagem não foi enviada porque este homeserver atingiu seu Limite de usuário ativo mensal. Por favor, entre em contato com o seu administrador de serviços para continuar usando o serviço.", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Sua mensagem não foi enviada porque este servidor local excedeu o limite de recursos. Por favor, entre em contato com o seu administrador de serviços para continuar usando o serviço.", @@ -337,9 +307,6 @@ "Invite anyway and never warn me again": "Convide mesmo assim e nunca mais me avise", "Invite anyway": "Convide mesmo assim", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "O arquivo '%(fileName)s' excede o limite de tamanho deste homeserver para uploads", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "As mensagens com este usuário estão protegidas com a criptografia de ponta a ponta e não podem ser lidas por terceiros.", - "Got It": "Ok, entendi", - "Unable to find a supported verification method.": "Nenhuma opção de confirmação é suportada.", "Dog": "Cachorro", "Cat": "Gato", "Lion": "Leão", @@ -377,8 +344,6 @@ "Spanner": "Chave inglesa", "Santa": "Papai-noel", "The user must be unbanned before they can be invited.": "O banimento do usuário precisa ser removido antes de ser convidado.", - "Verify this user by confirming the following emoji appear on their screen.": "Confirme este usuário confirmando os emojis a seguir exibidos na tela dele.", - "Verify this user by confirming the following number appears on their screen.": "Confirme este usuário, comparando os números a seguir que serão exibidos na sua e na tela dele.", "Thumbs up": "Joinha", "Umbrella": "Guarda-chuva", "Hourglass": "Ampulheta", @@ -419,7 +384,6 @@ "Profile picture": "Foto de perfil", "Email addresses": "Endereços de e-mail", "Phone numbers": "Números de Telefone", - "Language and region": "Idioma e região", "Account management": "Gerenciamento da Conta", "General": "Geral", "Ignored users": "Usuários bloqueados", @@ -429,8 +393,6 @@ "Request media permissions": "Solicitar permissões de mídia", "Voice & Video": "Voz e vídeo", "Room information": "Informação da sala", - "Room version": "Versão da sala", - "Room version:": "Versão da sala:", "Room Addresses": "Endereços da sala", "Use Single Sign On to continue": "Use \"Single Sign On\" para continuar", "Confirm adding this email address by using Single Sign On to prove your identity.": "Confirme a inclusão deste endereço de e-mail usando o Single Sign On para comprovar sua identidade.", @@ -486,30 +448,15 @@ "Other users may not trust it": "Outras(os) usuárias(os) podem não confiar nela", "New login. Was this you?": "Novo login. Foi você?", "IRC display name width": "Largura do nome e sobrenome nas mensagens", - "Waiting for %(displayName)s to verify…": "Aguardando %(displayName)s confirmar…", - "Cancelling…": "Cancelando…", "Lock": "Cadeado", "Accept to continue:": "Aceitar para continuar:", - "This bridge was provisioned by .": "Esta integração foi disponibilizada por .", - "This bridge is managed by .": "Esta integração é desenvolvida por .", "Show more": "Mostrar mais", "Your homeserver does not support cross-signing.": "Seu servidor não suporta a autoverificação.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Sua conta tem uma identidade autoverificada em armazenamento secreto, mas ainda não é considerada confiável por esta sessão.", "well formed": "bem formado", "unexpected type": "tipo inesperado", - "Cross-signing public keys:": "Chaves públicas de autoverificação:", - "in memory": "na memória", - "not found": "não encontradas", - "Cross-signing private keys:": "Chaves privadas de autoverificação:", - "in secret storage": "em armazenamento secreto", - "Self signing private key:": "Chave privada auto-assinada:", - "cached locally": "armazenado localmente", - "not found locally": "não encontrado localmente", - "User signing private key:": "Chave privada de assinatura da(do) usuária(o):", "Secret storage public key:": "Chave pública do armazenamento secreto:", "in account data": "nos dados de conta", - "Homeserver feature support:": "Recursos suportados pelo servidor:", - "exists": "existe", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Verifique individualmente cada sessão usada por um usuário para marcá-la como confiável, em vez de confirmar em aparelhos autoverificados.", "Securely cache encrypted messages locally for them to appear in search results.": "Armazene mensagens criptografadas de forma segura localmente para que possam aparecer nos resultados das buscas.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s precisa de componentes adicionais para pesquisar as mensagens criptografadas armazenadas localmente. Se quiser testar esse recurso, construa uma versão do %(brand)s para Computador com componentes de busca ativados.", @@ -523,11 +470,7 @@ "This backup is trusted because it has been restored on this session": "Este backup é confiável, pois foi restaurado nesta sessão", "Your keys are not being backed up from this session.": "Suas chaves não estão sendo copiadas desta sessão.", "wait and try again later": "aguarde e tente novamente mais tarde", - "Please verify the room ID or address and try again.": "Por favor, verifique o ID ou endereço da sala e tente novamente.", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "É possível bloquear pessoas através de listas de banimento que contêm regras sobre quem banir de salas. Colocar alguém na lista de banimento significa que as pessoas ou servidores bloqueados pela lista não serão visualizados por você.", - "Session key:": "Chave da sessão:", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "O administrador do servidor desativou a criptografia de ponta a ponta por padrão em salas privadas e em conversas.", - "Encryption": "Criptografia", "Click the link in the email you received to verify and then click continue again.": "Clique no link no e-mail que você recebeu para confirmar e então clique novamente em continuar.", "Verify the link in your inbox": "Verifique o link na sua caixa de e-mails", "This room is end-to-end encrypted": "Esta sala é criptografada de ponta a ponta", @@ -572,9 +515,7 @@ "Security Key": "Chave de Segurança", "Use your Security Key to continue.": "Use sua Chave de Segurança para continuar.", "Warning: you should only set up key backup from a trusted computer.": "Atenção: você só deve configurar o backup de chave em um computador de sua confiança.", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Está faltando a chave pública do captcha no Servidor (homeserver). Por favor, reporte isso aos(às) administradores(as) do servidor.", "Explore rooms": "Explorar salas", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Detectamos uma versão mais antiga do %(brand)s. Isso fará com que a criptografia de ponta a ponta não funcione corretamente. As mensagens criptografadas de ponta a ponta trocadas recentemente, enquanto você usava a versão mais antiga, talvez não sejam descriptografáveis na nova versão. Isso também poderá fazer com que as mensagens trocadas nesta sessão falhem na mais atual. Se você tiver problemas, desconecte-se e entre novamente. Para manter o histórico de mensagens, exporte e reimporte suas chaves.", "Create account": "Criar conta", "Confirm encryption setup": "Confirmar a configuração de criptografia", "Click the button below to confirm setting up encryption.": "Clique no botão abaixo para confirmar a configuração da criptografia.", @@ -663,13 +604,6 @@ "Server did not require any authentication": "O servidor não exigiu autenticação", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Se você confirmar esse usuário, a sessão será marcada como confiável para você e para ele.", "Verifying this device will mark it as trusted, and users who have verified with you will trust this device.": "Confirmar este aparelho o marcará como confiável para você e para os usuários que se confirmaram com você.", - "Use an email address to recover your account": "Use um endereço de e-mail para recuperar sua conta", - "Enter email address (required on this homeserver)": "Digite o endereço de e-mail (necessário neste servidor)", - "Doesn't look like a valid email address": "Este não parece ser um endereço de e-mail válido", - "Passwords don't match": "As senhas não correspondem", - "Other users can invite you to rooms using your contact details": "Outros usuários podem convidá-lo para salas usando seus detalhes de contato", - "Enter phone number (required on this homeserver)": "Digite o número de celular (necessário neste servidor)", - "Enter username": "Digite o nome de usuário", "Email (optional)": "E-mail (opcional)", "Confirm adding this phone number by using Single Sign On to prove your identity.": "Confirme a adição deste número de telefone usando o Login Único para provar sua identidade.", "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Use um servidor de identidade para convidar por e-mail. Clique em continuar para usar o servidor de identidade padrão (%(defaultIdentityServerName)s) ou gerencie nas Configurações.", @@ -696,7 +630,6 @@ "Do not use an identity server": "Não usar um servidor de identidade", "Enter a new identity server": "Digite um novo servidor de identidade", "Manage integrations": "Gerenciar integrações", - "New version available. Update now.": "Nova versão disponível. Atualize agora.", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Concorde com os Termos de Serviço do servidor de identidade (%(serverName)s), para que você possa ser descoberto por endereço de e-mail ou por número de celular.", "Discovery": "Contatos", "Deactivate account": "Desativar minha conta", @@ -730,25 +663,7 @@ "All settings": "Todas as configurações", "Clear personal data": "Limpar dados pessoais", "If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Se você não excluiu a opção de recuperação, um invasor pode estar tentando acessar sua conta. Altere a senha da sua conta e defina imediatamente uma nova opção de recuperação nas Configurações.", - "Ignored/Blocked": "Bloqueado", - "Error adding ignored user/server": "Erro ao adicionar usuário/servidor bloqueado", - "Something went wrong. Please try again or view your console for hints.": "Não foi possível carregar. Por favor, tente novamente ou veja seu console para obter dicas.", - "Error subscribing to list": "Erro ao inscrever-se na lista", - "Error removing ignored user/server": "Erro ao remover usuário/servidor bloqueado", - "Error unsubscribing from list": "Erro ao cancelar a inscrição da lista", - "Please try again or view your console for hints.": "Por favor, tente novamente ou veja seu console para obter dicas.", "None": "Nenhuma", - "Server rules": "Regras do servidor", - "User rules": "Regras do usuário", - "You have not ignored anyone.": "Você não bloqueou ninguém.", - "You are currently ignoring:": "Você está bloqueando:", - "You are not subscribed to any lists": "Você não está inscrito em nenhuma lista", - "View rules": "Ver regras", - "You are currently subscribed to:": "No momento, você está inscrito em:", - "⚠ These settings are meant for advanced users.": "⚠ Essas configurações são destinadas a usuários avançados.", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Adicione aqui os usuários e servidores que você deseja bloquear. Use asteriscos para fazer com que o %(brand)s corresponda a qualquer caractere. Por exemplo, @bot:* bloqueará todos os usuários em qualquer servidor que tenham 'bot' no nome.", - "Server or user ID to ignore": "Servidor ou ID de usuário para bloquear", - "Session ID:": "ID da sessão:", "Message search": "Pesquisa de mensagens", "Set a new custom sound": "Definir um novo som personalizado", "Browse": "Buscar", @@ -854,16 +769,8 @@ "Wrong file type": "Tipo errado de arquivo", "Remove for everyone": "Remover para todos", "This homeserver would like to make sure you are not a robot.": "Este servidor local quer se certificar de que você não é um robô.", - "Confirm your identity by entering your account password below.": "Confirme sua identidade digitando sua senha abaixo.", - "Enter password": "Digite a senha", - "Nice, strong password!": "Muito bem, uma senha forte!", - "Password is allowed, but unsafe": "Esta senha é permitida, mas não é segura", "Sign in with SSO": "Faça login com SSO (Login Único)", "Couldn't load page": "Não foi possível carregar a página", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "Você tem %(count)s notificações não lidas em uma versão anterior desta sala.", - "one": "Você tem %(count)s notificações não lidas em uma versão anterior desta sala." - }, "Could not load user profile": "Não foi possível carregar o perfil do usuário", "Your password has been reset.": "Sua senha foi alterada.", "Invalid base_url for m.homeserver": "base_url inválido para m.homeserver", @@ -871,11 +778,6 @@ "Success!": "Pronto!", "Change notification settings": "Alterar configuração de notificações", "Your server isn't responding to some requests.": "Seu servidor não está respondendo a algumas solicitações.", - "Ban list rules - %(roomName)s": "Regras da lista de banidos - %(roomName)s", - "Personal ban list": "Lista pessoal de banidos", - "Subscribing to a ban list will cause you to join it!": "Inscrever-se em uma lista de banidos significa participar dela!", - "If this isn't what you want, please use a different tool to ignore users.": "Se isso não for o que você deseja, use outra ferramenta para bloquear os usuários.", - "Room ID or address of ban list": "ID da sala ou endereço da lista de banidos", "Uploaded sound": "Som enviado", "Sounds": "Sons", "Notification sound": "Som de notificação", @@ -914,8 +816,6 @@ "Homeserver URL does not appear to be a valid Matrix homeserver": "O endereço do servidor local não parece indicar um servidor local válido na Matrix", "Identity server URL does not appear to be a valid identity server": "O endereço do servidor de identidade não parece indicar um servidor de identidade válido", "For a large amount of messages, this might take some time. Please don't refresh your client in the meantime.": "Quando há muitas mensagens, isso pode levar algum tempo. Por favor, não recarregue o seu cliente enquanto isso.", - "Upgrade this room to the recommended room version": "Atualizar a versão desta sala", - "View older messages in %(roomName)s.": "Ler mensagens antigas em %(roomName)s.", "Error changing power level": "Erro ao alterar a permissão do usuário", "Discovery options will appear once you have added a phone number above.": "As opções de descoberta aparecerão assim que você adicione um número de telefone acima.", "No other published addresses yet, add one below": "Nenhum endereço publicado ainda, adicione um abaixo", @@ -945,7 +845,6 @@ "Unexpected server error trying to leave the room": "Erro inesperado no servidor, ao tentar sair da sala", "Error leaving room": "Erro ao sair da sala", "Unknown App": "App desconhecido", - "eg: @bot:* or example.org": "por exemplo: @bot:* ou exemplo.org", "Widgets": "Widgets", "Edit widgets, bridges & bots": "Editar widgets, integrações e bots", "Add widgets, bridges & bots": "Adicionar widgets, integrações e bots", @@ -965,15 +864,12 @@ "You can also set up Secure Backup & manage your keys in Settings.": "Você também pode configurar o Backup online & configurar as suas senhas nas Configurações.", "Cross-signing is ready for use.": "A autoverificação está pronta para uso.", "Cross-signing is not set up.": "A autoverificação não está configurada.", - "not found in storage": "não encontrado no armazenamento", - "Master private key:": "Chave privada principal:", "Failed to save your profile": "Houve uma falha ao salvar o seu perfil", "The operation could not be completed": "A operação não foi concluída", "Algorithm:": "Algoritmo:", "Secret storage:": "Armazenamento secreto:", "ready": "pronto", "not ready": "não está pronto", - "Subscribed lists": "Listas inscritas", "This room is bridging messages to the following platforms. Learn more.": "Esta sala está integrando mensagens com as seguintes plataformas. Saiba mais.", "Bridges": "Integrações", "Error changing power level requirement": "Houve um erro ao alterar o nível de permissão do contato", @@ -1276,13 +1172,10 @@ "one": "Armazene mensagens criptografadas de forma segura localmente para que apareçam nos resultados das buscas. %(size)s é necessário para armazenar mensagens de %(rooms)s sala.", "other": "Armazene mensagens criptografadas de forma segura localmente para que apareçam nos resultados das buscas. %(size)s é necessário para armazenar mensagens de %(rooms)s salas." }, - "Enter phone number": "Digite o número de telefone", - "Enter email address": "Digite o endereço de e-mail", "Decline All": "Recusar tudo", "This widget would like to:": "Este widget gostaria de:", "Approve widget permissions": "Autorizar as permissões do widget", "There was a problem communicating with the homeserver, please try again later.": "Ocorreu um problema de comunicação com o servidor local. Tente novamente mais tarde.", - "That phone number doesn't look quite right, please check and try again": "Esse número de telefone não é válido, verifique e tente novamente", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Apenas um aviso: se você não adicionar um e-mail e depois esquecer sua senha, poderá perder permanentemente o acesso à sua conta.", "Continuing without email": "Continuar sem e-mail", "Server Options": "Opções do servidor", @@ -1316,12 +1209,9 @@ "Set my room layout for everyone": "Definir a minha aparência da sala para todos", "Open dial pad": "Abrir o teclado de discagem", "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Faça backup de suas chaves de criptografia com os dados da sua conta, para se prevenir a perder o acesso às suas sessões. Suas chaves serão protegidas por uma Chave de Segurança exclusiva.", - "Channel: ": "Canal: ", - "Workspace: ": "Espaço de trabalho: ", "Dial pad": "Teclado de discagem", "There was an error looking up the phone number": "Ocorreu um erro ao procurar o número de telefone", "Unable to look up phone number": "Não foi possível procurar o número de telefone", - "Something went wrong in confirming your identity. Cancel and try again.": "Algo deu errado ao confirmar a sua identidade. Cancele e tente novamente.", "Remember this": "Lembre-se disso", "The widget will verify your user ID, but won't be able to perform actions for you:": "O widget verificará o seu ID de usuário, mas não poderá realizar ações para você:", "Allow this widget to verify your identity": "Permitir que este widget verifique a sua identidade", @@ -1358,7 +1248,6 @@ "Share invite link": "Compartilhar link de convite", "Click to copy": "Clique para copiar", "Create a space": "Criar um espaço", - "Original event source": "Fonte do evento original", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Seu %(brand)s não permite que você use o gerenciador de integrações para fazer isso. Entre em contato com o administrador.", "Using this widget may share data with %(widgetDomain)s & your integration manager.": "Se você usar esse widget, os dados poderão ser compartilhados com %(widgetDomain)s & seu gerenciador de integrações.", "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "O gerenciador de integrações recebe dados de configuração e pode modificar widgets, enviar convites para salas e definir níveis de permissão em seu nome.", @@ -1572,7 +1461,6 @@ "Start new chat": "Comece um novo bate-papo", "Recently viewed": "Visualizado recentemente", "Insert link": "Inserir link", - "Create poll": "Criar enquete", "You do not have permission to start polls in this room.": "Você não tem permissão para iniciar enquetes nesta sala.", "Share location": "Compartilhar localização", "Reply in thread": "Responder no tópico", @@ -1892,7 +1780,11 @@ "group_encryption": "Criptografia", "group_experimental": "Experimental", "group_developer": "Desenvolvedor", - "automatic_debug_logs": "Enviar automaticamente logs de depuração em qualquer erro" + "automatic_debug_logs": "Enviar automaticamente logs de depuração em qualquer erro", + "bridge_state_creator": "Esta integração foi disponibilizada por .", + "bridge_state_manager": "Esta integração é desenvolvida por .", + "bridge_state_workspace": "Espaço de trabalho: ", + "bridge_state_channel": "Canal: " }, "keyboard": { "home": "Home", @@ -2137,7 +2029,26 @@ "send_analytics": "Enviar dados analíticos", "strict_encryption": "Nunca envie mensagens criptografadas a partir desta sessão para sessões não confirmadas", "enable_message_search": "Ativar busca de mensagens em salas criptografadas", - "manually_verify_all_sessions": "Verificar manualmente todas as sessões remotas" + "manually_verify_all_sessions": "Verificar manualmente todas as sessões remotas", + "cross_signing_public_keys": "Chaves públicas de autoverificação:", + "cross_signing_in_memory": "na memória", + "cross_signing_not_found": "não encontradas", + "cross_signing_private_keys": "Chaves privadas de autoverificação:", + "cross_signing_in_4s": "em armazenamento secreto", + "cross_signing_not_in_4s": "não encontrado no armazenamento", + "cross_signing_master_private_Key": "Chave privada principal:", + "cross_signing_cached": "armazenado localmente", + "cross_signing_not_cached": "não encontrado localmente", + "cross_signing_self_signing_private_key": "Chave privada auto-assinada:", + "cross_signing_user_signing_private_key": "Chave privada de assinatura da(do) usuária(o):", + "cross_signing_homeserver_support": "Recursos suportados pelo servidor:", + "cross_signing_homeserver_support_exists": "existe", + "export_megolm_keys": "Exportar chaves ponta-a-ponta da sala", + "import_megolm_keys": "Importar chave de criptografia ponta-a-ponta (E2E) da sala", + "cryptography_section": "Criptografia", + "session_id": "ID da sessão:", + "session_key": "Chave da sessão:", + "encryption_section": "Criptografia" }, "preferences": { "room_list_heading": "Lista de salas", @@ -2198,6 +2109,10 @@ "other": "Desconectar dispositivos" }, "security_recommendations": "Recomendações de segurança" + }, + "general": { + "account_section": "Conta", + "language_section": "Idioma e região" } }, "devtools": { @@ -2233,7 +2148,8 @@ "title": "Ferramentas de desenvolvimento", "show_hidden_events": "Mostrar eventos ocultos nas conversas", "developer_mode": "Modo desenvolvedor", - "view_source_decrypted_event_source": "Fonte de evento descriptografada" + "view_source_decrypted_event_source": "Fonte de evento descriptografada", + "original_event_source": "Fonte do evento original" }, "export_chat": { "html": "HTML", @@ -2772,6 +2688,13 @@ "url_preview_encryption_warning": "Em salas criptografadas, como esta, as pré-visualizações de links estão desativadas por padrão para garantir que o seu servidor local (onde as visualizações são geradas) não possa coletar informações sobre os links que você vê nesta sala.", "url_preview_explainer": "Quando alguém inclui um link em uma mensagem, a pré-visualização do link pode ser exibida para fornecer mais informações sobre esse link, como o título, a descrição e uma imagem do site.", "url_previews_section": "Pré-visualização de links" + }, + "advanced": { + "unfederated": "Esta sala não é acessível para servidores Matrix remotos", + "room_upgrade_button": "Atualizar a versão desta sala", + "room_predecessor": "Ler mensagens antigas em %(roomName)s.", + "room_version_section": "Versão da sala", + "room_version": "Versão da sala:" } }, "encryption": { @@ -2785,8 +2708,17 @@ "qr_prompt": "Escaneie este código único", "sas_prompt": "Comparar emojis únicos", "sas_description": "Compare um conjunto único de emojis se você não tem uma câmera em nenhum dos dois aparelhos", - "qr_or_sas": "%(qrCode)s ou %(emojiCompare)s" - } + "qr_or_sas": "%(qrCode)s ou %(emojiCompare)s", + "explainer": "As mensagens com este usuário estão protegidas com a criptografia de ponta a ponta e não podem ser lidas por terceiros.", + "complete_action": "Ok, entendi", + "sas_emoji_caption_user": "Confirme este usuário confirmando os emojis a seguir exibidos na tela dele.", + "sas_caption_user": "Confirme este usuário, comparando os números a seguir que serão exibidos na sua e na tela dele.", + "unsupported_method": "Nenhuma opção de confirmação é suportada.", + "waiting_other_user": "Aguardando %(displayName)s confirmar…", + "cancelling": "Cancelando…" + }, + "old_version_detected_title": "Dados de criptografia antigos foram detectados", + "old_version_detected_description": "Detectamos uma versão mais antiga do %(brand)s. Isso fará com que a criptografia de ponta a ponta não funcione corretamente. As mensagens criptografadas de ponta a ponta trocadas recentemente, enquanto você usava a versão mais antiga, talvez não sejam descriptografáveis na nova versão. Isso também poderá fazer com que as mensagens trocadas nesta sessão falhem na mais atual. Se você tiver problemas, desconecte-se e entre novamente. Para manter o histórico de mensagens, exporte e reimporte suas chaves." }, "emoji": { "category_frequently_used": "Mais usados", @@ -2870,7 +2802,43 @@ "phone_optional_label": "Número de celular (opcional)", "email_help_text": "Adicione um e-mail para depois poder redefinir sua senha.", "email_phone_discovery_text": "Seja encontrado por seus contatos a partir de um e-mail ou número de telefone.", - "email_discovery_text": "Seja encontrado por seus contatos a partir de um e-mail." + "email_discovery_text": "Seja encontrado por seus contatos a partir de um e-mail.", + "session_logged_out_title": "Deslogar", + "session_logged_out_description": "Por questões de segurança, esta sessão foi encerrada. Por gentileza conecte-se novamente.", + "change_password_mismatch": "As novas senhas não conferem", + "change_password_empty": "As senhas não podem estar em branco", + "set_email_prompt": "Você deseja definir um endereço de e-mail?", + "change_password_confirm_label": "Confirme a nova senha", + "change_password_confirm_invalid": "As senhas não correspondem", + "change_password_current_label": "Senha atual", + "change_password_new_label": "Nova senha", + "change_password_action": "Alterar senha", + "email_field_label": "E-mail", + "email_field_label_required": "Digite o endereço de e-mail", + "email_field_label_invalid": "Este não parece ser um endereço de e-mail válido", + "uia": { + "password_prompt": "Confirme sua identidade digitando sua senha abaixo.", + "recaptcha_missing_params": "Está faltando a chave pública do captcha no Servidor (homeserver). Por favor, reporte isso aos(às) administradores(as) do servidor.", + "terms_invalid": "Por favor, revise e aceite todas as políticas do homeserver", + "terms": "Por favor, revise e aceite as políticas deste servidor local:", + "msisdn_token_incorrect": "Token incorreto", + "msisdn": "Uma mensagem de texto foi enviada para %(msisdn)s", + "msisdn_token_prompt": "Por favor, entre com o código que está na mensagem:", + "sso_failed": "Algo deu errado ao confirmar a sua identidade. Cancele e tente novamente.", + "fallback_button": "Iniciar autenticação" + }, + "password_field_label": "Digite a senha", + "password_field_strong_label": "Muito bem, uma senha forte!", + "password_field_weak_label": "Esta senha é permitida, mas não é segura", + "username_field_required_invalid": "Digite o nome de usuário", + "msisdn_field_required_invalid": "Digite o número de telefone", + "msisdn_field_number_invalid": "Esse número de telefone não é válido, verifique e tente novamente", + "msisdn_field_label": "Telefone", + "identifier_label": "Entrar com", + "reset_password_email_field_description": "Use um endereço de e-mail para recuperar sua conta", + "reset_password_email_field_required_invalid": "Digite o endereço de e-mail (necessário neste servidor)", + "msisdn_field_description": "Outros usuários podem convidá-lo para salas usando seus detalhes de contato", + "registration_msisdn_field_required_invalid": "Digite o número de celular (necessário neste servidor)" }, "room_list": { "sort_unread_first": "Mostrar salas não lidas em primeiro", @@ -3031,7 +2999,11 @@ "see_changes_button": "O que há de novidades?", "release_notes_toast_title": "Novidades", "toast_title": "Atualizar o %(brand)s", - "toast_description": "Uma nova versão do %(brand)s está disponível" + "toast_description": "Uma nova versão do %(brand)s está disponível", + "error_encountered": "Erro encontrado (%(errorDetail)s).", + "no_update": "Nenhuma atualização disponível.", + "new_version_available": "Nova versão disponível. Atualize agora.", + "check_action": "Verificar atualizações" }, "threads": { "show_thread_filter": "Exibir:" @@ -3051,7 +3023,34 @@ }, "labs_mjolnir": { "room_name": "Minha lista de banidos", - "room_topic": "Esta é a sua lista de usuárias(os)/servidores que você bloqueou - não saia da sala!" + "room_topic": "Esta é a sua lista de usuárias(os)/servidores que você bloqueou - não saia da sala!", + "ban_reason": "Bloqueado", + "error_adding_ignore": "Erro ao adicionar usuário/servidor bloqueado", + "something_went_wrong": "Não foi possível carregar. Por favor, tente novamente ou veja seu console para obter dicas.", + "error_adding_list_title": "Erro ao inscrever-se na lista", + "error_adding_list_description": "Por favor, verifique o ID ou endereço da sala e tente novamente.", + "error_removing_ignore": "Erro ao remover usuário/servidor bloqueado", + "error_removing_list_title": "Erro ao cancelar a inscrição da lista", + "error_removing_list_description": "Por favor, tente novamente ou veja seu console para obter dicas.", + "rules_title": "Regras da lista de banidos - %(roomName)s", + "rules_server": "Regras do servidor", + "rules_user": "Regras do usuário", + "personal_empty": "Você não bloqueou ninguém.", + "personal_section": "Você está bloqueando:", + "no_lists": "Você não está inscrito em nenhuma lista", + "view_rules": "Ver regras", + "lists": "No momento, você está inscrito em:", + "title": "Usuários bloqueados", + "advanced_warning": "⚠ Essas configurações são destinadas a usuários avançados.", + "explainer_1": "Adicione aqui os usuários e servidores que você deseja bloquear. Use asteriscos para fazer com que o %(brand)s corresponda a qualquer caractere. Por exemplo, @bot:* bloqueará todos os usuários em qualquer servidor que tenham 'bot' no nome.", + "explainer_2": "É possível bloquear pessoas através de listas de banimento que contêm regras sobre quem banir de salas. Colocar alguém na lista de banimento significa que as pessoas ou servidores bloqueados pela lista não serão visualizados por você.", + "personal_heading": "Lista pessoal de banidos", + "personal_new_label": "Servidor ou ID de usuário para bloquear", + "personal_new_placeholder": "por exemplo: @bot:* ou exemplo.org", + "lists_heading": "Listas inscritas", + "lists_description_1": "Inscrever-se em uma lista de banidos significa participar dela!", + "lists_description_2": "Se isso não for o que você deseja, use outra ferramenta para bloquear os usuários.", + "lists_new_label": "ID da sala ou endereço da lista de banidos" }, "create_space": { "name_required": "Por favor entre o nome do espaço", @@ -3088,6 +3087,10 @@ "private_unencrypted_warning": "Suas mensagens privadas normalmente são criptografadas, mas esta sala não é. Isto acontece normalmente por conta de um dispositivo ou método usado sem suporte, como convites via email, por exemplo.", "enable_encryption_prompt": "Ative a criptografia nas configurações.", "unencrypted_warning": "Criptografia de ponta-a-ponta não está habilitada" + }, + "unread_notifications_predecessor": { + "other": "Você tem %(count)s notificações não lidas em uma versão anterior desta sala.", + "one": "Você tem %(count)s notificações não lidas em uma versão anterior desta sala." } }, "file_panel": { @@ -3102,6 +3105,12 @@ "intro": "Para continuar, você precisa aceitar os termos deste serviço.", "column_service": "Serviço", "column_summary": "Resumo", - "column_document": "Documento" + "column_document": "Documento", + "tac_title": "Termos e Condições", + "tac_description": "Para continuar usando o servidor local %(homeserverDomain)s, você deve ler e concordar com nossos termos e condições.", + "tac_button": "Revise os termos e condições" + }, + "poll": { + "create_poll_title": "Criar enquete" } } diff --git a/src/i18n/strings/ru.json b/src/i18n/strings/ru.json index b3a4dffc73..b5552cf63a 100644 --- a/src/i18n/strings/ru.json +++ b/src/i18n/strings/ru.json @@ -1,28 +1,21 @@ { - "Account": "Учётная запись", "A new password must be entered.": "Введите новый пароль.", "Are you sure you want to reject the invitation?": "Уверены, что хотите отклонить приглашение?", - "Cryptography": "Криптография", "Deactivate Account": "Деактивировать учётную запись", "Default": "По умолчанию", - "Export E2E room keys": "Экспорт ключей шифрования", "Failed to change password. Is your password correct?": "Не удалось сменить пароль. Вы правильно ввели текущий пароль?", "Failed to reject invitation": "Не удалось отклонить приглашение", "Failed to unban": "Не удалось разблокировать", "Favourite": "Избранное", "Filter room members": "Поиск по участникам", "Forget room": "Забыть комнату", - "For security, this session has been signed out. Please sign in again.": "Для обеспечения безопасности ваш сеанс был завершён. Пожалуйста, войдите снова.", "Historical": "Архив", - "Import E2E room keys": "Импорт ключей шифрования", "Invalid Email Address": "Недопустимый email", - "Sign in with": "Войти с помощью", "Low priority": "Маловажные", "Moderator": "Модератор", "New passwords must match each other.": "Новые пароли должны совпадать.", "Notifications": "Уведомления", "": "<не поддерживается>", - "Phone": "Телефон", "Return to login screen": "Вернуться к экрану входа", "Unable to add email address": "Не удается добавить email", "Unable to remove contact information": "Не удалось удалить контактную информацию", @@ -79,20 +72,14 @@ "Authentication": "Аутентификация", "%(items)s and %(lastItem)s": "%(items)s и %(lastItem)s", "An error has occurred.": "Произошла ошибка.", - "Change Password": "Сменить пароль", - "Confirm password": "Подтвердите пароль", - "Current password": "Текущий пароль", - "Email": "Электронная почта", "Failed to load timeline position": "Не удалось загрузить метку из хронологии", "Failed to mute user": "Не удалось заглушить пользователя", "Failed to reject invite": "Не удалось отклонить приглашение", "Failed to set display name": "Не удалось задать отображаемое имя", "Incorrect verification code": "Неверный код подтверждения", "Join Room": "Войти в комнату", - "New passwords don't match": "Новые пароли не совпадают", "not specified": "не задан", "No more results": "Больше никаких результатов", - "Passwords can't be empty": "Пароли не могут быть пустыми", "Please check your email and click on the link it contains. Once this is done, click continue.": "Проверьте свою электронную почту и нажмите на ссылку в письме. После этого нажмите кнопку Продолжить.", "Power level must be positive integer.": "Уровень прав должен быть положительным целым числом.", "Profile": "Профиль", @@ -128,8 +115,6 @@ "Server may be unavailable, overloaded, or search timed out :(": "Сервер может быть недоступен, перегружен или поиск прекращен по тайм-ауту :(", "Server may be unavailable, overloaded, or you hit a bug.": "Возможно, сервер недоступен, перегружен или случилась ошибка.", "Session ID": "ID сеанса", - "Signed Out": "Выполнен выход", - "This room is not accessible by remote Matrix servers": "Это комната недоступна из других серверов Matrix", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Попытка загрузить выбранный интервал истории чата этой комнаты не удалась, так как у вас нет разрешений на просмотр.", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Попытка загрузить выбранный интервал истории чата этой комнаты не удалась, так как запрошенный элемент не найден.", "Verified key": "Ключ проверен", @@ -151,8 +136,6 @@ "Unknown error": "Неизвестная ошибка", "Unable to restore session": "Восстановление сеанса не удалось", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Если вы использовали более новую версию %(brand)s, то ваш сеанс может быть несовместим с ней. Закройте это окно и вернитесь к более новой версии.", - "Token incorrect": "Неверный код проверки", - "Please enter the code it contains:": "Введите полученный код:", "Error decrypting image": "Ошибка расшифровки изображения", "Error decrypting video": "Ошибка расшифровки видео", "Add an Integration": "Добавить интеграцию", @@ -163,12 +146,10 @@ "one": "Отправка %(filename)s и %(count)s другой", "other": "Отправка %(filename)s и %(count)s других" }, - "New Password": "Новый пароль", "Something went wrong!": "Что-то пошло не так!", "Home": "Главная", "Admin Tools": "Инструменты администратора", "No display name": "Нет отображаемого имени", - "Start authentication": "Начать аутентификацию", "(~%(count)s results)": { "other": "(~%(count)s результатов)", "one": "(~%(count)s результат)" @@ -180,9 +161,7 @@ "Not a valid %(brand)s keyfile": "Недействительный файл ключей %(brand)s", "Your browser does not support the required cryptography extensions": "Ваш браузер не поддерживает необходимые криптографические расширения", "Authentication check failed: incorrect password?": "Ошибка аутентификации: возможно, неправильный пароль?", - "Do you want to set an email address?": "Хотите указать email?", "This will allow you to reset your password and receive notifications.": "Это позволит при необходимости сбросить пароль и получать уведомления.", - "Check for update": "Проверить наличие обновлений", "Delete widget": "Удалить виджет", "AM": "ДП", "PM": "ПП", @@ -204,7 +183,6 @@ }, "Delete Widget": "Удалить виджет", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Удаление виджета действует для всех участников этой комнаты. Вы действительно хотите удалить этот виджет?", - "A text message has been sent to %(msisdn)s": "Текстовое сообщение отправлено на %(msisdn)s", "%(items)s and %(count)s others": { "other": "%(items)s и ещё %(count)s участника(-ов)", "one": "%(items)s и ещё кто-то" @@ -218,8 +196,6 @@ "Send": "Отправить", "collapse": "свернуть", "expand": "развернуть", - "Old cryptography data detected": "Обнаружены старые криптографические данные", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Обнаружены данные из более старой версии %(brand)s. Это приведет к сбою криптографии в более ранней версии. В этой версии не могут быть расшифрованы сообщения, которые использовались недавно при использовании старой версии. Это также может привести к сбою обмена сообщениями с этой версией. Если возникают неполадки, выйдите и снова войдите в систему. Чтобы сохранить журнал сообщений, экспортируйте и повторно импортируйте ключи.", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "После понижения своих привилегий вы не сможете это отменить. Если вы являетесь последним привилегированным пользователем в этой комнате, выдать права кому-либо заново будет невозможно.", "Replying": "Отвечает", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", @@ -235,7 +211,6 @@ "Unavailable": "Недоступен", "Source URL": "Исходная ссылка", "Filter results": "Фильтрация результатов", - "No update available.": "Нет доступных обновлений.", "Tuesday": "Вторник", "Search…": "Поиск…", "Preparing to send logs": "Подготовка к отправке журналов", @@ -248,7 +223,6 @@ "Thursday": "Четверг", "Logs sent": "Журналы отправлены", "Yesterday": "Вчера", - "Error encountered (%(errorDetail)s).": "Обнаружена ошибка (%(errorDetail)s).", "Low Priority": "Маловажные", "Wednesday": "Среда", "Thank you!": "Спасибо!", @@ -260,9 +234,6 @@ "We encountered an error trying to restore your previous session.": "Произошла ошибка при попытке восстановить предыдущий сеанс.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Очистка хранилища вашего браузера может устранить проблему, но при этом ваш сеанс будет завершён, и зашифрованная история чата станет нечитаемой.", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Не удается загрузить событие, на которое был дан ответ. Либо оно не существует, либо у вас нет разрешения на его просмотр.", - "Terms and Conditions": "Условия и положения", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Для продолжения использования сервера %(homeserverDomain)s вы должны ознакомиться и принять условия и положения.", - "Review terms and conditions": "Просмотр условий и положений", "Can't leave Server Notices room": "Невозможно покинуть комнату сервера уведомлений", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Эта комната используется для важных сообщений от сервера, поэтому вы не можете ее покинуть.", "No Audio Outputs detected": "Аудиовыход не обнаружен", @@ -294,8 +265,6 @@ "You do not have permission to invite people to this room.": "У вас нет разрешения приглашать людей в эту комнату.", "Unknown server error": "Неизвестная ошибка сервера", "Please contact your homeserver administrator.": "Пожалуйста, свяжитесь с администратором вашего сервера.", - "Got It": "Понятно", - "Verify this user by confirming the following number appears on their screen.": "Подтвердите пользователя, убедившись, что на его экране отображается следующее число.", "Email Address": "Адрес электронной почты", "Delete Backup": "Удалить резервную копию", "Unable to verify phone number.": "Невозможно проверить номер телефона.", @@ -303,14 +272,10 @@ "Phone Number": "Номер телефона", "Display Name": "Отображаемое имя", "Room information": "Информация о комнате", - "Room version": "Версия комнаты", - "Room version:": "Версия комнаты:", "Room Addresses": "Адреса комнаты", "Email addresses": "Адреса электронной почты", "Phone numbers": "Телефонные номера", - "Language and region": "Язык и регион", "Account management": "Управление учётной записью", - "Encryption": "Шифрование", "Ignored users": "Игнорируемые пользователи", "Voice & Video": "Голос и видео", "The conversation continues here.": "Разговор продолжается здесь.", @@ -406,10 +371,7 @@ "Your keys are being backed up (the first backup could take a few minutes).": "Выполняется резервная копия ключей (первый раз это может занять несколько минут).", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "Размер файла '%(fileName)s' превышает допустимый предел загрузки, установленный на этом сервере", "The user must be unbanned before they can be invited.": "Пользователь должен быть разблокирован прежде чем может быть приглашён.", - "Verify this user by confirming the following emoji appear on their screen.": "Проверьте собеседника, убедившись, что на его экране отображаются следующие символы (смайлы).", - "Unable to find a supported verification method.": "Невозможно определить поддерживаемый метод верификации.", "Scissors": "Ножницы", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Сообщения с этим пользователем защищены сквозным шифрованием и недоступны третьим лицам.", "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Мы отправили вам сообщение для подтверждения адреса электронной почты. Пожалуйста, следуйте указаниям в сообщении, после чего нажмите кнопку ниже.", "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Вы уверены? Зашифрованные сообщения будут безвозвратно утеряны при отсутствии соответствующего резервного копирования ваших ключей.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Эти сообщения защищены сквозным шифрованием. Только вы и ваш собеседник имеете ключи для их расшифровки и чтения.", @@ -432,8 +394,6 @@ "Unexpected error resolving homeserver configuration": "Неожиданная ошибка в настройках домашнего сервера", "The user's homeserver does not support the version of the room.": "Домашний сервер пользователя не поддерживает версию комнаты.", "Bulk options": "Основные опции", - "Upgrade this room to the recommended room version": "Модернизируйте комнату до рекомендованной версии", - "View older messages in %(roomName)s.": "Просмотр старых сообщений в %(roomName)s.", "This room has been replaced and is no longer active.": "Эта комната заменена и более неактивна.", "Join the conversation with an account": "Присоединиться к разговору с учётной записью", "Sign Up": "Зарегистрироваться", @@ -495,26 +455,10 @@ "Failed to decrypt %(failedCount)s sessions!": "Не удалось расшифровать сеансы (%(failedCount)s)!", "Warning: you should only set up key backup from a trusted computer.": "Предупреждение: вам следует настроить резервное копирование ключей только с доверенного компьютера.", "This homeserver would like to make sure you are not a robot.": "Этот сервер хотел бы убедиться, что вы не робот.", - "Please review and accept all of the homeserver's policies": "Пожалуйста, просмотрите и примите все правила сервера", - "Please review and accept the policies of this homeserver:": "Пожалуйста, просмотрите и примите политику этого сервера:", - "Use an email address to recover your account": "Используйте почтовый адрес, чтобы восстановить доступ к учётной записи", - "Enter email address (required on this homeserver)": "Введите адрес электронной почты (требуется для этого сервера)", - "Doesn't look like a valid email address": "Не похоже на действительный адрес электронной почты", - "Enter password": "Введите пароль", - "Password is allowed, but unsafe": "Пароль разрешен, но небезопасен", - "Nice, strong password!": "Хороший, надежный пароль!", - "Passwords don't match": "Пароли не совпадают", - "Other users can invite you to rooms using your contact details": "Другие пользователи могут приглашать вас в комнаты, используя ваши контактные данные", - "Enter phone number (required on this homeserver)": "Введите номер телефона (требуется на этом сервере)", - "Enter username": "Введите имя пользователя", "Some characters not allowed": "Некоторые символы не разрешены", "Join millions for free on the largest public server": "Присоединяйтесь бесплатно к миллионам на крупнейшем общедоступном сервере", "Couldn't load page": "Невозможно загрузить страницу", "Add room": "Добавить комнату", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "У вас есть %(count)s непрочитанных уведомлений в предыдущей версии этой комнаты.", - "one": "В предыдущей версии этой комнаты у вас есть непрочитанное уведомление %(count)s." - }, "Could not load user profile": "Не удалось загрузить профиль пользователя", "Your password has been reset.": "Ваш пароль был сброшен.", "Invalid homeserver discovery response": "Неверный ответ при попытке обнаружения домашнего сервера", @@ -641,7 +585,6 @@ "Messages in this room are not end-to-end encrypted.": "Сообщения в этой комнате не защищены сквозным шифрованием.", "Use an identity server to invite by email. Use the default (%(defaultIdentityServerName)s) or manage in Settings.": "Используйте идентификационный сервер для приглашения по электронной почте. Используйте значение по умолчанию (%(defaultIdentityServerName)s) или управляйте в Настройках.", "Use an identity server to invite by email. Manage in Settings.": "Используйте идентификационный сервер для приглашения по электронной почте. Управление в Настройки.", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Отсутствует Капча открытого ключа в конфигурации домашнего сервера. Пожалуйста, сообщите об этом администратору вашего домашнего сервера.", "Explore rooms": "Обзор комнат", "Cancel search": "Отменить поиск", "Room %(name)s": "Комната %(name)s", @@ -650,9 +593,6 @@ "Message Actions": "Сообщение действий", "This action requires accessing the default identity server to validate an email address or phone number, but the server does not have any terms of service.": "Это действие требует по умолчанию доступа к серверу идентификации для подтверждения адреса электронной почты или номера телефона, но у сервера нет никакого пользовательского соглашения.", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)", - "Ignored/Blocked": "Игнорируемые/Заблокированные", - "Error adding ignored user/server": "Ошибка добавления игнорируемого пользователя/сервера", - "Error subscribing to list": "Ошибка при подписке на список", "Error upgrading room": "Ошибка обновления комнаты", "Manage integrations": "Управление интеграциями", "Direct Messages": "Личные сообщения", @@ -665,54 +605,29 @@ "Verifies a user, session, and pubkey tuple": "Проверяет пользователя, сеанс и публичные ключи", "Session already verified!": "Сеанс уже подтверждён!", "Your keys are not being backed up from this session.": "Ваши ключи не резервируются с этом сеансе.", - "Server or user ID to ignore": "Сервер или ID пользователя для игнорирования", - "Subscribed lists": "Подписанные списки", "Cancel entering passphrase?": "Отменить ввод кодовой фразы?", "Setting up keys": "Настройка ключей", "Encryption upgrade available": "Доступно обновление шифрования", "Double check that your server supports the room version chosen and try again.": "Убедитесь, что ваш сервер поддерживает выбранную версию комнаты и попробуйте снова.", "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "ВНИМАНИЕ: ПРОВЕРКА КЛЮЧА НЕ ПРОШЛА! Ключом подписи для %(userId)s и сеанса %(deviceId)s является \"%(fprint)s\", что не соответствует указанному ключу \"%(fingerprint)s\". Это может означать, что ваши сообщения перехватываются!", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Ключ подписи, который вы предоставили, соответствует ключу подписи, который вы получили от пользователя %(userId)s через сеанс %(deviceId)s. Сеанс отмечен как подтверждённый.", - "Waiting for %(displayName)s to verify…": "Ожидание %(displayName)s для проверки…", - "Cancelling…": "Отмена…", "Lock": "Заблокировать", "Other users may not trust it": "Другие пользователи могут не доверять этому сеансу", "Later": "Позже", - "This bridge was provisioned by .": "Этот мост был подготовлен пользователем .", - "This bridge is managed by .": "Этот мост управляется .", "Show more": "Показать больше", "Not Trusted": "Недоверенное", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) произвел(а) вход через новый сеанс без подтверждения:", "Ask this user to verify their session, or manually verify it below.": "Попросите этого пользователя подтвердить сеанс или подтвердите его вручную ниже.", "Your homeserver does not support cross-signing.": "Ваш домашний сервер не поддерживает кросс-подписи.", - "Cross-signing public keys:": "Публичные ключи для кросс-подписи:", - "in memory": "в памяти", - "not found": "не найдено", - "Cross-signing private keys:": "Приватные ключи для кросс-подписи:", - "in secret storage": "в секретном хранилище", - "cached locally": "сохранено локально", - "not found locally": "не найдено локально", - "User signing private key:": "Приватный ключ подписи пользователей:", "Secret storage public key:": "Публичный ключ секретного хранилища:", "in account data": "в данных учётной записи", - "Homeserver feature support:": "Поддержка со стороны домашнего сервера:", - "exists": "существует", "Cannot connect to integration manager": "Не удалось подключиться к менеджеру интеграций", "The integration manager is offline or it cannot reach your homeserver.": "Менеджер интеграций не работает или не может подключиться к вашему домашнему серверу.", "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Это сеанс не сохраняет ваши ключи, но у вас есть резервная копия, из которой вы можете их восстановить.", "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Подключите этот сеанс к резервированию ключей до выхода, чтобы избежать утраты доступных только в этом сеансе ключей.", "Connect this session to Key Backup": "Подключить этот сеанс к резервированию ключей", "This backup is trusted because it has been restored on this session": "Эта резервная копия является доверенной, потому что она была восстановлена в этом сеансе", - "Something went wrong. Please try again or view your console for hints.": "Что-то пошло не так. Попробуйте снова или поищите подсказки в консоли.", - "Error unsubscribing from list": "Не удалось отписаться от списка", "None": "Нет", - "Server rules": "Правила сервера", - "User rules": "Правила пользователей", - "You have not ignored anyone.": "Вы никого не игнорируете.", - "You are currently ignoring:": "Вы игнорируете:", - "You are not subscribed to any lists": "Вы не подписаны ни на один список", - "View rules": "Посмотреть правила", - "You are currently subscribed to:": "Вы подписаны на:", "Verify by scanning": "Подтверждение сканированием", "Ask %(displayName)s to scan your code:": "Попросите %(displayName)s отсканировать ваш код:", "Verify by emoji": "Подтверждение с помощью смайлов", @@ -731,12 +646,6 @@ "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "У вашей учётной записи есть кросс-подпись в секретное хранилище, но она пока не является доверенной в этом сеансе.", "well formed": "корректный", "unexpected type": "непредвиденный тип", - "Self signing private key:": "Самоподписанный приватный ключ:", - "⚠ These settings are meant for advanced users.": "⚠ Эти настройки рассчитаны для опытных пользователей.", - "Personal ban list": "Личный список блокировки", - "eg: @bot:* or example.org": "например: @bot:* или example.org", - "Session ID:": "ID сеанса:", - "Session key:": "Ключ сеанса:", "Message search": "Поиск по сообщениям", "Bridges": "Мосты", "This user has not verified all of their sessions.": "Этот пользователь не подтвердил все свои сеансы.", @@ -775,15 +684,9 @@ "Hide verified sessions": "Свернуть заверенные сеансы", "Verification timed out.": "Таймаут подтверждения.", "You cancelled verification.": "Вы отменили подтверждение.", - "Error removing ignored user/server": "Ошибка при удалении игнорируемого пользователя/сервера", - "Please try again or view your console for hints.": "Попробуйте снова или посмотрите сообщения в консоли.", - "Ban list rules - %(roomName)s": "Правила блокировки — %(roomName)s", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Игнорирование людей реализовано через списки правил блокировки. Подписка на список блокировки приведёт к сокрытию от вас пользователей и серверов, которые в нём перечислены.", - "Subscribing to a ban list will cause you to join it!": "При подписке на список блокировки вы присоединитесь к нему!", "Confirm your account deactivation by using Single Sign On to prove your identity.": "Подтвердите удаление учётной записи с помощью единой точки входа.", "Are you sure you want to deactivate your account? This is irreversible.": "Вы уверены, что хотите деактивировать свою учётную запись? Это необратимое действие.", "Confirm account deactivation": "Подтвердите деактивацию учётной записи", - "If this isn't what you want, please use a different tool to ignore users.": "Если вас это не устраивает, попробуйте другой инструмент для игнорирования пользователей.", "Almost there! Is %(displayName)s showing the same shield?": "Почти готово! Отображает ли %(displayName)s такой же щит?", "You've successfully verified %(deviceName)s (%(deviceId)s)!": "Вы успешно подтвердили %(deviceName)s (%(deviceId)s)!", "%(displayName)s cancelled verification.": "%(displayName)s отменил(а) подтверждение.", @@ -847,10 +750,8 @@ "Ok": "Хорошо", "New login. Was this you?": "Новый вход в вашу учётную запись. Это были Вы?", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s не может безопасно кэшировать зашифрованные сообщения локально во время работы в веб-браузере. Используйте %(brand)s Desktop, чтобы зашифрованные сообщения появились в результатах поиска.", - "New version available. Update now.": "Доступна новая версия. Обновить сейчас.", "Remove for everyone": "Убрать для всех", "Country Dropdown": "Выпадающий список стран", - "Please verify the room ID or address and try again.": "Проверьте ID комнаты или адрес и попробуйте снова.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Администратор вашего сервера отключил сквозное шифрование по умолчанию в приватных комнатах и диалогах.", "Favourited": "В избранном", "Room options": "Настройки комнаты", @@ -878,8 +779,6 @@ "Change notification settings": "Изменить настройки уведомлений", "IRC display name width": "Ширина отображаемого имени IRC", "Your server isn't responding to some requests.": "Ваш сервер не отвечает на некоторые запросы.", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "%(brand)sДобавьте сюда пользователей и сервера, которые вы хотите игнорировать. Используйте звездочки, чтобы %(brand)s соответствовали любым символам. Например, @bot:* будет игнорировать всех пользователей, имеющих имя \" bot \" на любом сервере.", - "Room ID or address of ban list": "ID комнаты или адрес списка блокировок", "The authenticity of this encrypted message can't be guaranteed on this device.": "Подлинность этого зашифрованного сообщения не может быть гарантирована на этом устройстве.", "No recently visited rooms": "Нет недавно посещенных комнат", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Произошла ошибка при обновлении альтернативных адресов комнаты. Это может быть запрещено сервером или произошел временный сбой.", @@ -940,7 +839,6 @@ "%(completed)s of %(total)s keys restored": "%(completed)s из %(total)s ключей восстановлено", "Keys restored": "Ключи восстановлены", "Successfully restored %(sessionCount)s keys": "Успешно восстановлены ключи (%(sessionCount)s)", - "Confirm your identity by entering your account password below.": "Подтвердите свою личность, введя пароль учетной записи ниже.", "Sign in with SSO": "Вход с помощью SSO", "Switch theme": "Сменить тему", "Confirm encryption setup": "Подтвердите настройку шифрования", @@ -965,7 +863,6 @@ "Create key backup": "Создать резервную копию ключа", "This session is encrypting history using the new recovery method.": "Этот сеанс шифрует историю с помощью нового метода восстановления.", "If you did this accidentally, you can setup Secure Messages on this session which will re-encrypt this session's message history with a new recovery method.": "Если вы сделали это по ошибке, вы можете настроить защищённые сообщения в этом сеансе, что снова зашифрует историю сообщений в этом сеансе с помощью нового метода восстановления.", - "Master private key:": "Приватный мастер-ключ:", "Explore public rooms": "Просмотреть публичные комнаты", "Preparing to download logs": "Подготовка к загрузке журналов", "Unexpected server error trying to leave the room": "Неожиданная ошибка сервера при попытке покинуть комнату", @@ -986,7 +883,6 @@ "ready": "готов", "not ready": "не готов", "Safeguard against losing access to encrypted messages & data": "Защита от потери доступа к зашифрованным сообщениям и данным", - "not found in storage": "не найдено в хранилище", "Widgets": "Виджеты", "Edit widgets, bridges & bots": "Редактировать виджеты, мосты и ботов", "Add widgets, bridges & bots": "Добавить виджеты, мосты и ботов", @@ -1028,8 +924,6 @@ "other": "Надежно кэшируйте зашифрованные сообщения локально, чтобы они отображались в результатах поиска, используя %(size)s для хранения сообщений из комнат (%(rooms)s)." }, "Continuing without email": "Продолжить без электронной почты", - "Enter phone number": "Введите номер телефона", - "Enter email address": "Введите адрес электронной почты", "Reason (optional)": "Причина (необязательно)", "Server Options": "Параметры сервера", "Decline All": "Отклонить все", @@ -1285,7 +1179,6 @@ "United Kingdom": "Великобритания", "This widget would like to:": "Этому виджету хотелось бы:", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Предупреждаем: если вы не добавите адрес электронной почты и забудете пароль, вы можете навсегда потерять доступ к своей учётной записи.", - "That phone number doesn't look quite right, please check and try again": "Этот номер телефона неправильный, проверьте его и повторите попытку", "There was a problem communicating with the homeserver, please try again later.": "Возникла проблема при обмене данными с домашним сервером. Повторите попытку позже.", "Hold": "Удерживать", "Resume": "Возобновить", @@ -1298,14 +1191,11 @@ "Dial pad": "Панель набора номера", "There was an error looking up the phone number": "При поиске номера телефона произошла ошибка", "Unable to look up phone number": "Невозможно найти номер телефона", - "Channel: ": "Канал: ", - "Workspace: ": "Рабочая область: ", "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Этот сеанс обнаружил, что ваши секретная фраза и ключ безопасности для защищенных сообщений были удалены.", "A new Security Phrase and key for Secure Messages have been detected.": "Обнаружены новая секретная фраза и ключ безопасности для защищенных сообщений.", "Confirm your Security Phrase": "Подтвердите секретную фразу", "Great! This Security Phrase looks strong enough.": "Отлично! Эта контрольная фраза выглядит достаточно сильной.", "Allow this widget to verify your identity": "Разрешите этому виджету проверить ваш идентификатор", - "Something went wrong in confirming your identity. Cancel and try again.": "Что-то пошло не так при вашей идентификации. Отмените последнее действие и попробуйте еще раз.", "If you've forgotten your Security Key you can ": "Если вы забыли свой ключ безопасности, вы можете ", "Access your secure message history and set up secure messaging by entering your Security Key.": "Получите доступ к своей истории защищенных сообщений и настройте безопасный обмен сообщениями, введя ключ безопасности.", "Not a valid Security Key": "Неправильный ключ безопасности", @@ -1373,7 +1263,6 @@ "You can change these anytime.": "Вы можете изменить их в любое время.", "Create a space": "Создать пространство", "This homeserver has been blocked by its administrator.": "Доступ к этому домашнему серверу заблокирован вашим администратором.", - "Original event source": "Оригинальный исходный код", "Private space": "Приватное пространство", "Public space": "Публичное пространство", " invites you": " пригласил(а) тебя", @@ -1403,7 +1292,6 @@ "Retry all": "Повторить все", "Delete all": "Удалить все", "Some of your messages have not been sent": "Некоторые из ваших сообщений не были отправлены", - "Verification requested": "Запрошено подтверждение", "Unable to copy a link to the room to the clipboard.": "Не удалось скопировать ссылку на комнату в буфер обмена.", "Unable to copy room link": "Не удалось скопировать ссылку на комнату", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Вы здесь единственный человек. Если вы уйдете, никто не сможет присоединиться в будущем, включая вас.", @@ -1594,7 +1482,6 @@ "Proceed with reset": "Выполнить сброс", "It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "Похоже, у вас нет бумажного ключа, или других сеансов, с которыми вы могли бы свериться. В этом сеансе вы не сможете получить доступ к старым зашифрованным сообщениям. Чтобы подтвердить свою личность в этом сеансе, вам нужно будет сбросить свои ключи шифрования.", "Really reset verification keys?": "Действительно сбросить ключи подтверждения?", - "Create poll": "Создать опрос", "Updating spaces... (%(progress)s out of %(count)s)": { "one": "Обновление пространства…", "other": "Обновление пространств... (%(progress)s из %(count)s)" @@ -1663,15 +1550,6 @@ "This address does not point at this room": "Этот адрес не указывает на эту комнату", "Missing room name or separator e.g. (my-room:domain.org)": "Отсутствует имя комнаты или разделитель (my-room:domain.org)", "Missing domain separator e.g. (:domain.org)": "Отсутствует разделитель домена (:domain.org)", - "Add option": "Добавить вариант", - "Write an option": "Напишите вариант", - "Option %(number)s": "Вариант %(number)s", - "Create options": "Создать варианты", - "Question or topic": "Вопрос или тема", - "What is your poll question or topic?": "Каков вопрос или тема вашего опроса?", - "Sorry, the poll you tried to create was not posted.": "Не удалось отправить опрос, который вы пытались создать.", - "Failed to post poll": "Не удалось отправить опрос", - "Create Poll": "Создать опрос", "Including you, %(commaSeparatedMembers)s": "Включая вас, %(commaSeparatedMembers)s", "Share location": "Поделиться местоположением", "Could not fetch location": "Не удалось получить местоположение", @@ -1739,7 +1617,6 @@ "Get notified for every message": "Получать уведомление о каждом сообщении", "Get notifications as set up in your settings": "Получать уведомления в соответствии с настройками", "This room isn't bridging messages to any platforms. Learn more.": "Эта комната не передаёт сообщения на какие-либо платформы Узнать больше.", - "Internal room ID": "Внутренний ID комнаты", "Group all your rooms that aren't part of a space in one place.": "Сгруппируйте все комнаты, которые не являются частью пространства, в одном месте.", "Rooms outside of a space": "Комнаты без пространства", "Group all your people in one place.": "Сгруппируйте всех своих людей в одном месте.", @@ -1753,10 +1630,6 @@ "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Эта комната находится в некоторых пространствах, администратором которых вы не являетесь. В этих пространствах старая комната будет по-прежнему отображаться, но людям будет предложено присоединиться к новой.", "Pin to sidebar": "Закрепить на боковой панели", "Quick settings": "Быстрые настройки", - "Waiting for you to verify on your other device…": "Ожидает проверки на другом устройстве…", - "Verify this device by confirming the following number appears on its screen.": "Проверьте это устройство, убедившись, что на его экране отображается следующее число.", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Ожидает проверки на другом устройстве, %(deviceName)s (%(deviceId)s)…", - "Confirm the emoji below are displayed on both devices, in the same order:": "Убедитесь, что приведённые ниже смайлики отображаются в обоих сеансах в одинаковом порядке:", "Developer": "Разработка", "Experimental": "Экспериментально", "Themes": "Темы", @@ -1777,12 +1650,6 @@ "Use to scroll": "Используйте для прокрутки", "Join %(roomAddress)s": "Присоединиться к %(roomAddress)s", "Feedback sent! Thanks, we appreciate it!": "Отзыв отправлен! Спасибо, мы ценим это!", - "Results are only revealed when you end the poll": "Результаты отображаются только после завершения опроса", - "Voters see results as soon as they have voted": "Голосующие увидят результаты сразу после голосования", - "Closed poll": "Закрытый опрос", - "Open poll": "Открытый опрос", - "Poll type": "Тип опроса", - "Edit poll": "Редактировать опрос", "What location type do you want to share?": "Каким типом местоположения вы хотите поделиться?", "Drop a Pin": "Маркер на карте", "My live location": "Моё местоположение в реальном времени", @@ -1836,7 +1703,6 @@ "Read receipts": "Отчёты о прочтении", "%(members)s and %(last)s": "%(members)s и %(last)s", "%(members)s and more": "%(members)s и многие другие", - "View older version of %(spaceName)s.": "Посмотреть предыдущую версию %(spaceName)s.", "Deactivating your account is a permanent action — be careful!": "Деактивация вашей учётной записи является необратимым действием — будьте осторожны!", "Your password was successfully changed.": "Ваш пароль успешно изменён.", "%(count)s people joined": { @@ -1850,11 +1716,7 @@ "If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "Если вы хотите сохранить доступ к истории общения в зашифрованных комнатах, настройте резервное копирование ключей или экспортируйте ключи сообщений с одного из других ваших устройств, прежде чем продолжить.", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "При выходе из устройств удаляются хранящиеся на них ключи шифрования сообщений, что сделает зашифрованную историю чатов нечитаемой.", "Your message wasn't sent because this homeserver has been blocked by its administrator. Please contact your service administrator to continue using the service.": "Ваше сообщение не отправлено, поскольку домашний сервер заблокирован его администратором. Обратитесь к администратору службы, чтобы продолжить её использование.", - "Resent!": "Отправлено повторно!", - "Did not receive it? Resend it": "Не получили? Отправить его повторно", - "To create your account, open the link in the email we just sent to %(emailAddress)s.": "Чтобы создать свою учётную запись, откройте ссылку в письме, которое мы только что отправили на %(emailAddress)s.", "Unread email icon": "Значок непрочитанного электронного письма", - "Check your email to continue": "Проверьте свою электронную почту, чтобы продолжить", "An error occurred while stopping your live location, please try again": "При остановки передачи информации о вашем местоположении произошла ошибка, попробуйте ещё раз", "An error occurred whilst sharing your live location, please try again": "При передаче информации о вашем местоположении произошла ошибка, попробуйте ещё раз", "You are sharing your live location": "Вы делитесь своим местоположением в реальном времени", @@ -1910,8 +1772,6 @@ "Add new server…": "Добавить новый сервер…", "Remove server “%(roomServer)s”": "Удалить сервер «%(roomServer)s»", "You can use the custom server options to sign into other Matrix servers by specifying a different homeserver URL. This allows you to use %(brand)s with an existing Matrix account on a different homeserver.": "Вы можете использовать пользовательские опции сервера для входа на другие серверы Matrix, указав URL-адрес другого домашнего сервера. Это позволяет использовать %(brand)s с существующей учётной записью Matrix на другом домашнем сервере.", - "Click to read topic": "Нажмите, чтобы увидеть тему", - "Edit topic": "Редактировать тему", "Un-maximise": "Развернуть", "%(displayName)s's live location": "Местонахождение %(displayName)s в реальном времени", "Share for %(duration)s": "Поделиться на %(duration)s", @@ -1943,7 +1803,6 @@ "one": "Просмотрел %(count)s человек", "other": "Просмотрели %(count)s людей" }, - "Upgrade this space to the recommended room version": "Обновите это пространство до рекомендуемой версии комнаты", "Enable live location sharing": "Включить функцию \"Поделиться трансляцией местоположения\"", "Live location ended": "Трансляция местоположения завершена", "Please note: this is a labs feature using a temporary implementation. This means you will not be able to delete your location history, and advanced users will be able to see your location history even after you stop sharing your live location with this room.": "Обратите внимание: это временная реализация функции. Это означает, что вы не сможете удалить свою историю местоположений, а опытные пользователи смогут просмотреть вашу историю местоположений даже после того, как вы перестанете делиться своим местоположением в этой комнате.", @@ -1953,7 +1812,6 @@ "Coworkers and teams": "Коллеги и команды", "Friends and family": "Друзья и семья", "Messages in this chat will be end-to-end encrypted.": "Сообщения в этой переписке будут защищены сквозным шифрованием.", - "Spell check": "Проверка орфографии", "In %(spaceName)s.": "В пространстве %(spaceName)s.", "Stop and close": "Остановить и закрыть", "Who will you chat to the most?": "С кем вы будете общаться чаще всего?", @@ -2007,8 +1865,6 @@ "Send email": "Отправить электронное письмо", "Mark as read": "Отметить как прочитанное", "The homeserver doesn't support signing in another device.": "Домашний сервер не поддерживает вход с другого устройства.", - "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "Что нового в %(brand)s? Labs — это лучший способ получить и испытать новые функции, помогая сформировать их перед выходом в свет.", - "Upcoming features": "Новые возможности", "Connection": "Соединение", "Voice processing": "Обработка голоса", "Automatically adjust the microphone volume": "Автоматически подстроить громкость микрофона", @@ -2042,19 +1898,15 @@ "Can’t start a call": "Невозможно начать звонок", "Failed to read events": "Не удалось считать события", "Failed to send event": "Не удалось отправить событие", - "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.": "Время экспериментов? Попробуйте наши последние наработки. Эти функции не заверешены; они могут быть нестабильными, постоянно меняющимися, или вовсе отброшенными. Узнайте больше.", - "Early previews": "Предпросмотр", "Yes, it was me": "Да, это я", "Poll history": "Опросы", "Active polls": "Активные опросы", - "Checking for an update…": "Проверка наличия обновлений…", "Formatting": "Форматирование", "WARNING: session already verified, but keys do NOT MATCH!": "ВНИМАНИЕ: сеанс уже заверен, но ключи НЕ СОВПАДАЮТ!", "Edit link": "Изменить ссылку", "Grey": "Серый", "Red": "Красный", "There are no active polls in this room": "В этой комнате нет активных опросов", - "Downloading update…": "Загрузка обновления…", "View poll in timeline": "Посмотреть опрос в ленте сообщений", "Your language": "Ваш язык", "Message in %(room)s": "Сообщение в %(room)s", @@ -2322,7 +2174,15 @@ "automatic_debug_logs_key_backup": "Автоматически отправлять журналы отладки, когда резервное копирование ключей не работает", "automatic_debug_logs_decryption": "Автоматическая отправка журналов отладки при ошибках расшифровки", "automatic_debug_logs": "Автоматическая отправка журналов отладки при любой ошибке", - "video_rooms_beta": "Видеокомнаты – это бета-функция" + "video_rooms_beta": "Видеокомнаты – это бета-функция", + "bridge_state_creator": "Этот мост был подготовлен пользователем .", + "bridge_state_manager": "Этот мост управляется .", + "bridge_state_workspace": "Рабочая область: ", + "bridge_state_channel": "Канал: ", + "beta_section": "Новые возможности", + "beta_description": "Что нового в %(brand)s? Labs — это лучший способ получить и испытать новые функции, помогая сформировать их перед выходом в свет.", + "experimental_section": "Предпросмотр", + "experimental_description": "Время экспериментов? Попробуйте наши последние наработки. Эти функции не заверешены; они могут быть нестабильными, постоянно меняющимися, или вовсе отброшенными. Узнайте больше." }, "keyboard": { "home": "Главная", @@ -2646,7 +2506,26 @@ "record_session_details": "Записывать название клиента, версию и URL-адрес для более лёгкого распознавания сеансов в менеджере сеансов", "strict_encryption": "Никогда не отправлять неподтверждённым сеансам зашифрованные сообщения через этот сеанс", "enable_message_search": "Включить поиск сообщений в зашифрованных комнатах", - "manually_verify_all_sessions": "Подтверждать вручную все сеансы на других устройствах" + "manually_verify_all_sessions": "Подтверждать вручную все сеансы на других устройствах", + "cross_signing_public_keys": "Публичные ключи для кросс-подписи:", + "cross_signing_in_memory": "в памяти", + "cross_signing_not_found": "не найдено", + "cross_signing_private_keys": "Приватные ключи для кросс-подписи:", + "cross_signing_in_4s": "в секретном хранилище", + "cross_signing_not_in_4s": "не найдено в хранилище", + "cross_signing_master_private_Key": "Приватный мастер-ключ:", + "cross_signing_cached": "сохранено локально", + "cross_signing_not_cached": "не найдено локально", + "cross_signing_self_signing_private_key": "Самоподписанный приватный ключ:", + "cross_signing_user_signing_private_key": "Приватный ключ подписи пользователей:", + "cross_signing_homeserver_support": "Поддержка со стороны домашнего сервера:", + "cross_signing_homeserver_support_exists": "существует", + "export_megolm_keys": "Экспорт ключей шифрования", + "import_megolm_keys": "Импорт ключей шифрования", + "cryptography_section": "Криптография", + "session_id": "ID сеанса:", + "session_key": "Ключ сеанса:", + "encryption_section": "Шифрование" }, "preferences": { "room_list_heading": "Список комнат", @@ -2758,6 +2637,11 @@ }, "security_recommendations": "Рекомендации по безопасности", "security_recommendations_description": "Усильте защиту учётной записи, следуя этим рекомендациям." + }, + "general": { + "account_section": "Учётная запись", + "language_section": "Язык и регион", + "spell_check_section": "Проверка орфографии" } }, "devtools": { @@ -2834,7 +2718,8 @@ "show_hidden_events": "Показывать скрытые события в ленте сообщений", "low_bandwidth_mode_description": "Требуется совместимый сервер.", "developer_mode": "Режим разработчика", - "view_source_decrypted_event_source": "Расшифрованный исходный код" + "view_source_decrypted_event_source": "Расшифрованный исходный код", + "original_event_source": "Оригинальный исходный код" }, "export_chat": { "html": "HTML", @@ -3444,6 +3329,16 @@ "url_preview_encryption_warning": "В зашифрованных комнатах, подобных этой, предварительный просмотр URL-адресов отключен по умолчанию, чтобы гарантировать, что ваш сервер (где создаются предварительные просмотры) не может собирать информацию о ссылках, которые вы видите в этой комнате.", "url_preview_explainer": "Когда кто-то вставляет URL-адрес в свое сообщение, то можно просмотреть его, чтобы получить дополнительную информацию об этой ссылке, такую как название, описание и изображение с веб-сайта.", "url_previews_section": "Предпросмотр содержимого ссылок" + }, + "advanced": { + "unfederated": "Это комната недоступна из других серверов Matrix", + "space_upgrade_button": "Обновите это пространство до рекомендуемой версии комнаты", + "room_upgrade_button": "Модернизируйте комнату до рекомендованной версии", + "space_predecessor": "Посмотреть предыдущую версию %(spaceName)s.", + "room_predecessor": "Просмотр старых сообщений в %(roomName)s.", + "room_id": "Внутренний ID комнаты", + "room_version_section": "Версия комнаты", + "room_version": "Версия комнаты:" } }, "encryption": { @@ -3459,8 +3354,22 @@ "sas_prompt": "Сравнитe уникальныe смайлики", "sas_description": "Сравните уникальный набор смайликов, если у вас нет камеры ни на одном из устройств", "qr_or_sas": "%(qrCode)s или %(emojiCompare)s", - "qr_or_sas_header": "Заверьте этот сеанс, выполнив одно из следующих действий:" - } + "qr_or_sas_header": "Заверьте этот сеанс, выполнив одно из следующих действий:", + "explainer": "Сообщения с этим пользователем защищены сквозным шифрованием и недоступны третьим лицам.", + "complete_action": "Понятно", + "sas_emoji_caption_self": "Убедитесь, что приведённые ниже смайлики отображаются в обоих сеансах в одинаковом порядке:", + "sas_emoji_caption_user": "Проверьте собеседника, убедившись, что на его экране отображаются следующие символы (смайлы).", + "sas_caption_self": "Проверьте это устройство, убедившись, что на его экране отображается следующее число.", + "sas_caption_user": "Подтвердите пользователя, убедившись, что на его экране отображается следующее число.", + "unsupported_method": "Невозможно определить поддерживаемый метод верификации.", + "waiting_other_device_details": "Ожидает проверки на другом устройстве, %(deviceName)s (%(deviceId)s)…", + "waiting_other_device": "Ожидает проверки на другом устройстве…", + "waiting_other_user": "Ожидание %(displayName)s для проверки…", + "cancelling": "Отмена…" + }, + "old_version_detected_title": "Обнаружены старые криптографические данные", + "old_version_detected_description": "Обнаружены данные из более старой версии %(brand)s. Это приведет к сбою криптографии в более ранней версии. В этой версии не могут быть расшифрованы сообщения, которые использовались недавно при использовании старой версии. Это также может привести к сбою обмена сообщениями с этой версией. Если возникают неполадки, выйдите и снова войдите в систему. Чтобы сохранить журнал сообщений, экспортируйте и повторно импортируйте ключи.", + "verification_requested_toast_title": "Запрошено подтверждение" }, "emoji": { "category_frequently_used": "Часто используемые", @@ -3562,7 +3471,47 @@ "phone_optional_label": "Телефон (не обязательно)", "email_help_text": "Чтобы иметь возможность изменить свой пароль в случае необходимости, добавьте свой адрес электронной почты.", "email_phone_discovery_text": "Если вы хотите, чтобы другие пользователи могли вас найти, укажите свой адрес электронной почты или номер телефона.", - "email_discovery_text": "Если вы хотите, чтобы другие пользователи могли вас найти, укажите свой адрес электронной почты." + "email_discovery_text": "Если вы хотите, чтобы другие пользователи могли вас найти, укажите свой адрес электронной почты.", + "session_logged_out_title": "Выполнен выход", + "session_logged_out_description": "Для обеспечения безопасности ваш сеанс был завершён. Пожалуйста, войдите снова.", + "change_password_mismatch": "Новые пароли не совпадают", + "change_password_empty": "Пароли не могут быть пустыми", + "set_email_prompt": "Хотите указать email?", + "change_password_confirm_label": "Подтвердите пароль", + "change_password_confirm_invalid": "Пароли не совпадают", + "change_password_current_label": "Текущий пароль", + "change_password_new_label": "Новый пароль", + "change_password_action": "Сменить пароль", + "email_field_label": "Электронная почта", + "email_field_label_required": "Введите адрес электронной почты", + "email_field_label_invalid": "Не похоже на действительный адрес электронной почты", + "uia": { + "password_prompt": "Подтвердите свою личность, введя пароль учетной записи ниже.", + "recaptcha_missing_params": "Отсутствует Капча открытого ключа в конфигурации домашнего сервера. Пожалуйста, сообщите об этом администратору вашего домашнего сервера.", + "terms_invalid": "Пожалуйста, просмотрите и примите все правила сервера", + "terms": "Пожалуйста, просмотрите и примите политику этого сервера:", + "email_auth_header": "Проверьте свою электронную почту, чтобы продолжить", + "email": "Чтобы создать свою учётную запись, откройте ссылку в письме, которое мы только что отправили на %(emailAddress)s.", + "email_resend_prompt": "Не получили? Отправить его повторно", + "email_resent": "Отправлено повторно!", + "msisdn_token_incorrect": "Неверный код проверки", + "msisdn": "Текстовое сообщение отправлено на %(msisdn)s", + "msisdn_token_prompt": "Введите полученный код:", + "sso_failed": "Что-то пошло не так при вашей идентификации. Отмените последнее действие и попробуйте еще раз.", + "fallback_button": "Начать аутентификацию" + }, + "password_field_label": "Введите пароль", + "password_field_strong_label": "Хороший, надежный пароль!", + "password_field_weak_label": "Пароль разрешен, но небезопасен", + "username_field_required_invalid": "Введите имя пользователя", + "msisdn_field_required_invalid": "Введите номер телефона", + "msisdn_field_number_invalid": "Этот номер телефона неправильный, проверьте его и повторите попытку", + "msisdn_field_label": "Телефон", + "identifier_label": "Войти с помощью", + "reset_password_email_field_description": "Используйте почтовый адрес, чтобы восстановить доступ к учётной записи", + "reset_password_email_field_required_invalid": "Введите адрес электронной почты (требуется для этого сервера)", + "msisdn_field_description": "Другие пользователи могут приглашать вас в комнаты, используя ваши контактные данные", + "registration_msisdn_field_required_invalid": "Введите номер телефона (требуется на этом сервере)" }, "room_list": { "sort_unread_first": "Комнаты с непрочитанными сообщениями в начале", @@ -3742,7 +3691,13 @@ "see_changes_button": "Что нового?", "release_notes_toast_title": "Что изменилось", "toast_title": "Обновление %(brand)s", - "toast_description": "Доступна новая версия %(brand)s!" + "toast_description": "Доступна новая версия %(brand)s!", + "error_encountered": "Обнаружена ошибка (%(errorDetail)s).", + "checking": "Проверка наличия обновлений…", + "no_update": "Нет доступных обновлений.", + "downloading": "Загрузка обновления…", + "new_version_available": "Доступна новая версия. Обновить сейчас.", + "check_action": "Проверить наличие обновлений" }, "threads": { "all_threads": "Все обсуждения", @@ -3794,7 +3749,34 @@ }, "labs_mjolnir": { "room_name": "Мой список блокировки", - "room_topic": "Это список пользователей/серверов, которые вы заблокировали — не покидайте комнату!" + "room_topic": "Это список пользователей/серверов, которые вы заблокировали — не покидайте комнату!", + "ban_reason": "Игнорируемые/Заблокированные", + "error_adding_ignore": "Ошибка добавления игнорируемого пользователя/сервера", + "something_went_wrong": "Что-то пошло не так. Попробуйте снова или поищите подсказки в консоли.", + "error_adding_list_title": "Ошибка при подписке на список", + "error_adding_list_description": "Проверьте ID комнаты или адрес и попробуйте снова.", + "error_removing_ignore": "Ошибка при удалении игнорируемого пользователя/сервера", + "error_removing_list_title": "Не удалось отписаться от списка", + "error_removing_list_description": "Попробуйте снова или посмотрите сообщения в консоли.", + "rules_title": "Правила блокировки — %(roomName)s", + "rules_server": "Правила сервера", + "rules_user": "Правила пользователей", + "personal_empty": "Вы никого не игнорируете.", + "personal_section": "Вы игнорируете:", + "no_lists": "Вы не подписаны ни на один список", + "view_rules": "Посмотреть правила", + "lists": "Вы подписаны на:", + "title": "Игнорируемые пользователи", + "advanced_warning": "⚠ Эти настройки рассчитаны для опытных пользователей.", + "explainer_1": "%(brand)sДобавьте сюда пользователей и сервера, которые вы хотите игнорировать. Используйте звездочки, чтобы %(brand)s соответствовали любым символам. Например, @bot:* будет игнорировать всех пользователей, имеющих имя \" bot \" на любом сервере.", + "explainer_2": "Игнорирование людей реализовано через списки правил блокировки. Подписка на список блокировки приведёт к сокрытию от вас пользователей и серверов, которые в нём перечислены.", + "personal_heading": "Личный список блокировки", + "personal_new_label": "Сервер или ID пользователя для игнорирования", + "personal_new_placeholder": "например: @bot:* или example.org", + "lists_heading": "Подписанные списки", + "lists_description_1": "При подписке на список блокировки вы присоединитесь к нему!", + "lists_description_2": "Если вас это не устраивает, попробуйте другой инструмент для игнорирования пользователей.", + "lists_new_label": "ID комнаты или адрес списка блокировок" }, "create_space": { "name_required": "Пожалуйста, введите название пространства", @@ -3857,6 +3839,12 @@ "private_unencrypted_warning": "Ваши личные сообщения обычно шифруются, но эта комната не шифруется. Обычно это связано с использованием неподдерживаемого устройства или метода, например, приглашения по электронной почте.", "enable_encryption_prompt": "Включите шифрование в настройках.", "unencrypted_warning": "Сквозное шифрование не включено" + }, + "edit_topic": "Редактировать тему", + "read_topic": "Нажмите, чтобы увидеть тему", + "unread_notifications_predecessor": { + "other": "У вас есть %(count)s непрочитанных уведомлений в предыдущей версии этой комнаты.", + "one": "В предыдущей версии этой комнаты у вас есть непрочитанное уведомление %(count)s." } }, "file_panel": { @@ -3871,9 +3859,30 @@ "intro": "Для продолжения Вам необходимо принять условия данного сервиса.", "column_service": "Сервис", "column_summary": "Сводка", - "column_document": "Документ" + "column_document": "Документ", + "tac_title": "Условия и положения", + "tac_description": "Для продолжения использования сервера %(homeserverDomain)s вы должны ознакомиться и принять условия и положения.", + "tac_button": "Просмотр условий и положений" }, "space_settings": { "title": "Настройки — %(spaceName)s" + }, + "poll": { + "create_poll_title": "Создать опрос", + "create_poll_action": "Создать опрос", + "edit_poll_title": "Редактировать опрос", + "failed_send_poll_title": "Не удалось отправить опрос", + "failed_send_poll_description": "Не удалось отправить опрос, который вы пытались создать.", + "type_heading": "Тип опроса", + "type_open": "Открытый опрос", + "type_closed": "Закрытый опрос", + "topic_heading": "Каков вопрос или тема вашего опроса?", + "topic_label": "Вопрос или тема", + "options_heading": "Создать варианты", + "options_label": "Вариант %(number)s", + "options_placeholder": "Напишите вариант", + "options_add_button": "Добавить вариант", + "disclosed_notes": "Голосующие увидят результаты сразу после голосования", + "notes": "Результаты отображаются только после завершения опроса" } } diff --git a/src/i18n/strings/sk.json b/src/i18n/strings/sk.json index 8e7e7113ad..041ac99596 100644 --- a/src/i18n/strings/sk.json +++ b/src/i18n/strings/sk.json @@ -60,16 +60,7 @@ "Not a valid %(brand)s keyfile": "Toto nie je správny súbor s kľúčmi %(brand)s", "Authentication check failed: incorrect password?": "Kontrola overenia zlyhala: Nesprávne heslo?", "Incorrect verification code": "Nesprávny overovací kód", - "Phone": "Telefón", "No display name": "Žiadne zobrazované meno", - "New passwords don't match": "Nové heslá sa nezhodujú", - "Passwords can't be empty": "Heslá nemôžu byť prázdne", - "Export E2E room keys": "Exportovať end-to-end šifrovacie kľúče miestnosti", - "Do you want to set an email address?": "Želáte si nastaviť emailovú adresu?", - "Current password": "Súčasné heslo", - "New Password": "Nové heslo", - "Confirm password": "Potvrdiť heslo", - "Change Password": "Zmeniť heslo", "Failed to set display name": "Nepodarilo sa nastaviť zobrazované meno", "Authentication": "Overenie", "Unban": "Povoliť vstup", @@ -106,7 +97,6 @@ "Banned by %(displayName)s": "Vstup zakázal %(displayName)s", "unknown error code": "neznámy kód chyby", "Failed to forget room %(errCode)s": "Nepodarilo sa zabudnúť miestnosť %(errCode)s", - "This room is not accessible by remote Matrix servers": "Táto miestnosť nie je prístupná zo vzdialených Matrix serverov", "Favourite": "Obľúbiť", "Jump to first unread message.": "Preskočiť na prvú neprečítanú správu.", "not specified": "nezadané", @@ -121,11 +111,6 @@ "Failed to copy": "Nepodarilo sa skopírovať", "Add an Integration": "Pridať integráciu", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Budete presmerovaní na stránku tretej strany, aby ste mohli overiť svoj účet na použitie s %(integrationsUrl)s. Chcete pokračovať?", - "Token incorrect": "Neplatný token", - "A text message has been sent to %(msisdn)s": "Na číslo %(msisdn)s bola odoslaná textová správa", - "Please enter the code it contains:": "Prosím, zadajte kód z tejto správy:", - "Start authentication": "Spustiť overenie", - "Sign in with": "Na prihlásenie sa použije", "Email address": "Emailová adresa", "Something went wrong!": "Niečo sa pokazilo!", "Delete Widget": "Vymazať widget", @@ -158,8 +143,6 @@ "Are you sure you want to reject the invitation?": "Ste si istí, že chcete odmietnuť toto pozvanie?", "Failed to reject invitation": "Nepodarilo sa odmietnuť pozvanie", "Are you sure you want to leave the room '%(roomName)s'?": "Ste si istí, že chcete opustiť miestnosť '%(roomName)s'?", - "Signed Out": "Ste odhlásení", - "For security, this session has been signed out. Please sign in again.": "Z bezpečnostných dôvodov bola táto relácia odhlásená. Prosím, prihláste sa znova.", "Connectivity to the server has been lost.": "Spojenie so serverom bolo prerušené.", "Sent messages will be stored until your connection has returned.": "Odoslané správy ostanú uložené, kým sa spojenie nenadviaže znovu.", "You seem to be uploading files, are you sure you want to quit?": "Zdá sa, že práve nahrávate súbory, ste si istí, že chcete skončiť?", @@ -179,19 +162,14 @@ "Failed to change password. Is your password correct?": "Nepodarilo sa zmeniť heslo. Zadali ste správne heslo?", "Unable to remove contact information": "Nie je možné odstrániť kontaktné informácie", "": "", - "Import E2E room keys": "Importovať end-to-end šifrovacie kľúče miestnosti", - "Cryptography": "Kryptografia", - "Check for update": "Skontrolovať dostupnosť aktualizácie", "Reject all %(invitedRooms)s invites": "Odmietnuť všetky %(invitedRooms)s pozvania", "No media permissions": "Nepovolený prístup k médiám", "You may need to manually permit %(brand)s to access your microphone/webcam": "Mali by ste aplikácii %(brand)s ručne udeliť právo pristupovať k mikrofónu a kamere", "No Microphones detected": "Neboli rozpoznané žiadne mikrofóny", "No Webcams detected": "Neboli rozpoznané žiadne kamery", "Default Device": "Predvolené zariadenie", - "Email": "Email", "Notifications": "Oznámenia", "Profile": "Profil", - "Account": "Účet", "A new password must be entered.": "Musíte zadať nové heslo.", "New passwords must match each other.": "Obe nové heslá musia byť zhodné.", "Return to login screen": "Vrátiť sa na prihlasovaciu obrazovku", @@ -217,7 +195,6 @@ "%(duration)sd": "%(duration)sd", "collapse": "zbaliť", "expand": "rozbaliť", - "Old cryptography data detected": "Nájdené zastaralé kryptografické údaje", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "Túto zmenu nebudete môcť vrátiť späť, pretože sa degradujete, a ak ste posledným privilegovaným používateľom v miestnosti, nebude možné získať oprávnenia späť.", "Replying": "Odpoveď", @@ -234,7 +211,6 @@ "Unavailable": "Nedostupné", "Source URL": "Pôvodná URL", "Filter results": "Filtrovať výsledky", - "No update available.": "K dispozícii nie je žiadna aktualizácia.", "Search…": "Hľadať…", "Tuesday": "Utorok", "Preparing to send logs": "príprava odoslania záznamov", @@ -248,7 +224,6 @@ "Thursday": "Štvrtok", "Logs sent": "Záznamy boli odoslané", "Yesterday": "Včera", - "Error encountered (%(errorDetail)s).": "Vyskytla sa chyba (%(errorDetail)s).", "Low Priority": "Nízka priorita", "Thank you!": "Ďakujeme!", "Popout widget": "Otvoriť widget v novom okne", @@ -260,9 +235,6 @@ "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Vymazaním úložiska prehliadača možno opravíte váš problém, no zároveň sa týmto odhlásite a história vašich šifrovaných konverzácií sa pre vás môže stať nečitateľná.", "Can't leave Server Notices room": "Nie je možné opustiť miestnosť Oznamy zo servera", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Táto miestnosť je určená na dôležité oznamy a správy od správcov domovského servera, preto ju nie je možné opustiť.", - "Terms and Conditions": "Zmluvné podmienky", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Ak chcete aj naďalej používať domovský server %(homeserverDomain)s, mali by ste si prečítať a odsúhlasiť naše zmluvné podmienky.", - "Review terms and conditions": "Prečítať zmluvné podmienky", "Share Link to User": "Zdieľať odkaz na používateľa", "Share room": "Zdieľať miestnosť", "Share Room": "Zdieľať miestnosť", @@ -306,8 +278,6 @@ "Unable to load key backup status": "Nie je možné načítať stav zálohy kľúčov", "Set up": "Nastaviť", "Add some now": "Pridajte si nejaké teraz", - "Please review and accept all of the homeserver's policies": "Prosím, prečítajte si a odsúhlaste všetky podmienky tohoto domovského servera", - "Please review and accept the policies of this homeserver:": "Prosím, prečítajte si a odsúhlaste podmienky používania tohoto domovského servera:", "The following users may not exist": "Nasledujúci používatelia pravdepodobne neexistujú", "Unable to load commit detail: %(msg)s": "Nie je možné načítať podrobnosti pre commit: %(msg)s", "To avoid losing your chat history, you must export your room keys before logging out. You will need to go back to the newer version of %(brand)s to do this": "Aby ste po odhlásení neprišli o možnosť čítať históriu šifrovaných konverzácií, mali by ste si ešte pred odhlásením exportovať šifrovacie kľúče miestností. Prosím vráťte sa k novšej verzii %(brand)s a exportujte si kľúče", @@ -337,11 +307,6 @@ "Go to Settings": "Otvoriť nastavenia", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "Veľkosť súboru „%(fileName)s“ prekračuje limit veľkosti súboru nahrávania na tento domovský server", "The user must be unbanned before they can be invited.": "Tomuto používateľovi musíte pred odoslaním pozvania povoliť vstup.", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Zabezpečené správy s týmto používateľom sú end-to-end šifrované a tretie strany ich nemôžu čítať.", - "Got It": "Rozumiem", - "Verify this user by confirming the following emoji appear on their screen.": "Overte tohto používateľa potvrdením, že sa na jeho obrazovke zobrazujú nasledujúce emotikony.", - "Verify this user by confirming the following number appears on their screen.": "Overte tohoto používateľa tým, že zistíte, či sa na jeho obrazovke objaví nasledujúce číslo.", - "Unable to find a supported verification method.": "Nie je možné nájsť podporovanú metódu overenia.", "Dog": "Pes", "Cat": "Mačka", "Lion": "Lev", @@ -419,7 +384,6 @@ "Display Name": "Zobrazované meno", "Email addresses": "Emailové adresy", "Phone numbers": "Telefónne čísla", - "Language and region": "Jazyk a región", "Account management": "Správa účtu", "General": "Všeobecné", "Ignored users": "Ignorovaní používatelia", @@ -429,10 +393,7 @@ "Request media permissions": "Požiadať o povolenia pristupovať k médiám", "Voice & Video": "Zvuk a video", "Room information": "Informácie o miestnosti", - "Room version": "Verzia miestnosti", - "Room version:": "Verzia miestnosti:", "Room Addresses": "Adresy miestnosti", - "Encryption": "Šifrovanie", "Error updating main address": "Chyba pri aktualizácii hlavnej adresy", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Pri aktualizácii hlavnej adresy miestnosti došlo k chybe. Server to nemusí povoliť alebo došlo k dočasnému zlyhaniu.", "Main address": "Hlavná adresa", @@ -489,10 +450,6 @@ "Use an identity server to invite by email. Click continue to use the default identity server (%(defaultIdentityServerName)s) or manage in Settings.": "Na pozvanie e-mailom použite server identity. Kliknite na tlačidlo Pokračovať, ak chcete použiť predvolený server identity (%(defaultIdentityServerName)s) alebo ho upravte v Nastaveniach.", "Use an identity server to invite by email. Manage in Settings.": "Server totožností sa použije na pozývanie používateľov zadaním emailovej adresy. Spravujte v nastaveniach.", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)", - "Cross-signing public keys:": "Verejné kľúče krížového podpisovania:", - "not found": "nenájdené", - "Cross-signing private keys:": "Súkromné kľúče krížového podpisovania:", - "in secret storage": "na bezpečnom úložisku", "Secret storage public key:": "Verejný kľúč bezpečného úložiska:", "in account data": "v údajoch účtu", "Cannot connect to integration manager": "Nie je možné sa pripojiť k integračnému serveru", @@ -521,11 +478,6 @@ "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Súhlaste s podmienkami používania servera totožností (%(serverName)s), aby ste mohli byť nájdení zadaním emailovej adresy alebo telefónneho čísla.", "Discovery": "Objavovanie", "Deactivate account": "Deaktivovať účet", - "Ignored/Blocked": "Ignorovaní / Blokovaní", - "Error adding ignored user/server": "Chyba pri pridávaní ignorovaného používateľa / servera", - "Something went wrong. Please try again or view your console for hints.": "Niečo sa nepodarilo. Prosím, skúste znovu neskôr alebo si prečítajte ďalšie usmernenia zobrazením konzoly.", - "Error subscribing to list": "Chyba pri prihlasovaní sa do zoznamu", - "Error removing ignored user/server": "Chyba pri odstraňovaní ignorovaného používateľa / servera", "Use Single Sign On to continue": "Pokračovať pomocou Single Sign On", "Confirm adding this email address by using Single Sign On to prove your identity.": "Potvrďte pridanie tejto adresy pomocou Single Sign On.", "Confirm adding email": "Potvrdiť pridanie emailu", @@ -560,26 +512,15 @@ "Failed to re-authenticate due to a homeserver problem": "Opätovná autentifikácia zlyhala kvôli problému domovského servera", "IRC display name width": "Šírka zobrazovaného mena IRC", "Clear personal data": "Zmazať osobné dáta", - "Waiting for %(displayName)s to verify…": "Čakám na %(displayName)s, kým nás overí…", - "Cancelling…": "Rušenie…", "Lock": "Zámka", "If you can't scan the code above, verify by comparing unique emoji.": "Ak sa vám nepodarí naskenovať uvedený kód, overte pomocou porovnania jedinečných emotikonov.", "Verify by comparing unique emoji.": "Overenie porovnaním jedinečnej kombinácie emotikonov.", "Verify by emoji": "Overiť pomocou emotikonov", "Later": "Neskôr", "Other users may not trust it": "Ostatní používatelia jej nemusia dôverovať", - "This bridge was provisioned by .": "Toto premostenie poskytuje .", - "This bridge is managed by .": "Toto premostenie spravuje .", "Show more": "Zobraziť viac", "well formed": "správne vytvorené", "unexpected type": "neočakávaný typ", - "in memory": "v pamäti", - "Self signing private key:": "Samopodpisujúci súkromný kľúč:", - "cached locally": "uložené do lokálnej vyrovnávacej pamäte", - "not found locally": "nenájdené lokálne", - "User signing private key:": "Súkromný podpisový kľúč používateľa:", - "Homeserver feature support:": "Funkcie podporované domovským serverom:", - "exists": "existuje", "Securely cache encrypted messages locally for them to appear in search results.": "Bezpečne lokálne ukladať zašifrované správy do vyrovnávacej pamäte, aby sa zobrazovali vo výsledkoch vyhľadávania.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)su chýbajú niektoré komponenty potrebné na bezpečné cachovanie šifrovaných správ lokálne. Pokiaľ chcete experimentovať s touto funkciou, spravte si svoj vlastný %(brand)s Desktop s pridanými vyhľadávacími komponentami.", "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Táto relácia nezálohuje vaše kľúče, ale máte jednu existujúcu zálohu, ktorú môžete obnoviť a pridať do budúcnosti.", @@ -593,36 +534,10 @@ "Ok": "Ok", "Ask your %(brand)s admin to check your config for incorrect or duplicate entries.": "Požiadajte správcu vášho %(brand)su, aby skontroloval vašu konfiguráciu. Pravdepodobne obsahuje chyby alebo duplikáty.", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s nedokáže bezpečne lokálne ukladať do vyrovnávacej pamäte zašifrované správy, keď je spustený vo webovom prehliadači. Na zobrazenie šifrovaných správ vo výsledkoch vyhľadávania použite %(brand)s Desktop.", - "New version available. Update now.": "Je dostupná nová verzia. Aktualizovať.", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Ak chcete nahlásiť bezpečnostný problém týkajúci sa Matrix-u, prečítajte si, prosím, zásady zverejňovania informácií o bezpečnosti Matrix.org.", - "Please verify the room ID or address and try again.": "Prosím, overte ID miestnosti alebo adresu a skúste to znovu.", - "Error unsubscribing from list": "Chyba pri zrušení odberu zo zoznamu", - "Please try again or view your console for hints.": "Skúste to prosím znovu alebo nahliadnite do konzoly po nápovedy.", "None": "Žiadne", - "Ban list rules - %(roomName)s": "Pravidlá vyhosťovania - %(roomName)s", - "Server rules": "Pravidlá serveru", - "User rules": "Pravidlá používateľa", - "You have not ignored anyone.": "Nikoho neignorujete.", - "You are currently ignoring:": "Ignorujete:", - "You are not subscribed to any lists": "Nie ste prihlásený do žiadneho zoznamu", - "View rules": "Zobraziť pravidlá", - "You are currently subscribed to:": "Aktuálne odoberáte:", - "⚠ These settings are meant for advanced users.": "⚠ Tieto nastavenia sú určené pre pokročilých používateľov.", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Pridajte používateľov a servery, ktorých chcete ignorovať. Použite hviezdičku '*', aby ju %(brand)s priradil každému symbolu. Napríklad @bot:* by odignoroval všetkých používateľov s menom 'bot' na akomkoľvek serveri.", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Ignorovanie ľudí sa vykonáva prostredníctvom zoznamov zákazov, ktoré obsahujú pravidlá pre zakazovanie. Pridanie na zoznam zákazov znamená, že používatelia/servery na tomto zozname pred vami skryté.", - "Personal ban list": "Osobný zoznam zákazov", - "Server or user ID to ignore": "Server alebo ID používateľa na odignorovanie", - "eg: @bot:* or example.org": "napr.: @bot:* alebo napriklad.sk", - "Subscribed lists": "Prihlásené zoznamy", - "Subscribing to a ban list will cause you to join it!": "Prihlásenie sa na zoznam zákazov spôsobí, že sa naň pridáte!", - "If this isn't what you want, please use a different tool to ignore users.": "Pokiaľ toto nechcete, tak použite prosím iný nástroj na ignorovanie používateľov.", - "Room ID or address of ban list": "ID miestnosti alebo adresa zoznamu zákazov", - "Session ID:": "ID relácie:", - "Session key:": "Kľúč relácie:", "Message search": "Vyhľadávanie v správach", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Správca vášho servera predvolene vypol end-to-end šifrovanie v súkromných miestnostiach a v priamych správach.", - "Upgrade this room to the recommended room version": "Upgradujte túto miestnosť na odporúčanú verziu", - "View older messages in %(roomName)s.": "Zobraziť staršie správy v miestnosti %(roomName)s.", "This room is bridging messages to the following platforms. Learn more.": "Táto miestnosť premosťuje správy s nasledujúcimi platformami. Viac informácií", "Bridges": "Premostenia", "Uploaded sound": "Nahratý zvuk", @@ -1013,7 +928,6 @@ "Really reset verification keys?": "Skutočne vynulovať overovacie kľúče?", "%(displayName)s cancelled verification.": "%(displayName)s zrušil/a overenie.", "Verification timed out.": "Čas overovania vypršal.", - "Verification requested": "Vyžiadané overenie", "Server name": "Názov servera", "Your server": "Váš server", "%(name)s declined": "%(name)s odmietol/a", @@ -1033,8 +947,6 @@ "Deactivate user?": "Deaktivovať používateľa?", "Upload all": "Nahrať všetko", "Add room": "Pridať miestnosť", - "Enter username": "Zadať používateľské meno", - "Enter password": "Zadať heslo", "Rotate Right": "Otočiť doprava", "Rotate Left": "Otočiť doľava", "Reason: %(reason)s": "Dôvod: %(reason)s", @@ -1057,10 +969,6 @@ "Avatar": "Obrázok", "Accepting…": "Akceptovanie…", "Notes": "Poznámky", - "Enter email address (required on this homeserver)": "Zadajte e-mailovú adresu (vyžaduje sa na tomto domovskom serveri)", - "Use an email address to recover your account": "Použite e-mailovú adresu na obnovenie svojho konta", - "Doesn't look like a valid email address": "Nevyzerá to ako platná e-mailová adresa", - "Enter email address": "Zadajte e-mailovú adresu", "This address is already in use": "Táto adresa sa už používa", "This address is available to use": "Túto adresu je možné použiť", "Please provide an address": "Uveďte prosím adresu", @@ -1068,10 +976,6 @@ "Local address": "Lokálna adresa", "Address": "Adresa", "Enter the name of a new server you want to explore.": "Zadajte názov nového servera, ktorý chcete preskúmať.", - "You have %(count)s unread notifications in a prior version of this room.": { - "one": "V predchádzajúcej verzii tejto miestnosti máte %(count)s neprečítané oznámenie.", - "other": "V predchádzajúcej verzii tejto miestnosti máte %(count)s neprečítaných oznámení." - }, "You'll upgrade this room from to .": "Túto miestnosť aktualizujete z verzie na .", "This version of %(brand)s does not support searching encrypted messages": "Táto verzia aplikácie %(brand)s nepodporuje vyhľadávanie zašifrovaných správ", "This version of %(brand)s does not support viewing some encrypted files": "Táto verzia aplikácie %(brand)s nepodporuje zobrazovanie niektorých zašifrovaných súborov", @@ -1081,7 +985,6 @@ "To publish an address, it needs to be set as a local address first.": "Ak chcete zverejniť adresu, je potrebné ju najprv nastaviť ako lokálnu adresu.", "Private space": "Súkromný priestor", "Upgrade private room": "Aktualizovať súkromnú miestnosť", - "Master private key:": "Hlavný súkromný kľúč:", "This space is not public. You will not be able to rejoin without an invite.": "Tento priestor nie je verejný. Bez pozvánky sa doň nebudete môcť opätovne pripojiť.", "This room is public": "Táto miestnosť je verejná", "Public rooms": "Verejné miestnosti", @@ -1192,8 +1095,6 @@ "Your display name": "Vaše zobrazované meno", "You verified %(name)s": "Overili ste používateľa %(name)s", "Clear all data": "Vymazať všetky údaje", - "Passwords don't match": "Heslá sa nezhodujú", - "Nice, strong password!": "Pekné, silné heslo!", " invited you": " vás pozval/a", "Join the discussion": "Pripojiť sa k diskusii", "edited": "upravené", @@ -1288,7 +1189,6 @@ "Add space": "Pridať priestor", "Add reaction": "Pridať reakciu", "Add people": "Pridať ľudí", - "Add option": "Pridať možnosť", "Adding spaces has moved.": "Pridávanie priestorov bolo presunuté.", "Adding rooms... (%(progress)s out of %(count)s)": { "other": "Pridávanie miestností... (%(progress)s z %(count)s)", @@ -1301,8 +1201,6 @@ "Add a new server": "Pridať nový server", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Ste tu jediný človek. Ak odídete, nikto sa už v budúcnosti nebude môcť pripojiť do tejto miestnosti, vrátane vás.", "Some characters not allowed": "Niektoré znaky nie sú povolené", - "Enter phone number (required on this homeserver)": "Zadajte telefónne číslo (povinné na tomto domovskom serveri)", - "Password is allowed, but unsafe": "Heslo je povolené, ale nie je bezpečné", "This room has already been upgraded.": "Táto miestnosť už bola aktualizovaná.", "Do you want to join %(roomName)s?": "Chcete sa pripojiť k %(roomName)s?", "Do you want to chat with %(user)s?": "Chcete konverzovať s %(user)s?", @@ -1340,8 +1238,6 @@ "Preview Space": "Prehľad priestoru", "Start new chat": "Spustiť novú konverzáciu", "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Táto relácia zistila, že vaša bezpečnostná fráza a kľúč pre zabezpečené správy boli odstránené.", - "Original event source": "Pôvodný zdroj udalosti", - "Question or topic": "Otázka alebo téma", "View in room": "Zobraziť v miestnosti", "Loading new room": "Načítanie novej miestnosti", "& %(count)s more": { @@ -1361,7 +1257,6 @@ "Wrong Security Key": "Nesprávny bezpečnostný kľúč", "Open dial pad": "Otvoriť číselník", "Continuing without email": "Pokračovanie bez e-mailu", - "Enter phone number": "Zadajte telefónne číslo", "Take a picture": "Urobiť fotografiu", "Error leaving room": "Chyba pri odchode z miestnosti", "Wrong file type": "Nesprávny typ súboru", @@ -1392,8 +1287,6 @@ "Pinned messages": "Pripnuté správy", "Use app": "Použiť aplikáciu", "Remember this": "Zapamätať si toto", - "Channel: ": "Kanál: ", - "Workspace: ": "Pracovný priestor: ", "Dial pad": "Číselník", "Decline All": "Zamietnuť všetky", "Unknown App": "Neznáma aplikácia", @@ -1461,7 +1354,6 @@ "Scroll to most recent messages": "Prejsť na najnovšie správy", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Pri aktualizácii alternatívnych adries miestnosti došlo k chybe. Nemusí to byť povolené serverom alebo došlo k dočasnému zlyhaniu.", "Mark all as read": "Označiť všetko ako prečítané", - "Confirm your identity by entering your account password below.": "Potvrďte svoju totožnosť zadaním hesla k účtu.", "The encryption used by this room isn't supported.": "Šifrovanie používané v tejto miestnosti nie je podporované.", "Waiting for %(displayName)s to accept…": "Čaká sa, kým to %(displayName)s prijme…", "Language Dropdown": "Rozbaľovací zoznam jazykov", @@ -1474,7 +1366,6 @@ "Upgrading this room requires closing down the current instance of the room and creating a new room in its place. To give room members the best possible experience, we will:": "Aktualizácia tejto miestnosti vyžaduje zrušenie aktuálnej inštancie miestnosti a vytvorenie novej miestnosti na jej mieste. Aby sme členom miestnosti poskytli čo najlepšiu skúsenosť, budeme:", "Identity server URL does not appear to be a valid identity server": "URL adresa servera totožností sa nezdá byť platným serverom totožností", "Homeserver URL does not appear to be a valid Matrix homeserver": "Adresa URL domovského servera sa nezdá byť platným domovským serverom Matrixu", - "Other users can invite you to rooms using your contact details": "Ostatní používatelia vás môžu pozývať do miestností pomocou vašich kontaktných údajov", "%(count)s votes": { "one": "%(count)s hlas", "other": "%(count)s hlasov" @@ -1494,16 +1385,9 @@ "Sorry, your vote was not registered. Please try again.": "Je nám ľúto, váš hlas nebol zaregistrovaný. Skúste to prosím znova.", "Vote not registered": "Hlasovanie nie je zaregistrované", "No votes cast": "Žiadne odovzdané hlasy", - "What is your poll question or topic?": "Aká je vaša otázka alebo téma ankety?", "Thread options": "Možnosti vlákna", "Server Options": "Možnosti servera", - "Write an option": "Napíšte možnosť", - "Option %(number)s": "Možnosť %(number)s", "Space options": "Možnosti priestoru", - "Create options": "Vytvoriť možnosti", - "Sorry, the poll you tried to create was not posted.": "Prepáčte, ale anketa, ktorú ste sa pokúsili vytvoriť, nebola zverejnená.", - "Create Poll": "Vytvoriť anketu", - "Create poll": "Vytvoriť anketu", "More options": "Ďalšie možnosti", "Pin to sidebar": "Pripnúť na bočný panel", "Quick settings": "Rýchle nastavenia", @@ -1519,8 +1403,6 @@ "Verify with another device": "Overiť pomocou iného zariadenia", "It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "Vyzerá to, že nemáte bezpečnostný kľúč ani žiadne iné zariadenie, pomocou ktorého by ste to mohli overiť. Toto zariadenie nebude mať prístup k starým zašifrovaným správam. Ak chcete overiť svoju totožnosť na tomto zariadení, budete musieť obnoviť svoje overovacie kľúče.", "Verify other device": "Overenie iného zariadenia", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Čaká sa na overenie na vašom druhom zariadení, %(deviceName)s (%(deviceId)s)…", - "Waiting for you to verify on your other device…": "Čaká sa na overenie na vašom druhom zariadení…", "Forgotten or lost all recovery methods? Reset all": "Zabudli ste alebo ste stratili všetky metódy obnovy? Resetovať všetko", "%(spaceName)s and %(count)s others": { "one": "%(spaceName)s a %(count)s ďalší", @@ -1555,7 +1437,6 @@ "Jump to first unread room.": "Preskočiť na prvú neprečítanú miestnosť.", "This client does not support end-to-end encryption.": "Tento klient nepodporuje end-to-end šifrovanie.", "Failed to deactivate user": "Nepodarilo sa deaktivovať používateľa", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Chýbajúci verejný kľúč captcha v konfigurácii domovského servera. Nahláste to, prosím, správcovi domovského servera.", "For a large amount of messages, this might take some time. Please don't refresh your client in the meantime.": "Pri veľkom množstve správ to môže trvať určitý čas. Medzitým prosím neobnovujte svojho klienta.", "No recent messages by %(user)s found": "Nenašli sa žiadne nedávne správy od používateľa %(user)s", "This invite to %(roomName)s was sent to %(email)s": "Táto pozvánka do %(roomName)s bola odoslaná na %(email)s", @@ -1580,8 +1461,6 @@ "This address had invalid server or is already in use": "Táto adresa mala neplatný server alebo sa už používa", "Back to chat": "Späť na konverzáciu", "Back to thread": "Späť na vlákno", - "Confirm the emoji below are displayed on both devices, in the same order:": "Potvrďte, že nasledujúce emotikony sú zobrazené na oboch zariadeniach v rovnakom poradí:", - "Verify this device by confirming the following number appears on its screen.": "Overte toto zariadenie potvrdením, že sa na jeho obrazovke zobrazí nasledujúce číslo.", "Almost there! Is your other device showing the same shield?": "Už je to takmer hotové! Zobrazuje vaše druhé zariadenie rovnaký štít?", "You cancelled verification on your other device.": "Zrušili ste overovanie na vašom druhom zariadení.", "Unable to verify this device": "Nie je možné overiť toto zariadenie", @@ -1591,7 +1470,6 @@ "Unrecognised room address: %(roomAlias)s": "Nerozpoznaná adresa miestnosti: %(roomAlias)s", "Could not fetch location": "Nepodarilo sa načítať polohu", "Message pending moderation": "Správa čaká na moderovanie", - "Internal room ID": "Interné ID miestnosti", "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Priestory sú spôsoby zoskupovania miestností a ľudí. Popri priestoroch, v ktorých sa nachádzate, môžete použiť aj niektoré predpripravené priestory.", "Group all your favourite rooms and people in one place.": "Zoskupte všetky vaše obľúbené miestnosti a ľudí na jednom mieste.", "Group all your people in one place.": "Zoskupte všetkých ľudí na jednom mieste.", @@ -1615,8 +1493,6 @@ "There was a problem communicating with the homeserver, please try again later.": "Nastal problém pri komunikácii s domovským serverom. Skúste to prosím znova.", "Error downloading audio": "Chyba pri sťahovaní zvuku", "Unnamed audio": "Nepomenovaný zvukový záznam", - "That phone number doesn't look quite right, please check and try again": "Toto telefónne číslo nevyzerá úplne správne, skontrolujte ho a skúste to znova", - "Something went wrong in confirming your identity. Cancel and try again.": "Pri potvrdzovaní vašej totožnosti sa niečo pokazilo. Zrušte to a skúste to znova.", "Hold": "Podržať", "Resume": "Pokračovať", "Not a valid Security Key": "Neplatný bezpečnostný kľúč", @@ -1656,7 +1532,6 @@ "one": "V súčasnosti má priestor prístup", "other": "V súčasnosti má prístup %(count)s priestorov" }, - "not found in storage": "sa nenašiel v úložisku", "Failed to update the visibility of this space": "Nepodarilo sa aktualizovať viditeľnosť tohto priestoru", "Guests can join a space without having an account.": "Hostia sa môžu pripojiť k priestoru bez toho, aby mali konto.", "Enable guest access": "Zapnúť prístup pre hostí", @@ -1696,7 +1571,6 @@ "Not all selected were added": "Neboli pridané všetky vybrané", "Want to add a new space instead?": "Chcete namiesto toho pridať nový priestor?", "You are not allowed to view this server's rooms list": "Nemáte povolené zobraziť zoznam miestností tohto servera", - "Failed to post poll": "Nepodarilo sa odoslať anketu", "Share entire screen": "Zdieľať celú obrazovku", "Error - Mixed content": "Chyba - Zmiešaný obsah", "Failed to get autodiscovery configuration from server": "Nepodarilo sa získať nastavenie automatického zisťovania zo servera", @@ -1716,7 +1590,6 @@ "Invite by email": "Pozvať e-mailom", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Vaša aplikácia %(brand)s vám na to neumožňuje použiť správcu integrácie. Obráťte sa na administrátora.", "You don't have permission to do this": "Na toto nemáte oprávnenie", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Boli zistené údaje zo staršej verzie %(brand)s. To spôsobilo nefunkčnosť end-to-end kryptografie v staršej verzii. End-to-end šifrované správy, ktoré boli nedávno vymenené pri používaní staršej verzie, sa v tejto verzii nemusia dať dešifrovať. To môže spôsobiť aj zlyhanie správ vymenených pomocou tejto verzie. Ak sa vyskytnú problémy, odhláste sa a znova sa prihláste. Ak chcete zachovať históriu správ, exportujte a znovu importujte svoje kľúče.", "This widget would like to:": "Tento widget by chcel:", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Ak ste predtým používali novšiu verziu %(brand)s, vaša relácia môže byť s touto verziou nekompatibilná. Zatvorte toto okno a vráťte sa k novšej verzii.", "Recent changes that have not yet been received": "Nedávne zmeny, ktoré ešte neboli prijaté", @@ -1757,12 +1630,6 @@ "To continue, use Single Sign On to prove your identity.": "Ak chcete pokračovať, použite jednotné prihlásenie SSO na preukázanie svojej totožnosti.", "Server did not return valid authentication information.": "Server nevrátil späť platné informácie o overení.", "Confirm your account deactivation by using Single Sign On to prove your identity.": "Potvrďte deaktiváciu konta pomocou jednotného prihlásenia SSO na preukázanie svojej totožnosti.", - "Results are only revealed when you end the poll": "Výsledky sa zobrazia až po ukončení ankety", - "Voters see results as soon as they have voted": "Hlasujúci uvidia výsledky hneď po hlasovaní", - "Closed poll": "Uzavretá anketa", - "Open poll": "Otvorená anketa", - "Poll type": "Typ ankety", - "Edit poll": "Upraviť anketu", "toggle event": "prepnúť udalosť", "Results will be visible when the poll is ended": "Výsledky budú viditeľné po ukončení ankety", "Sorry, you can't edit a poll after votes have been cast.": "Je nám ľúto, ale po odovzdaní hlasov nie je možné anketu upravovať.", @@ -1833,8 +1700,6 @@ "Forget this space": "Zabudnúť tento priestor", "You were removed by %(memberName)s": "Odstránil vás %(memberName)s", "Loading preview": "Načítavanie náhľadu", - "View older version of %(spaceName)s.": "Zobraziť staršiu verziu %(spaceName)s.", - "Upgrade this space to the recommended room version": "Aktualizovať tento priestor na odporúčanú verziu miestnosti", "Failed to join": "Nepodarilo sa pripojiť", "The person who invited you has already left, or their server is offline.": "Osoba, ktorá vás pozvala, už odišla alebo je jej server vypnutý.", "The person who invited you has already left.": "Osoba, ktorá vás pozvala, už odišla.", @@ -1910,13 +1775,7 @@ "Video room": "Video miestnosť", "An error occurred whilst sharing your live location, please try again": "Počas zdieľania vašej polohy v reálnom čase došlo k chybe, skúste to prosím znova", "An error occurred whilst sharing your live location": "Počas zdieľania vašej polohy v reálnom čase došlo k chybe", - "Resent!": "Znova odoslané!", - "Did not receive it? Resend it": "Nedostali ste ho? Poslať znova", - "To create your account, open the link in the email we just sent to %(emailAddress)s.": "Ak chcete vytvoriť svoje účet, otvorte odkaz v e-maile, ktorý sme práve poslali na %(emailAddress)s.", "Unread email icon": "Ikona neprečítaného e-mailu", - "Check your email to continue": "Pre pokračovanie skontrolujte svoj e-mail", - "Click to read topic": "Kliknutím si prečítate tému", - "Edit topic": "Upraviť tému", "Joining…": "Pripájanie…", "%(count)s people joined": { "one": "%(count)s človek sa pripojil", @@ -1969,7 +1828,6 @@ "Messages in this chat will be end-to-end encrypted.": "Správy v tejto konverzácii sú šifrované od vás až k príjemcovi.", "Saved Items": "Uložené položky", "Choose a locale": "Vyberte si jazyk", - "Spell check": "Kontrola pravopisu", "We're creating a room with %(names)s": "Vytvárame miestnosť s %(names)s", "Sessions": "Relácie", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "V záujme čo najlepšieho zabezpečenia, overte svoje relácie a odhláste sa z každej relácie, ktorú už nepoznáte alebo nepoužívate.", @@ -2051,10 +1909,6 @@ "We were unable to start a chat with the other user.": "Nepodarilo sa nám spustiť konverzáciu s druhým používateľom.", "Error starting verification": "Chyba pri spustení overovania", "WARNING: ": "UPOZORNENIE: ", - "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.": "Chcete experimentovať? Vyskúšajte naše najnovšie nápady vo vývojovom štádiu. Tieto funkcie nie sú dokončené; môžu byť nestabilné, môžu sa zmeniť alebo môžu byť úplne zrušené. Zistiť viac.", - "Early previews": "Predbežné ukážky", - "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "Čo vás čaká v aplikácii %(brand)s? Laboratóriá sú najlepším spôsobom, ako získať funkcie v predstihu, otestovať nové funkcie a pomôcť ich vytvoriť ešte pred ich skutočným spustením.", - "Upcoming features": "Pripravované funkcie", "You have unverified sessions": "Máte neoverené relácie", "Change layout": "Zmeniť rozloženie", "Search users in this room…": "Vyhľadať používateľov v tejto miestnosti…", @@ -2075,9 +1929,6 @@ "Edit link": "Upraviť odkaz", "%(senderName)s started a voice broadcast": "%(senderName)s začal/a hlasové vysielanie", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", - "Registration token": "Registračný token", - "Enter a registration token provided by the homeserver administrator.": "Zadajte registračný token poskytnutý správcom domovského servera.", - "Manage account": "Spravovať účet", "Your account details are managed separately at %(hostname)s.": "Údaje o vašom účte sú spravované samostatne na adrese %(hostname)s.", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Všetky správy a pozvánky od tohto používateľa budú skryté. Ste si istí, že ich chcete ignorovať?", "Ignore %(user)s": "Ignorovať %(user)s", @@ -2091,7 +1942,6 @@ "Starting backup…": "Začína sa zálohovanie…", "Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Varovanie: Vaše osobné údaje (vrátane šifrovacích kľúčov) sú stále uložené v tejto relácií. Vymažte ich, ak ste ukončili používanie tejto relácie alebo sa chcete prihlásiť do iného konta.", "Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Pokračujte prosím iba vtedy, ak ste si istí, že ste stratili všetky ostatné zariadenia a váš bezpečnostný kľúč.", - "Keep going…": "Pokračujte…", "Connecting…": "Pripájanie…", "Scan QR code": "Skenovať QR kód", "Select '%(scanQRCode)s'": "Vyberte '%(scanQRCode)s'", @@ -2103,17 +1953,12 @@ "Enable '%(manageIntegrations)s' in Settings to do this.": "Ak to chcete urobiť, povoľte v Nastaveniach položku \"%(manageIntegrations)s\".", "Waiting for partner to confirm…": "Čakanie na potvrdenie od partnera…", "Adding…": "Pridávanie…", - "Write something…": "Napíšte niečo…", "Rejecting invite…": "Odmietnutie pozvania …", "Joining room…": "Pripájanie do miestnosti …", "Joining space…": "Pripájanie sa do priestoru …", "Encrypting your message…": "Šifrovanie vašej správy…", "Sending your message…": "Odosielanie vašej správy…", - "Warning: upgrading a room will not automatically migrate room members to the new version of the room. We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.": "Pozor:Aktualizácia miestnosti neumožní automatickú migráciu členov miestnosti do novej verzie miestnosti.. Odkaz na novú miestnosť uverejníme v starej verzii miestnosti - členovia miestnosti budú musieť kliknúť na tento odkaz, aby sa mohli pripojiť k novej miestnosti.", - "Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named '%(myBanList)s' - stay in this room to keep the ban list in effect.": "V osobnom zozname zakázaných používateľov sú všetci používatelia/servery, od ktorých si osobne neželáte vidieť správy. Po ignorovaní prvého používateľa/servera sa vo vašom zozname miestností objaví nová miestnosť s názvom \"%(myBanList)s\" - zostaňte v tejto miestnosti, aby bol zoznam zákazov platný.", "Set a new account password…": "Nastaviť nové heslo k účtu…", - "Downloading update…": "Sťahovanie aktualizácie…", - "Checking for an update…": "Kontrola dostupnosti aktualizácie…", "Backing up %(sessionsRemaining)s keys…": "Zálohovanie %(sessionsRemaining)s kľúčov…", "Connecting to integration manager…": "Pripájanie k správcovi integrácie…", "Saving…": "Ukladanie…", @@ -2182,7 +2027,6 @@ "Error changing password": "Chyba pri zmene hesla", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (HTTP stav %(httpStatus)s)", "Unknown password change error (%(stringifiedError)s)": "Neznáma chyba pri zmene hesla (%(stringifiedError)s)", - "Error while changing password: %(error)s": "Chyba pri zmene hesla: %(error)s", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Nie je možné pozvať používateľa e-mailom bez servera totožnosti. Môžete sa k nemu pripojiť v časti \"Nastavenia\".", "Failed to download source media, no source url was found": "Nepodarilo sa stiahnuť zdrojové médium, nebola nájdená žiadna zdrojová url adresa", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "Keď sa pozvaní používatelia pripoja k aplikácii %(brand)s, budete môcť konverzovať a miestnosť bude end-to-end šifrovaná", @@ -2535,7 +2379,15 @@ "sliding_sync_disable_warning": "Pre vypnutie sa musíte odhlásiť a znova prihlásiť, používajte opatrne!", "sliding_sync_proxy_url_optional_label": "URL adresa proxy servera (voliteľná)", "sliding_sync_proxy_url_label": "URL adresa proxy servera", - "video_rooms_beta": "Video miestnosti sú beta funkciou" + "video_rooms_beta": "Video miestnosti sú beta funkciou", + "bridge_state_creator": "Toto premostenie poskytuje .", + "bridge_state_manager": "Toto premostenie spravuje .", + "bridge_state_workspace": "Pracovný priestor: ", + "bridge_state_channel": "Kanál: ", + "beta_section": "Pripravované funkcie", + "beta_description": "Čo vás čaká v aplikácii %(brand)s? Laboratóriá sú najlepším spôsobom, ako získať funkcie v predstihu, otestovať nové funkcie a pomôcť ich vytvoriť ešte pred ich skutočným spustením.", + "experimental_section": "Predbežné ukážky", + "experimental_description": "Chcete experimentovať? Vyskúšajte naše najnovšie nápady vo vývojovom štádiu. Tieto funkcie nie sú dokončené; môžu byť nestabilné, môžu sa zmeniť alebo môžu byť úplne zrušené. Zistiť viac." }, "keyboard": { "home": "Domov", @@ -2871,7 +2723,26 @@ "record_session_details": "Zaznamenať názov klienta, verziu a url, aby bolo možné ľahšie rozpoznať relácie v správcovi relácií", "strict_encryption": "Nikdy neposielať šifrované správy neovereným reláciám z tejto relácie", "enable_message_search": "Povoliť vyhľadávanie správ v šifrovaných miestnostiach", - "manually_verify_all_sessions": "Manuálne overiť všetky relácie" + "manually_verify_all_sessions": "Manuálne overiť všetky relácie", + "cross_signing_public_keys": "Verejné kľúče krížového podpisovania:", + "cross_signing_in_memory": "v pamäti", + "cross_signing_not_found": "nenájdené", + "cross_signing_private_keys": "Súkromné kľúče krížového podpisovania:", + "cross_signing_in_4s": "na bezpečnom úložisku", + "cross_signing_not_in_4s": "sa nenašiel v úložisku", + "cross_signing_master_private_Key": "Hlavný súkromný kľúč:", + "cross_signing_cached": "uložené do lokálnej vyrovnávacej pamäte", + "cross_signing_not_cached": "nenájdené lokálne", + "cross_signing_self_signing_private_key": "Samopodpisujúci súkromný kľúč:", + "cross_signing_user_signing_private_key": "Súkromný podpisový kľúč používateľa:", + "cross_signing_homeserver_support": "Funkcie podporované domovským serverom:", + "cross_signing_homeserver_support_exists": "existuje", + "export_megolm_keys": "Exportovať end-to-end šifrovacie kľúče miestnosti", + "import_megolm_keys": "Importovať end-to-end šifrovacie kľúče miestnosti", + "cryptography_section": "Kryptografia", + "session_id": "ID relácie:", + "session_key": "Kľúč relácie:", + "encryption_section": "Šifrovanie" }, "preferences": { "room_list_heading": "Zoznam miestností", @@ -2986,6 +2857,12 @@ }, "security_recommendations": "Bezpečnostné odporúčania", "security_recommendations_description": "Zlepšite zabezpečenie svojho účtu dodržiavaním týchto odporúčaní." + }, + "general": { + "oidc_manage_button": "Spravovať účet", + "account_section": "Účet", + "language_section": "Jazyk a región", + "spell_check_section": "Kontrola pravopisu" } }, "devtools": { @@ -3087,7 +2964,8 @@ "low_bandwidth_mode": "Režim nízkej šírky pásma", "developer_mode": "Režim pre vývojárov", "view_source_decrypted_event_source": "Zdroj dešifrovanej udalosti", - "view_source_decrypted_event_source_unavailable": "Dešifrovaný zdroj nie je dostupný" + "view_source_decrypted_event_source_unavailable": "Dešifrovaný zdroj nie je dostupný", + "original_event_source": "Pôvodný zdroj udalosti" }, "export_chat": { "html": "HTML", @@ -3727,6 +3605,17 @@ "url_preview_encryption_warning": "Náhľady URL adries sú v šifrovaných miestnostiach ako je táto predvolene zakázané, aby ste si mohli byť istí, že obsah odkazov z vašej konverzácii nebude zaznamenaný na vašom domovskom serveri počas ich generovania.", "url_preview_explainer": "Ak niekto vo svojej správe pošle URL adresu, môže byť zobrazený jej náhľad obsahujúci názov, popis a obrázok z cieľovej web stránky.", "url_previews_section": "Náhľady URL adries" + }, + "advanced": { + "unfederated": "Táto miestnosť nie je prístupná zo vzdialených Matrix serverov", + "room_upgrade_warning": "Pozor:Aktualizácia miestnosti neumožní automatickú migráciu členov miestnosti do novej verzie miestnosti.. Odkaz na novú miestnosť uverejníme v starej verzii miestnosti - členovia miestnosti budú musieť kliknúť na tento odkaz, aby sa mohli pripojiť k novej miestnosti.", + "space_upgrade_button": "Aktualizovať tento priestor na odporúčanú verziu miestnosti", + "room_upgrade_button": "Upgradujte túto miestnosť na odporúčanú verziu", + "space_predecessor": "Zobraziť staršiu verziu %(spaceName)s.", + "room_predecessor": "Zobraziť staršie správy v miestnosti %(roomName)s.", + "room_id": "Interné ID miestnosti", + "room_version_section": "Verzia miestnosti", + "room_version": "Verzia miestnosti:" } }, "encryption": { @@ -3742,8 +3631,22 @@ "sas_prompt": "Porovnajte jedinečnú kombináciu emotikonov", "sas_description": "Pokiaľ nemáte na svojich zariadeniach kameru, porovnajte jedinečnú kombináciu emotikonov", "qr_or_sas": "%(qrCode)s alebo %(emojiCompare)s", - "qr_or_sas_header": "Overte toto zariadenie dokončením jednej z nasledujúcich možností:" - } + "qr_or_sas_header": "Overte toto zariadenie dokončením jednej z nasledujúcich možností:", + "explainer": "Zabezpečené správy s týmto používateľom sú end-to-end šifrované a tretie strany ich nemôžu čítať.", + "complete_action": "Rozumiem", + "sas_emoji_caption_self": "Potvrďte, že nasledujúce emotikony sú zobrazené na oboch zariadeniach v rovnakom poradí:", + "sas_emoji_caption_user": "Overte tohto používateľa potvrdením, že sa na jeho obrazovke zobrazujú nasledujúce emotikony.", + "sas_caption_self": "Overte toto zariadenie potvrdením, že sa na jeho obrazovke zobrazí nasledujúce číslo.", + "sas_caption_user": "Overte tohoto používateľa tým, že zistíte, či sa na jeho obrazovke objaví nasledujúce číslo.", + "unsupported_method": "Nie je možné nájsť podporovanú metódu overenia.", + "waiting_other_device_details": "Čaká sa na overenie na vašom druhom zariadení, %(deviceName)s (%(deviceId)s)…", + "waiting_other_device": "Čaká sa na overenie na vašom druhom zariadení…", + "waiting_other_user": "Čakám na %(displayName)s, kým nás overí…", + "cancelling": "Rušenie…" + }, + "old_version_detected_title": "Nájdené zastaralé kryptografické údaje", + "old_version_detected_description": "Boli zistené údaje zo staršej verzie %(brand)s. To spôsobilo nefunkčnosť end-to-end kryptografie v staršej verzii. End-to-end šifrované správy, ktoré boli nedávno vymenené pri používaní staršej verzie, sa v tejto verzii nemusia dať dešifrovať. To môže spôsobiť aj zlyhanie správ vymenených pomocou tejto verzie. Ak sa vyskytnú problémy, odhláste sa a znova sa prihláste. Ak chcete zachovať históriu správ, exportujte a znovu importujte svoje kľúče.", + "verification_requested_toast_title": "Vyžiadané overenie" }, "emoji": { "category_frequently_used": "Často používané", @@ -3858,7 +3761,51 @@ "phone_optional_label": "Telefón (nepovinné)", "email_help_text": "Pridajte e-mail, aby ste mohli obnoviť svoje heslo.", "email_phone_discovery_text": "Použite e-mail alebo telefón, aby ste boli voliteľne vyhľadateľní existujúcimi kontaktmi.", - "email_discovery_text": "Použite e-mail, aby ste boli voliteľne vyhľadateľní existujúcimi kontaktmi." + "email_discovery_text": "Použite e-mail, aby ste boli voliteľne vyhľadateľní existujúcimi kontaktmi.", + "session_logged_out_title": "Ste odhlásení", + "session_logged_out_description": "Z bezpečnostných dôvodov bola táto relácia odhlásená. Prosím, prihláste sa znova.", + "change_password_error": "Chyba pri zmene hesla: %(error)s", + "change_password_mismatch": "Nové heslá sa nezhodujú", + "change_password_empty": "Heslá nemôžu byť prázdne", + "set_email_prompt": "Želáte si nastaviť emailovú adresu?", + "change_password_confirm_label": "Potvrdiť heslo", + "change_password_confirm_invalid": "Heslá sa nezhodujú", + "change_password_current_label": "Súčasné heslo", + "change_password_new_label": "Nové heslo", + "change_password_action": "Zmeniť heslo", + "email_field_label": "Email", + "email_field_label_required": "Zadajte e-mailovú adresu", + "email_field_label_invalid": "Nevyzerá to ako platná e-mailová adresa", + "uia": { + "password_prompt": "Potvrďte svoju totožnosť zadaním hesla k účtu.", + "recaptcha_missing_params": "Chýbajúci verejný kľúč captcha v konfigurácii domovského servera. Nahláste to, prosím, správcovi domovského servera.", + "terms_invalid": "Prosím, prečítajte si a odsúhlaste všetky podmienky tohoto domovského servera", + "terms": "Prosím, prečítajte si a odsúhlaste podmienky používania tohoto domovského servera:", + "email_auth_header": "Pre pokračovanie skontrolujte svoj e-mail", + "email": "Ak chcete vytvoriť svoje účet, otvorte odkaz v e-maile, ktorý sme práve poslali na %(emailAddress)s.", + "email_resend_prompt": "Nedostali ste ho? Poslať znova", + "email_resent": "Znova odoslané!", + "msisdn_token_incorrect": "Neplatný token", + "msisdn": "Na číslo %(msisdn)s bola odoslaná textová správa", + "msisdn_token_prompt": "Prosím, zadajte kód z tejto správy:", + "registration_token_prompt": "Zadajte registračný token poskytnutý správcom domovského servera.", + "registration_token_label": "Registračný token", + "sso_failed": "Pri potvrdzovaní vašej totožnosti sa niečo pokazilo. Zrušte to a skúste to znova.", + "fallback_button": "Spustiť overenie" + }, + "password_field_label": "Zadať heslo", + "password_field_strong_label": "Pekné, silné heslo!", + "password_field_weak_label": "Heslo je povolené, ale nie je bezpečné", + "password_field_keep_going_prompt": "Pokračujte…", + "username_field_required_invalid": "Zadať používateľské meno", + "msisdn_field_required_invalid": "Zadajte telefónne číslo", + "msisdn_field_number_invalid": "Toto telefónne číslo nevyzerá úplne správne, skontrolujte ho a skúste to znova", + "msisdn_field_label": "Telefón", + "identifier_label": "Na prihlásenie sa použije", + "reset_password_email_field_description": "Použite e-mailovú adresu na obnovenie svojho konta", + "reset_password_email_field_required_invalid": "Zadajte e-mailovú adresu (vyžaduje sa na tomto domovskom serveri)", + "msisdn_field_description": "Ostatní používatelia vás môžu pozývať do miestností pomocou vašich kontaktných údajov", + "registration_msisdn_field_required_invalid": "Zadajte telefónne číslo (povinné na tomto domovskom serveri)" }, "room_list": { "sort_unread_first": "Najprv ukázať miestnosti s neprečítanými správami", @@ -4052,7 +3999,13 @@ "see_changes_button": "Čo je nové?", "release_notes_toast_title": "Čo Je Nové", "toast_title": "Aktualizovať %(brand)s", - "toast_description": "K dispozícii je nová verzia %(brand)s" + "toast_description": "K dispozícii je nová verzia %(brand)s", + "error_encountered": "Vyskytla sa chyba (%(errorDetail)s).", + "checking": "Kontrola dostupnosti aktualizácie…", + "no_update": "K dispozícii nie je žiadna aktualizácia.", + "downloading": "Sťahovanie aktualizácie…", + "new_version_available": "Je dostupná nová verzia. Aktualizovať.", + "check_action": "Skontrolovať dostupnosť aktualizácie" }, "threads": { "all_threads": "Všetky vlákna", @@ -4105,7 +4058,35 @@ }, "labs_mjolnir": { "room_name": "Môj zoznam zákazov", - "room_topic": "Toto je zoznam používateľov / serverov, ktorých ste zablokovali - neopúšťajte miestnosť!" + "room_topic": "Toto je zoznam používateľov / serverov, ktorých ste zablokovali - neopúšťajte miestnosť!", + "ban_reason": "Ignorovaní / Blokovaní", + "error_adding_ignore": "Chyba pri pridávaní ignorovaného používateľa / servera", + "something_went_wrong": "Niečo sa nepodarilo. Prosím, skúste znovu neskôr alebo si prečítajte ďalšie usmernenia zobrazením konzoly.", + "error_adding_list_title": "Chyba pri prihlasovaní sa do zoznamu", + "error_adding_list_description": "Prosím, overte ID miestnosti alebo adresu a skúste to znovu.", + "error_removing_ignore": "Chyba pri odstraňovaní ignorovaného používateľa / servera", + "error_removing_list_title": "Chyba pri zrušení odberu zo zoznamu", + "error_removing_list_description": "Skúste to prosím znovu alebo nahliadnite do konzoly po nápovedy.", + "rules_title": "Pravidlá vyhosťovania - %(roomName)s", + "rules_server": "Pravidlá serveru", + "rules_user": "Pravidlá používateľa", + "personal_empty": "Nikoho neignorujete.", + "personal_section": "Ignorujete:", + "no_lists": "Nie ste prihlásený do žiadneho zoznamu", + "view_rules": "Zobraziť pravidlá", + "lists": "Aktuálne odoberáte:", + "title": "Ignorovaní používatelia", + "advanced_warning": "⚠ Tieto nastavenia sú určené pre pokročilých používateľov.", + "explainer_1": "Pridajte používateľov a servery, ktorých chcete ignorovať. Použite hviezdičku '*', aby ju %(brand)s priradil každému symbolu. Napríklad @bot:* by odignoroval všetkých používateľov s menom 'bot' na akomkoľvek serveri.", + "explainer_2": "Ignorovanie ľudí sa vykonáva prostredníctvom zoznamov zákazov, ktoré obsahujú pravidlá pre zakazovanie. Pridanie na zoznam zákazov znamená, že používatelia/servery na tomto zozname pred vami skryté.", + "personal_heading": "Osobný zoznam zákazov", + "personal_description": "V osobnom zozname zakázaných používateľov sú všetci používatelia/servery, od ktorých si osobne neželáte vidieť správy. Po ignorovaní prvého používateľa/servera sa vo vašom zozname miestností objaví nová miestnosť s názvom \"%(myBanList)s\" - zostaňte v tejto miestnosti, aby bol zoznam zákazov platný.", + "personal_new_label": "Server alebo ID používateľa na odignorovanie", + "personal_new_placeholder": "napr.: @bot:* alebo napriklad.sk", + "lists_heading": "Prihlásené zoznamy", + "lists_description_1": "Prihlásenie sa na zoznam zákazov spôsobí, že sa naň pridáte!", + "lists_description_2": "Pokiaľ toto nechcete, tak použite prosím iný nástroj na ignorovanie používateľov.", + "lists_new_label": "ID miestnosti alebo adresa zoznamu zákazov" }, "create_space": { "name_required": "Zadajte prosím názov priestoru", @@ -4170,6 +4151,12 @@ "private_unencrypted_warning": "Vaše súkromné správy sú bežne šifrované, ale táto miestnosť nie je. Zvyčajne je to spôsobené nepodporovaným zariadením alebo použitou metódou, ako napríklad e-mailové pozvánky.", "enable_encryption_prompt": "Zapnúť šifrovanie v nastaveniach.", "unencrypted_warning": "End-to-end šifrovanie nie je zapnuté" + }, + "edit_topic": "Upraviť tému", + "read_topic": "Kliknutím si prečítate tému", + "unread_notifications_predecessor": { + "one": "V predchádzajúcej verzii tejto miestnosti máte %(count)s neprečítané oznámenie.", + "other": "V predchádzajúcej verzii tejto miestnosti máte %(count)s neprečítaných oznámení." } }, "file_panel": { @@ -4184,9 +4171,31 @@ "intro": "Ak chcete pokračovať, musíte prijať podmienky tejto služby.", "column_service": "Služba", "column_summary": "Zhrnutie", - "column_document": "Dokument" + "column_document": "Dokument", + "tac_title": "Zmluvné podmienky", + "tac_description": "Ak chcete aj naďalej používať domovský server %(homeserverDomain)s, mali by ste si prečítať a odsúhlasiť naše zmluvné podmienky.", + "tac_button": "Prečítať zmluvné podmienky" }, "space_settings": { "title": "Nastavenia - %(spaceName)s" + }, + "poll": { + "create_poll_title": "Vytvoriť anketu", + "create_poll_action": "Vytvoriť anketu", + "edit_poll_title": "Upraviť anketu", + "failed_send_poll_title": "Nepodarilo sa odoslať anketu", + "failed_send_poll_description": "Prepáčte, ale anketa, ktorú ste sa pokúsili vytvoriť, nebola zverejnená.", + "type_heading": "Typ ankety", + "type_open": "Otvorená anketa", + "type_closed": "Uzavretá anketa", + "topic_heading": "Aká je vaša otázka alebo téma ankety?", + "topic_label": "Otázka alebo téma", + "topic_placeholder": "Napíšte niečo…", + "options_heading": "Vytvoriť možnosti", + "options_label": "Možnosť %(number)s", + "options_placeholder": "Napíšte možnosť", + "options_add_button": "Pridať možnosť", + "disclosed_notes": "Hlasujúci uvidia výsledky hneď po hlasovaní", + "notes": "Výsledky sa zobrazia až po ukončení ankety" } } diff --git a/src/i18n/strings/sq.json b/src/i18n/strings/sq.json index bb91127ad8..801bccffe6 100644 --- a/src/i18n/strings/sq.json +++ b/src/i18n/strings/sq.json @@ -66,7 +66,6 @@ "All Rooms": "Krejt Dhomat", "Source URL": "URL Burimi", "Filter results": "Filtroni përfundimet", - "No update available.": "S’ka përditësim gati.", "Search…": "Kërkoni…", "Tuesday": "E martë", "Preparing to send logs": "Po përgatitet për dërgim regjistrash", @@ -83,7 +82,6 @@ "Thursday": "E enjte", "Logs sent": "Regjistrat u dërguan", "Yesterday": "Dje", - "Error encountered (%(errorDetail)s).": "U has gabim (%(errorDetail)s).", "Low Priority": "Përparësi e Ulët", "Rooms": "Dhoma", "PM": "PM", @@ -91,16 +89,7 @@ "Verified key": "Kyç i verifikuar", "Reason": "Arsye", "Incorrect verification code": "Kod verifikimi i pasaktë", - "Phone": "Telefon", "No display name": "S’ka emër shfaqjeje", - "New passwords don't match": "Fjalëkalimet e reja s’përputhen", - "Passwords can't be empty": "Fjalëkalimet s’mund të jenë të zbrazët", - "Export E2E room keys": "Eksporto kyçe dhome E2E", - "Do you want to set an email address?": "Doni të caktoni një adresë email?", - "Current password": "Fjalëkalimi i tanishëm", - "New Password": "Fjalëkalim i Ri", - "Confirm password": "Ripohoni frazëkalimin", - "Change Password": "Ndryshoni Fjalëkalimin", "Authentication": "Mirëfilltësim", "not specified": "e papërcaktuar", "This room has no local addresses": "Kjo dhomë s’ka adresë vendore", @@ -128,9 +117,6 @@ "Decrypt %(text)s": "Shfshehtëzoje %(text)s", "Copied!": "U kopjua!", "Add an Integration": "Shtoni një Integrim", - "Please enter the code it contains:": "Ju lutemi, jepni kodin që përmbahet:", - "Start authentication": "Fillo mirëfilltësim", - "Sign in with": "Hyni me", "Email address": "Adresë email", "Something went wrong!": "Diçka shkoi ters!", "Create new room": "Krijoni dhomë të re", @@ -154,8 +140,6 @@ "Reject invitation": "Hidheni tej ftesën", "Are you sure you want to reject the invitation?": "Jeni i sigurt se doni të hidhet tej kjo ftesë?", "Are you sure you want to leave the room '%(roomName)s'?": "Jeni i sigurt se doni të dilni nga dhoma '%(roomName)s'?", - "Signed Out": "I dalë", - "Old cryptography data detected": "U pikasën të dhëna kriptografie të vjetër", "You seem to be in a call, are you sure you want to quit?": "Duket se jeni në një thirrje, jeni i sigurt se doni të dilet?", "Search failed": "Kërkimi shtoi", "No more results": "Jo më tepër përfundime", @@ -164,15 +148,11 @@ "one": "Po ngarkohet %(filename)s dhe %(count)s tjetër" }, "Uploading %(filename)s": "Po ngarkohet %(filename)s", - "Cryptography": "Kriptografi", - "Check for update": "Kontrollo për përditësime", "No media permissions": "S’ka leje mediash", "No Microphones detected": "S’u pikasën Mikrofona", "No Webcams detected": "S’u pikasën kamera", "Default Device": "Pajisje Parazgjedhje", - "Email": "Email", "Profile": "Profil", - "Account": "Llogari", "Return to login screen": "Kthehuni te skena e hyrjeve", "Session ID": "ID sesioni", "Passphrases must match": "Frazëkalimet duhet të përputhen", @@ -194,7 +174,6 @@ "Failed to unban": "S’u arrit t’i hiqej dëbimi", "Jump to first unread message.": "Hidhu te mesazhi i parë i palexuar.", "Failed to copy": "S’u arrit të kopjohej", - "Token incorrect": "Token i pasaktë", "Unable to restore session": "S’arrihet të rikthehet sesioni", "Please check your email and click on the link it contains. Once this is done, click continue.": "Ju lutemi, kontrolloni email-in tuaj dhe klikoni mbi lidhjen që përmban. Pasi të jetë bërë kjo, klikoni që të vazhdohet.", "Unable to add email address": "S’arrihet të shtohet adresë email", @@ -203,7 +182,6 @@ "Tried to load a specific point in this room's timeline, but was unable to find it.": "U provua të ngarkohej një pikë të dhënë prej rrjedhës kohore në këtë dhomë, por s’u arrit të gjendej.", "Failed to load timeline position": "S’u arrit të ngarkohej pozicion rrjedhe kohore", "Unable to remove contact information": "S’arrihet të hiqen të dhëna kontakti", - "Import E2E room keys": "Importo kyçe E2E dhome", "File to import": "Kartelë për importim", "Failed to set display name": "S’u arrit të caktohej emër ekrani", "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (pushtet %(powerLevelNumber)si)", @@ -247,9 +225,6 @@ "Send Logs": "Dërgo regjistra", "Link to most recent message": "Lidhje për te mesazhet më të freskët", "Link to selected message": "Lidhje për te mesazhi i përzgjedhur", - "Terms and Conditions": "Terma dhe Kushte", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Që të vazhdohet të përdoret shërbyesi home %(homeserverDomain)s, duhet të shqyrtoni dhe pajtoheni me termat dhe kushtet.", - "Review terms and conditions": "Shqyrtoni terma & kushte", "Failed to reject invite": "S’u arrit të hidhet tej ftesa", "Please contact your service administrator to continue using this service.": "Ju lutemi, që të vazhdoni të përdorni këtë shërbim, lidhuni me përgjegjësin e shërbimit tuaj.", "You do not have permission to start a conference call in this room": "S’keni leje për të nisur një thirrje konferencë këtë në këtë dhomë", @@ -260,19 +235,15 @@ "Upgrade this room to version %(version)s": "Përmirësojeni këtë dhomë me versionin %(version)s", "Share Room": "Ndani Dhomë Me të Tjerë", "Share Room Message": "Ndani Me të Tjerë Mesazh Dhome", - "A text message has been sent to %(msisdn)s": "Te %(msisdn)s u dërgua një mesazh tekst", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "Fshirja e një widget-i e heq atë për krejt përdoruesit në këtë dhomë. Jeni i sigurt se doni të fshihet ky widget?", "Before submitting logs, you must create a GitHub issue to describe your problem.": "Përpara se të parashtroni regjistra, duhet të krijoni një çështje në GitHub issue që të përshkruani problemin tuaj.", "Create a new room with the same name, description and avatar": "Krijoni një dhomë të re me po atë emër, përshkrim dhe avatar", "Can't leave Server Notices room": "Dhoma Njoftime Shërbyesi, s’braktiset dot", - "For security, this session has been signed out. Please sign in again.": "Për hir të sigurisë, është bërë dalja nga ky sesion. Ju lutemi, ribëni hyrjen.", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Janë pikasur të dhëna nga një version i dikurshëm i %(brand)s-it. Kjo do të bëjë që kriptografia skaj-më-skaj te versioni i dikurshëm të mos punojë si duhet. Mesazhet e fshehtëzuar skaj-më-skaj tani së fundi teksa përdorej versioni i dikurshëm mund të mos jenë të shfshehtëzueshëm në këtë version. Kjo mund bëjë edhe që mesazhet e shkëmbyera me këtë version të dështojnë. Nëse ju dalin probleme, bëni daljen dhe rihyni në llogari. Që të ruhet historiku i mesazheve, eksportoni dhe riimportoni kyçet tuaj.", "Audio Output": "Sinjal Audio", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "S’lidhet dot te shërbyes Home përmes HTTP-je, kur te shtylla e shfletuesit tuaj jepet një URL HTTPS. Ose përdorni HTTPS-në, ose aktivizoni përdorimin e programtheve jo të sigurt.", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "S’lidhet dot te shërbyes Home - ju lutemi, kontrolloni lidhjen tuaj, sigurohuni që dëshmia SSL e shërbyesit tuaj Home besohet, dhe që s’ka ndonjë zgjerim shfletuesi që po bllokon kërkesat tuaja.", "Demote yourself?": "Të zhgradohet vetvetja?", "Demote": "Zhgradoje", - "Please review and accept the policies of this homeserver:": "Ju lutemi, shqyrtoni dhe pranoni rregullat e këtij shërbyesi home:", "If the other version of %(brand)s is still open in another tab, please close it as using %(brand)s on the same host with both lazy loading enabled and disabled simultaneously will cause issues.": "Nëse versioni tjetër i %(brand)s-it është ende i hapur në një skedë tjetër, ju lutemi, mbylleni, ngaqë përdorimi njëkohësisht i %(brand)s-it në të njëjtën strehë, në njërën anë me lazy loading të aktivizuar dhe në anën tjetër të çaktivizuar do të shkaktojë probleme.", "%(brand)s now uses 3-5x less memory, by only loading information about other users when needed. Please wait whilst we resynchronise with the server!": "%(brand)s-i tani përdor 3 deri 5 herë më pak kujtesë, duke ngarkuar të dhëna mbi përdorues të tjerë vetëm kur duhen. Ju lutemi, prisni, teksa njëkohësojmë të dhënat me shërbyesin!", "Put a link back to the old room at the start of the new room so people can see old messages": "Vendosni në krye të dhomës së re një lidhje për te dhoma e vjetër, që njerëzit të mund të shohin mesazhet e vjetër", @@ -286,7 +257,6 @@ "Your browser does not support the required cryptography extensions": "Shfletuesi juaj nuk mbulon zgjerimet kriptografike të domosdoshme", "You will not be able to undo this change as you are demoting yourself, if you are the last privileged user in the room it will be impossible to regain privileges.": "S’do të jeni në gjendje ta zhbëni këtë, ngaqë po zhgradoni veten, nëse jeni përdoruesi i fundit i privilegjuar te dhoma do të jetë e pamundur të rifitoni privilegjet.", "Jump to read receipt": "Hidhuni te leximi i faturës", - "This room is not accessible by remote Matrix servers": "Kjo dhomë nuk është e përdorshme nga shërbyes Matrix të largët", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Ju ndan një hap nga shpënia te një sajt palë e tretë, që kështu të mund të mirëfilltësoni llogarinë tuaj me %(integrationsUrl)s. Doni të vazhdohet?", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "S’arrihet të ngarkohet akti të cilit iu përgjigj, ose nuk ekziston, ose s’keni leje ta shihni.", "You've previously used %(brand)s on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, %(brand)s needs to resync your account.": "Më parë përdornit %(brand)s në %(host)s me lazy loading anëtarësh të aktivizuar. Në këtë version lazy loading është çaktivizuar. Ngaqë fshehtina vendore s’është e përputhshme mes këtyre dy rregullimeve, %(brand)s-i lyp të rinjëkohësohet llogaria juaj.", @@ -304,7 +274,6 @@ "No Audio Outputs detected": "S’u pikasën Sinjale Audio Në Dalje", "Not a valid %(brand)s keyfile": "S’është kartelë kyçesh %(brand)s e vlefshme", "Historical": "Të dikurshme", - "Please review and accept all of the homeserver's policies": "Ju lutemi, shqyrtoni dhe pranoni krejt rregullat e këtij shërbyesi home", "To avoid losing your chat history, you must export your room keys before logging out. You will need to go back to the newer version of %(brand)s to do this": "Që të shmanget humbja e historikut të fjalosjes tuaj, duhet të eksportoni kyçet e dhomës tuaj përpara se të dilni nga llogari. Që ta bëni këtë, duhe të riktheheni te versioni më i ri i %(brand)s-it", "Incompatible Database": "Bazë të dhënash e Papërputhshme", "Continue With Encryption Disabled": "Vazhdo Me Fshehtëzimin të Çaktivizuar", @@ -334,9 +303,6 @@ "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "S’arrihet të gjenden profile për ID-të Matrix të treguara më poshtë - do të donit të ftohet, sido qoftë?", "Invite anyway and never warn me again": "Ftoji sido që të jetë dhe mos më sinjalizo më kurrë", "Invite anyway": "Ftoji sido qoftë", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Mesazhet e sigurt me këtë përdorues fshehtëzohen skaj-më-skaj dhe të palexueshëm nga palë të treta.", - "Got It": "E Mora Vesh", - "Verify this user by confirming the following number appears on their screen.": "Verifikojeni këtë përdorues duke ripohuar shfaqjen e numrit vijues në skenën e tyre.", "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Ju kemi dërguar një email që të verifikoni adresën tuaj. Ju lutemi, ndiqni udhëzimet e atjeshme dhe mandej klikoni butonin më poshtë.", "Email Address": "Adresë Email", "All keys backed up": "U kopjeruajtën krejt kyçet", @@ -346,15 +312,11 @@ "Profile picture": "Foto profili", "Display Name": "Emër Në Ekran", "Room information": "Të dhëna dhome", - "Room version": "Version dhome", - "Room version:": "Version dhome:", "General": "Të përgjithshme", "Room Addresses": "Adresa Dhomash", "Email addresses": "Adresa email", "Phone numbers": "Numra telefonash", - "Language and region": "Gjuhë dhe rajon", "Account management": "Administrim llogarish", - "Encryption": "Fshehtëzim", "Ignored users": "Përdorues të shpërfillur", "Bulk options": "Veprime masive", "Missing media permissions, click the button below to request.": "Mungojnë leje mediash, klikoni mbi butonin më poshtë që të kërkohen.", @@ -374,7 +336,6 @@ "Recovery Method Removed": "U hoq Metodë Rimarrje", "If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "Nëse metodën e re të rimarrjeve s’e keni hequr ju, dikush mund të jetë duke u rrekur të hyjë në llogarinë tuaj. Ndryshoni menjëherë fjalëkalimin e llogarisë tuaj, te Rregullimet, dhe caktoni një metodë të re rimarrjesh.", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "Kartela '%(fileName)s' tejkalon kufirin e këtij shërbyesi Home për madhësinë e ngarkimeve", - "Verify this user by confirming the following emoji appear on their screen.": "Verifikojeni këtë përdorues duke ripohuar shfaqjen e emoji-t vijues në skenën e tyre.", "Dog": "Qen", "Cat": "Mace", "Lion": "Luan", @@ -434,7 +395,6 @@ "This homeserver would like to make sure you are not a robot.": "Ky Shërbyes Home do të donte të sigurohej se s’jeni robot.", "Couldn't load page": "S’u ngarkua dot faqja", "Your password has been reset.": "Fjalëkalimi juaj u ricaktua.", - "Unable to find a supported verification method.": "S’arrihet të gjendet metodë verifikimi e mbuluar.", "Santa": "Babagjyshi i Vitit të Ri", "Hourglass": "Klepsidër", "Key": "Kyç", @@ -460,8 +420,6 @@ "Power level": "Shkallë pushteti", "The file '%(fileName)s' failed to upload.": "Dështoi ngarkimi i kartelës '%(fileName)s'.", "No homeserver URL provided": "S’u dha URL shërbyesi Home", - "Upgrade this room to the recommended room version": "Përmirësojeni këtë dhomë me versionin e rekomanduar të dhomës", - "View older messages in %(roomName)s.": "Shihni mesazhe më të vjetër në %(roomName)s.", "Join the conversation with an account": "Merrni pjesë në bisedë me një llogari", "Sign Up": "Regjistrohuni", "Reason: %(reason)s": "Arsye: %(reason)s", @@ -492,16 +450,6 @@ "Cancel All": "Anuloji Krejt", "Upload Error": "Gabim Ngarkimi", "Remember my selection for this widget": "Mbaje mend përzgjedhjen time për këtë widget", - "Use an email address to recover your account": "Përdorni një adresë email që të rimerrni llogarinë tuaj", - "Enter email address (required on this homeserver)": "Jepni adresë email (e domosdoshme në këtë shërbyes Home)", - "Doesn't look like a valid email address": "S’duket si adresë email e vlefshme", - "Enter password": "Jepni fjalëkalim", - "Password is allowed, but unsafe": "Fjalëkalimi është i lejuar, por jo i parrezik", - "Nice, strong password!": "Bukur, fjalëkalim i fortë!", - "Passwords don't match": "Fjalëkalimet s’përputhen", - "Other users can invite you to rooms using your contact details": "Përdorues të tjerë mund t’ju ftojnë te dhoma duke përdorur hollësitë tuaja për kontakt", - "Enter phone number (required on this homeserver)": "Jepni numër telefoni (e domosdoshme në këtë shërbyes Home)", - "Enter username": "Jepni emër përdoruesi", "Some characters not allowed": "Disa shenja nuk lejohen", "Add room": "Shtoni dhomë", "Failed to get autodiscovery configuration from server": "S’u arrit të merrej formësim vetëzbulimi nga shërbyesi", @@ -524,10 +472,6 @@ "This file is too large to upload. The file size limit is %(limit)s but this file is %(sizeOfThisFile)s.": "Kjo kartelë është shumë e madhe për ngarkim. Caku për madhësi kartelash është %(limit)s, ndërsa kjo kartelë është %(sizeOfThisFile)s.", "These files are too large to upload. The file size limit is %(limit)s.": "Këto kartela janë shumë të mëdha për ngarkim. Caku për madhësi kartelash është %(limit)s.", "Some files are too large to be uploaded. The file size limit is %(limit)s.": "Disa kartela janë shumë të mëdha për ngarkim. Caku për madhësi kartelash është %(limit)s.", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "Keni %(count)s njoftime të palexuar në një version të mëparshëm të kësaj dhome.", - "one": "Keni %(count)s njoftim të palexuar në një version të mëparshëm të kësaj dhome." - }, "Invalid base_url for m.identity_server": "Parametër base_url i i pavlefshëm për m.identity_server", "Identity server URL does not appear to be a valid identity server": "URL-ja e shërbyesit të identiteteve s’duket të jetë një shërbyes i vlefshëm identitetesh", "Uploaded sound": "U ngarkua tingull", @@ -638,7 +582,6 @@ "Your email address hasn't been verified yet": "Adresa juaj email s’është verifikuar ende", "Click the link in the email you received to verify and then click continue again.": "Për verifkim, klikoni lidhjen te email që morët dhe mandej vazhdoni sërish.", "Show image": "Shfaq figurë", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Mungon kyç publik captcha-je te formësimi i shërbyesit Home. Ju lutemi, njoftojani këtë përgjegjësit të shërbyesit tuaj Home.", "This action requires accessing the default identity server to validate an email address or phone number, but the server does not have any terms of service.": "Ky veprim lyp hyrje te shërbyesi parazgjedhje i identiteteve për të vlerësuar një adresë email ose një numër telefoni, por shërbyesi nuk ka ndonjë kusht shërbimesh.", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)", "Room %(name)s": "Dhoma %(name)s", @@ -658,31 +601,7 @@ "Cancel search": "Anulo kërkimin", "Jump to first unread room.": "Hidhu te dhoma e parë e palexuar.", "Jump to first invite.": "Hidhu te ftesa e parë.", - "Ignored/Blocked": "Të shpërfillur/Të bllokuar", - "Error adding ignored user/server": "Gabim shtimi përdoruesi/shërbyesi të shpërfillur", - "Something went wrong. Please try again or view your console for hints.": "Diç shkoi ters. Ju lutemi, riprovoni ose, për ndonjë ide, shihni konsolën tuaj.", - "Error subscribing to list": "Gabim pajtimi te lista", - "Error removing ignored user/server": "Gabim në heqje përdoruesi/shërbyes të shpërfillur", - "Error unsubscribing from list": "Gabim shpajtimi nga lista", - "Please try again or view your console for hints.": "Ju lutemi, riprovoni, ose shihni konsolën tuaj, për ndonjë ide.", "None": "Asnjë", - "Ban list rules - %(roomName)s": "Rregulla liste dëbimesh - %(roomName)s", - "Server rules": "Rregulla shërbyesi", - "User rules": "Rregulla përdoruesi", - "You have not ignored anyone.": "S’keni shpërfillur ndonjë.", - "You are currently ignoring:": "Aktualisht shpërfillni:", - "You are not subscribed to any lists": "S’jeni pajtuar te ndonjë listë", - "View rules": "Shihni rregulla", - "You are currently subscribed to:": "Jeni i pajtuar te:", - "⚠ These settings are meant for advanced users.": "⚠ Këto rregullime janë menduar për përdorues të përparuar.", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Shtoni këtu përdorues dhe shërbyes që doni të shpërfillen. Që %(brand)s të kërkojë për përputhje me çfarëdo shkronjash, përdorni yllthin. Për shembull, @bot:* do të shpërfillë krej përdoruesit që kanë emrin 'bot' në çfarëdo shërbyesi.", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Shpërfillja e personave kryhet përmes listash dëbimi, të cilat përmbajnë rregulla se cilët të dëbohen. Pajtimi te një listë dëbimesh do të thotë se përdoruesit/shërbyesit e bllokuar nga ajo listë do t’ju fshihen juve.", - "Personal ban list": "Listë personale dëbimesh", - "Server or user ID to ignore": "Shërbyes ose ID përdoruesi për t’u shpërfillur", - "eg: @bot:* or example.org": "p.sh.: @bot:* ose example.org", - "Subscribed lists": "Lista me pajtim", - "Subscribing to a ban list will cause you to join it!": "Pajtimi te një listë dëbimesh do të shkaktojë pjesëmarrjen tuaj në të!", - "If this isn't what you want, please use a different tool to ignore users.": "Nëse kjo s’është ajo çka doni, ju lutemi, përdorni një tjetër mjet për të shpërfillur përdorues.", "You have ignored this user, so their message is hidden. Show anyways.": "E keni shpërfillur këtë përdorues, ndaj mesazhi i tij është fshehur. Shfaqe, sido qoftë.", "Messages in this room are end-to-end encrypted.": "Mesazhet në këtë dhomë janë të fshehtëzuara skaj-më-skaj.", "Any of the following data may be shared:": "Mund të ndahen me të tjerët cilado prej të dhënave vijuese:", @@ -707,9 +626,6 @@ "Verification Request": "Kërkesë Verifikimi", "Error upgrading room": "Gabim në përditësim dhome", "Double check that your server supports the room version chosen and try again.": "Rikontrolloni që shërbyesi juaj e mbulon versionin e zgjedhur për dhomën dhe riprovoni.", - "Cross-signing public keys:": "Kyçe publikë për cross-signing:", - "not found": "s’u gjet", - "in secret storage": "në depozitë të fshehtë", "Secret storage public key:": "Kyç publik depozite të fshehtë:", "in account data": "në të dhëna llogarie", "Unencrypted": "Të pafshehtëzuara", @@ -733,10 +649,8 @@ "Recent Conversations": "Biseda Së Fundi", "Direct Messages": "Mesazhe të Drejtpërdrejtë", "Country Dropdown": "Menu Hapmbyll Vendesh", - "This bridge is managed by .": "Kjo urë administrohet nga .", "Other users may not trust it": "Përdorues të tjerë mund të mos e besojnë", "Later": "Më vonë", - "Cross-signing private keys:": "Kyçe privatë për cross-signing:", "This room is end-to-end encrypted": "Kjo dhomë është e fshehtëzuar skaj-më-skaj", "Everyone in this room is verified": "Gjithkush në këtë dhomë është verifikuar", "Reject & Ignore user": "Hidhe poshtë & Shpërfille përdoruesin", @@ -761,17 +675,12 @@ "Session already verified!": "Sesion i tashmë i verifikuar!", "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "KUJDES: VERIFIKIMI I KYÇIT DËSHTOI! Kyçi i nënshkrimit për %(userId)s dhe sesionin %(deviceId)s është \"%(fprint)s\", që nuk përputhet me kyçin e dhënë \"%(fingerprint)s\". Kjo mund të jetë shenjë se komunikimet tuaja po përgjohen!", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "Kyçi i nënshkrimit që dhatë përputhet me kyçin e nënshkrimit që morët nga sesioni i %(userId)s %(deviceId)s. Sesionit iu vu shenjë si i verifikuar.", - "Waiting for %(displayName)s to verify…": "Po pritet për %(displayName)s të verifikojë…", - "This bridge was provisioned by .": "Kjo urë është dhënë nga .", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Llogaria juaj ka një identitet cross-signing në depozitë të fshehtë, por s’është ende i besuar në këtë sesion.", - "in memory": "në kujtesë", "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "Ky sesion nuk po bën kopjeruajtje të kyçeve tuaja, por keni një kopjeruajtje ekzistuese që mund ta përdorni për rimarrje dhe ta shtoni më tej.", "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Lidheni këtë sesion kopjeruajtje kyçesh, përpara se të dilni, që të shmangni humbje të çfarëdo kyçi që mund të gjendet vetëm në këtë pajisje.", "Connect this session to Key Backup": "Lidhe këtë sesion me Kopjeruajtje Kyçesh", "This backup is trusted because it has been restored on this session": "Kjo kopjeruajtje është e besuar, ngaqë është rikthyer në këtë sesion", "Your keys are not being backed up from this session.": "Kyçet tuaj nuk po kopjeruhen nga ky sesion.", - "Session ID:": "ID sesioni:", - "Session key:": "Kyç sesioni:", "This room is bridging messages to the following platforms. Learn more.": "Kjo dhomë i kalon mesazhet te platformat vijuese. Mësoni më tepër.", "Bridges": "Ura", "This user has not verified all of their sessions.": "Ky përdorues s’ka verifikuar krejt sesionet e tij.", @@ -804,7 +713,6 @@ "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Verifikimi i këtij përdoruesi do t’i vërë shenjë sesionit të tij si të besuar dhe sesionit tuaj si të besuar për ta.", "Verify this device to mark it as trusted. Trusting this device gives you and other users extra peace of mind when using end-to-end encrypted messages.": "Që t’i vihet shenjë si e besuar, verifikojeni këtë pajisje. Besimi i kësaj pajisjeje ju jep juve dhe përdoruesve të tjerë ca qetësi më tepër, kur përdoren mesazhe të fshehtëzuar skaj-më-skaj.", "Verifying this device will mark it as trusted, and users who have verified with you will trust this device.": "Verifikimi i kësaj pajisjeje do të t’i vërë shenjë si të besuar dhe përdoruesit që janë verifikuar me ju do ta besojnë këtë pajisje.", - "Confirm your identity by entering your account password below.": "Ripohoni identitetin tuaj duke dhënë më poshtë fjalëkalimin e llogarisë tuaj.", "Restore your key backup to upgrade your encryption": "Që të përmirësoni fshehtëzimin tuaj, riktheni kopjeruajtjen e kyçeve tuaj", "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Përmirësojeni këtë sesion për ta lejuar të verifikojë sesione të tjerë, duke u akorduar hyrje te mesazhe të fshehtëzuar dhe duke u vënë shenjë si të besuar për përdorues të tjerë.", "Create key backup": "Krijo kopjeruajtje kyçesh", @@ -819,10 +727,7 @@ "Verify by scanning": "Verifikoje me skanim", "You declined": "Hodhët poshtë", "%(name)s declined": "%(name)s hodhi poshtë", - "Cancelling…": "Po anulohet…", "Your homeserver does not support cross-signing.": "Shërbyesi juaj Home nuk mbulon cross-signing.", - "Homeserver feature support:": "Mbulim veçorish nga shërbyesi Home:", - "exists": "ekziston", "Accepting…": "Po pranohet…", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Që të njoftoni një problem sigurie lidhur me Matrix-in, ju lutemi, lexoni Rregulla Tregimi Çështjes Sigurie te Matrix.org.", "Mark all as read": "Vëru të tërave shenjë si të lexuara", @@ -854,10 +759,6 @@ "Confirm by comparing the following with the User Settings in your other session:": "Ripohojeni duke krahasuar sa vijon me Rregullimet e Përdoruesit te sesioni juaj tjetër:", "Confirm this user's session by comparing the following with their User Settings:": "Ripohojeni këtë sesion përdoruesi duke krahasuar sa vijon me Rregullimet e tij të Përdoruesit:", "If they don't match, the security of your communication may be compromised.": "Nëse s’përputhen, siguria e komunikimeve tuaja mund të jetë komprometuar.", - "Self signing private key:": "Kyç privat vetënënshkrimi:", - "cached locally": "ruajtur në fshehtinë lokalisht", - "not found locally": "i pagjetur lokalisht", - "User signing private key:": "Kyç privat nënshkrimesh përdoruesi:", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Verifikoni individualisht çdo sesion të përdorur nga një përdorues, për t’i vënë shenjë si i besuar, duke mos besuar pajisje cross-signed.", "In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "Në dhoma të fshehtëzuara, mesazhet tuaj sigurohen dhe vetëm ju dhe marrësi ka kyçet unikë për shkyçjen e tyre.", "Verify all users in a room to ensure it's secure.": "Verifiko krejt përdoruesit në dhomë, për të garantuar se është e sigurt.", @@ -909,8 +810,6 @@ "Your homeserver has exceeded one of its resource limits.": "Shërbyesi juaj Home ka tejkaluar një nga kufijtë e tij të burimeve.", "Contact your server admin.": "Lidhuni me përgjegjësin e shërbyesit tuaj.", "Ok": "OK", - "Please verify the room ID or address and try again.": "Ju lutemi, verifikoni ID-në ose adresën e dhomës dhe riprovoni.", - "Room ID or address of ban list": "ID dhome ose adresë prej liste ndalimi", "Error creating address": "Gabim në krijim adrese", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Pati një gabim në krijimin e asaj adrese. Mund të mos lejohet nga shërbyesi, ose ndodhi një gabim i përkohshëm.", "You don't have permission to delete the address.": "S’keni leje të fshini adresën.", @@ -921,7 +820,6 @@ "This address is already in use": "Kjo adresë është e përdorur tashmë", "You've previously used a newer version of %(brand)s with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "Me këtë sesion, keni përdorur më herët një version më të ri të %(brand)s-it. Që të ripërdorni këtë version me fshehtëzim skaj më skaj, do t’ju duhet të bëni daljen dhe të rihyni.", "Use a different passphrase?": "Të përdoret një frazëkalim tjetër?", - "New version available. Update now.": "Version i ri gati. Përditësojeni tani.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Përgjegjësi i shërbyesit tuaj ka çaktivizuar fshehtëzimin skaj-më-skaj, si parazgjedhje, në dhoma private & Mesazhe të Drejtpërdrejtë.", "Recently Direct Messaged": "Me Mesazhe të Drejtpërdrejtë Së Fundi", "Switch theme": "Ndërroni temën", @@ -963,7 +861,6 @@ "A connection error occurred while trying to contact the server.": "Ndodhi një gabim teksa provohej lidhja me shërbyesin.", "The server is not configured to indicate what the problem is (CORS).": "Shërbyesi s’është formësuar të tregojë se cili është problemi (CORS).", "Recent changes that have not yet been received": "Ndryshime tani së fundi që s’janë marrë ende", - "Master private key:": "Kyç privat i përgjithshëm:", "Explore public rooms": "Eksploroni dhoma publike", "Preparing to download logs": "Po bëhet gati për shkarkim regjistrash", "Unexpected server error trying to leave the room": "Gabim i papritur shërbyesi në përpjekje për dalje nga dhoma", @@ -975,7 +872,6 @@ "Take a picture": "Bëni një foto", "Information": "Informacion", "Safeguard against losing access to encrypted messages & data": "Mbrohuni nga humbja e hyrjes te mesazhe & të dhëna të fshehtëzuara", - "not found in storage": "s’u gjet në depozitë", "Backup version:": "Version kopjeruajtjeje:", "Algorithm:": "Algoritëm:", "Backup key stored:": "Kyç kopjeruajtjesh i depozituar:", @@ -1274,13 +1170,10 @@ "one": "Ruajini lokalisht në fshehtinë në mënyrë të sigurt mesazhet e fshehtëzuar, që të shfaqen në përfundime kërkimi, duke përdorur %(size)s që të depozitoni mesazhe nga %(rooms)s dhomë.", "other": "Ruajini lokalisht në fshehtinë në mënyrë të sigurt mesazhet e fshehtëzuar, që të shfaqen në përfundime kërkimi, duke përdorur %(size)s që të depozitoni mesazhe nga %(rooms)s dhoma." }, - "Enter phone number": "Jepni numër telefoni", - "Enter email address": "Jepni adresë email-i", "Decline All": "Hidhi Krejt Poshtë", "This widget would like to:": "Ky widget do të donte të:", "Approve widget permissions": "Miratoni leje widget-i", "There was a problem communicating with the homeserver, please try again later.": "Pati një problem në komunikimin me shërbyesin Home, ju lutemi, riprovoni më vonë.", - "That phone number doesn't look quite right, please check and try again": "Ai numër telefoni s’duket i saktë, ju lutemi, rikontrollojeni dhe riprovojeni", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Që mos thoni nuk e dinim, nëse s’shtoni një email dhe harroni fjalëkalimin tuaj, mund të humbi përgjithmonë hyrjen në llogarinë tuaj.", "Continuing without email": "Vazhdim pa email", "Server Options": "Mundësi Shërbyesi", @@ -1316,9 +1209,6 @@ "Invalid Security Key": "Kyç Sigurie i Pavlefshëm", "Wrong Security Key": "Kyç Sigurie i Gabuar", "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Kopjeruani kyçet tuaj të fshehtëzimit me të dhënat e llogarisë tuaj, për ditën kur mund të humbni hyrje në sesionet tuaja. Kyçet tuaj do të jenë të siguruar me një Kyç unik Sigurie.", - "Channel: ": "Kanal: ", - "Workspace: ": "Hapësirë pune: ", - "Something went wrong in confirming your identity. Cancel and try again.": "Diç shkoi ters me ripohimin e identitetit tuaj. Anulojeni dhe riprovoni.", "Remember this": "Mbaje mend këtë", "The widget will verify your user ID, but won't be able to perform actions for you:": "Ky widget do të verifikojë ID-në tuaj të përdoruesit, por s’do të jetë në gjendje të kryejë veprime për ju:", "Allow this widget to verify your identity": "Lejojeni këtë widget të verifikojë identitetin tuaj", @@ -1328,7 +1218,6 @@ "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "I kërkuam shfletuesit të mbajë mend cilin shërbyes Home përdorni, për t’ju lënë të bëni hyrje, por për fat të keq, shfletuesi juaj e ka harruar këtë. Kaloni te faqja e hyrjeve dhe riprovoni.", "We couldn't log you in": "S’ju nxorëm dot nga llogaria juaj", "Recently visited rooms": "Dhoma të vizituara së fundi", - "Original event source": "Burim i veprimtarisë origjinale", "%(count)s members": { "one": "%(count)s anëtar", "other": "%(count)s anëtarë" @@ -1379,7 +1268,6 @@ "Invite with email or username": "Ftoni përmes email-i ose emri përdoruesi", "You can change these anytime.": "Këto mund t’i ndryshoni në çfarëdo kohe.", "Verify your identity to access encrypted messages and prove your identity to others.": "Verifikoni identitetin tuaj që të hyhet në mesazhe të fshehtëzuar dhe t’u provoni të tjerëve identitetin tuaj.", - "Verification requested": "U kërkua verifikim", "Avatar": "Avatar", "Consult first": "Konsultohu së pari", "Invited people will be able to read old messages.": "Personat e ftuar do të jenë në gjendje të lexojnë mesazhe të vjetër.", @@ -1587,7 +1475,6 @@ "Verify with Security Key or Phrase": "Verifikojeni me Kyç ose Frazë Sigurie", "It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "Duket sikur s’keni Kyç Sigurie ose ndonjë pajisje tjetër nga e cila mund të bëni verifikimin. Kjo pajisje s’do të jetë në gjendje të hyjë te mesazhe të dikurshëm të fshehtëzuar. Që të mund të verifikohet identiteti juaj në këtë pajisje, ju duhet të riujdisni kyçet tuaj të verifikimit.", "Skip verification for now": "Anashkaloje verifikimin hëpërhë", - "Create poll": "Krijoni anketim", "Updating spaces... (%(progress)s out of %(count)s)": { "one": "Po përditësohet hapësirë…", "other": "Po përditësohen hapësira… (%(progress)s nga %(count)s) gjithsej" @@ -1631,13 +1518,6 @@ "The homeserver the user you're verifying is connected to": "Shërbyesi Home te i cili është lidhur përdoruesi që po verifikoni", "This room isn't bridging messages to any platforms. Learn more.": "Kjo dhomë s’kalon mesazhe në ndonjë platformë. Mësoni më tepër.", "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Kjo dhomë gjendet në disa hapësira për të cilat nuk jeni një nga përgjegjësit. Në këto hapësira, dhoma e vjetër prapë do të shfaqet, por njerëzve do t’u kërkohet të marrin pjesë te e reja.", - "Add option": "Shtoni mundësi", - "Write an option": "Shkruani një mundësi", - "Option %(number)s": "Mundësia %(number)s", - "Create options": "Krijoni mundësi", - "Question or topic": "Pyetje ose temë", - "What is your poll question or topic?": "Cila është pyetja, ose tema e pyetësorit tuaj?", - "Create Poll": "Krijoni Pyetësor", "You do not have permission to start polls in this room.": "S’keni leje të nisni anketime në këtë dhomë.", "Copy link to thread": "Kopjoje lidhjen te rrjedha", "Thread options": "Mundësi rrjedhe", @@ -1665,8 +1545,6 @@ "one": "%(spaceName)s dhe %(count)s tjetër", "other": "%(spaceName)s dhe %(count)s të tjerë" }, - "Sorry, the poll you tried to create was not posted.": "Na ndjeni, anketimi që provuat të krijoni s’u postua dot.", - "Failed to post poll": "S’u arrit të postohej anketimi", "Based on %(count)s votes": { "one": "Bazuar në %(count)s votë", "other": "Bazua në %(count)s vota" @@ -1742,10 +1620,6 @@ "You cancelled verification on your other device.": "E anuluat verifikimin në pajisjen tuaj tjetër.", "Almost there! Is your other device showing the same shield?": "Thuajse mbaruam! A po shfaq pajisja juaj të njëjtën mburojë?", "To proceed, please accept the verification request on your other device.": "Që të vazhdoni më tej, ju lutemi, pranoni në pajisjen tuaj tjetër kërkesën për verifikim.", - "Waiting for you to verify on your other device…": "Po pritet që ju të verifikoni në pajisjen tuaj tjetër…", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Po pritet që ju të verifikoni në pajisjen tuaj tjetër, %(deviceName)s (%(deviceId)s)…", - "Verify this device by confirming the following number appears on its screen.": "Verifikoni këtë pajisje duke ripohuar se numri vijues shfaqet në ekranin e saj.", - "Confirm the emoji below are displayed on both devices, in the same order:": "Ripohoni se emoji-t më poshtë shfaqen në të dyja pajisjet, sipas të njëjtës radhë:", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Çift (përdorues, sesion) i pavlefshëm: (%(userId)s, %(deviceId)s)", "Unrecognised room address: %(roomAlias)s": "Adresë e panjohur dhome: %(roomAlias)s", "From a thread": "Nga një rrjedhë", @@ -1758,7 +1632,6 @@ "You were removed from %(roomName)s by %(memberName)s": "U hoqët %(roomName)s nga %(memberName)s", "Message pending moderation": "Mesazh në pritje të moderimit", "Message pending moderation: %(reason)s": "Mesazh në pritje të moderimit: %(reason)s", - "Internal room ID": "ID e brendshme dhome", "Group all your rooms that aren't part of a space in one place.": "Gruponi në një vend krejt dhomat tuaja që s’janë pjesë e një hapësire.", "Group all your people in one place.": "Gruponi krejt personat tuaj në një vend.", "Group all your favourite rooms and people in one place.": "Gruponi në një vend krejt dhomat tuaja të parapëlqyera dhe personat e parapëlqyer.", @@ -1775,15 +1648,9 @@ "Use to scroll": "Përdorni për rrëshqitje", "Feedback sent! Thanks, we appreciate it!": "Përshtypjet u dërguan! Faleminderit, e çmojmë aktin tuaj!", "%(space1Name)s and %(space2Name)s": "%(space1Name)s dhe %(space2Name)s", - "Edit poll": "Përpunoni pyetësor", "Sorry, you can't edit a poll after votes have been cast.": "Na ndjeni, s’mund të përpunoni një pyetësor pasi të jenë hedhur votat.", "Can't edit poll": "S’përpunohet dot pyetësori", "Join %(roomAddress)s": "Hyni te %(roomAddress)s", - "Results are only revealed when you end the poll": "Përfundimet shfaqen vetëm kur të përfundoni pyetësorin", - "Voters see results as soon as they have voted": "Votuesit shohin përfundimet sapo të kenë votuar", - "Closed poll": "Pyetësor i mbyllur", - "Open poll": "Pyetësor i hapur", - "Poll type": "Lloj pyetësori", "Results will be visible when the poll is ended": "Përfundimet do të jenë të dukshme pasi të ketë përfunduar pyetësori", "Search Dialog": "Dialog Kërkimi", "Pinned": "I fiksuar", @@ -1832,8 +1699,6 @@ "Forget this space": "Harroje këtë hapësirë", "You were removed by %(memberName)s": "U hoqët nga %(memberName)s", "Loading preview": "Po ngarkohet paraparje", - "View older version of %(spaceName)s.": "Shihni version më të vjetër të %(spaceName)s.", - "Upgrade this space to the recommended room version": "Përmirësojeni këtë hapësirë me versionin e rekomanduar të dhomës", "Failed to join": "S’u arrit të hyhej", "The person who invited you has already left, or their server is offline.": "Personi që ju ftoi, ka dalë tashmë, ose shërbyesi i tij është jashtë funksionimi.", "The person who invited you has already left.": "Personi që ju ftoi ka dalë nga dhoma tashmë.", @@ -1858,10 +1723,7 @@ "%(featureName)s Beta feedback": "Përshtypje për %(featureName)s Beta", "You have been logged out of all devices and will no longer receive push notifications. To re-enable notifications, sign in again on each device.": "Jeni nxjerrë jashtë prej krejt pajisjeve dhe s’do të merrni më njoftime push. Që të riaktivizoni njoftimet, bëni sërish hyrjen në çdo pajisje.", "Your message wasn't sent because this homeserver has been blocked by its administrator. Please contact your service administrator to continue using the service.": "Mesazhi juaj s’u dërgua, ngaqë ky shërbyes Home është bllokuar nga përgjegjësi i tij. Ju lutemi, që të vazhdoni ta përdorni këtë shërbim, lidhuni me përgjegjësin e shërbimit tuaj.", - "Resent!": "U ridërgua!", - "Did not receive it? Resend it": "S’e morët? Ridërgoje", "Unread email icon": "Ikonë email-esh të palexuar", - "Check your email to continue": "Ju lutemi, që të vazhdohet, kontrolloni email-in tuaj", "An error occurred whilst sharing your live location, please try again": "Ndodhi një gabim teksa tregohej vendndodhja juaj aty për aty, ju lutemi, riprovoni", "Live location enabled": "Vendndodhje aty për aty e aktivizuar", "An error occurred whilst sharing your live location": "Ndodhi një gabim teksa tregohej vendndodhja juaj “live”", @@ -1900,8 +1762,6 @@ "Show: %(instance)s rooms (%(server)s)": "Shfaq: Dhoma %(instance)s (%(server)s)", "Add new server…": "Shtoni shërbyes të ri…", "Remove server “%(roomServer)s”": "Hiqe shërbyesin “%(roomServer)s”", - "Click to read topic": "Që të lexoni subjketin, klikojeni", - "Edit topic": "Përpunoni subjektin", "Un-maximise": "Çmaksimizoje", "View live location": "Shihni vendndodhje aty për aty", "Ban from room": "Dëboje nga dhomë", @@ -1933,7 +1793,6 @@ "Connection lost": "Humbi lidhja", "If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "Nëse doni ta mbani mundësinë e përdorimit të historikut të fjalosjeve tuaja në dhoma të fshehtëzuara, ujdisni Kopjeruajtje Kyçesh, ose eksportoni kyçet tuaj të mesazheve prej një nga pajisjet tuaja të tjera, para se të ecni më tej.", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Dalja nga pajisjet tuaja do të fshijë kyçet e fshehtëzimit të mesazheve të ruajtur në to, duke e bërë të palexueshëm historikun e mesazheve të fshehtëzuar.", - "To create your account, open the link in the email we just sent to %(emailAddress)s.": "Që të krijoni llogarinë tuaj, hapni lidhjen te email-i që sapo dërguam për %(emailAddress)s.", "Stop and close": "Resht dhe mbylle", "Live until %(expiryTime)s": "“Live” deri më %(expiryTime)s", "You cannot search for rooms that are neither a room nor a space": "S’mund të kërkoni për dhoma që s’janë as dhomë, as hapësirë", @@ -1956,7 +1815,6 @@ "To view, please enable video rooms in Labs first": "Për të parë, ju lutemi, së pari aktivizoni te Labs dhoma me video", "Join the room to participate": "Që të merrni pjesë, hyni në dhomë", "Saved Items": "Zëra të Ruajtur", - "Spell check": "Kontroll drejtshkrimi", "You were disconnected from the call. (Error: %(message)s)": "U shkëputët nga thirrja. (Gabim: %(message)s)", "In %(spaceName)s and %(count)s other spaces.": { "one": "Në %(spaceName)s dhe %(count)s hapësirë tjetër.", @@ -2050,10 +1908,6 @@ "We were unable to start a chat with the other user.": "S’qemë në gjendje të nisim një bisedë me përdoruesin tjetër.", "Error starting verification": "Gabim në nisje verifikimi", "WARNING: ": "KUJDES: ", - "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.": "Ndiheni eksperimentues? Provoni idetë tona më të reja në zhvillim. Këto veçori s’janë të përfunduara; mund të jenë të paqëndrueshme, mund të ndryshojnë, ose mund të braktisen faqe. Mësoni më tepër.", - "Early previews": "Paraparje të hershme", - "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "Ç’vjen më pas për %(brand)s? Labs janë mënyra më e mirë për t’i pasur gjërat që herët, për të testuar veçori të reja dhe për të ndihmuar t’u jepet formë para se të hidhen faktikisht në qarkullim.", - "Upcoming features": "Veçori të ardhshme", "You have unverified sessions": "Keni sesioni të paverifikuar", "Change layout": "Ndryshoni skemë", "Search users in this room…": "Kërkoni për përdorues në këtë dhomë…", @@ -2073,11 +1927,8 @@ "Can't start voice message": "S’niset dot mesazh zanor", "Edit link": "Përpunoni lidhje", "%(senderName)s started a voice broadcast": "%(senderName)s nisi një transmetim zanor", - "Registration token": "Token regjistrimi", - "Enter a registration token provided by the homeserver administrator.": "Jepni një token regjistrimi dhënë nga përgjegjësi i shërbyesit Home.", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Krejt mesazhet dhe ftesat prej këtij përdoruesi do të fshihen. Jeni i sigurt se doni të shpërfillet?", "Ignore %(user)s": "Shpërfille %(user)s", - "Manage account": "Administroni llogari", "Your account details are managed separately at %(hostname)s.": "Hollësitë e llogarisë tuaj administrohen ndarazi te %(hostname)s.", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", "unknown": "e panjohur", @@ -2089,7 +1940,6 @@ "Starting backup…": "Po fillohet kopjeruajtje…", "Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Kujdes: të dhënat tuaja personale (përfshi kyçe fshehtëzimi) janë ende të depozituara në këtë sesion. Spastrojini, nëse keni përfunduar së përdoruri këtë sesion, ose dëshironi të bëni hyrjen në një tjetër llogari.", "Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Ju lutemi, ecni më tej vetëm nëse jeni i sigurt se keni humbur krejt pajisjet tuaja të tjera dhe Kyçin tuaj të Sigurisë.", - "Keep going…": "Vazhdoni…", "Connecting…": "Po lidhet…", "Scan QR code": "Skanoni kodin QR", "Select '%(scanQRCode)s'": "Përzgjidhni “%(scanQRCode)s”", @@ -2100,18 +1950,13 @@ "Checking…": "Po kontrollohet…", "Waiting for partner to confirm…": "Po pritet ripohimi nga partneri…", "Adding…": "Po shtohet…", - "Write something…": "Shkruani diçka…", "Declining…": "Po hidhet poshtë…", "Rejecting invite…": "Po hidhet poshtë ftesa…", "Joining room…": "Po hyhet në dhomë…", "Joining space…": "Po hyhet në hapësirë…", "Encrypting your message…": "Po fshehtëzohet meszhi juaj…", "Sending your message…": "Po dërgohet mesazhi juaj…", - "Warning: upgrading a room will not automatically migrate room members to the new version of the room. We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.": "Kujdes: Përmirësimi i një dhome s’do të shkaktojë migrim vetvetiu të anëtarëve të dhomës te versioni i ri i saj. Do të postojmë në versionin e vjetër të dhomës një lidhje për te dhoma e re - anëtarëve të dhomës do t’u duhet të klikojnë mbi këtë lidhje, që të bëhen pjesë e dhomës së re.", - "Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named '%(myBanList)s' - stay in this room to keep the ban list in effect.": "Lista juaj personale e dëbimeve mban krejt përdoruesit/shërbyesit prej të cilëve ju personalisht s’dëshironi të shihni mesazhe. Pas shpërfilljes së përdoruesit/shërbyesit tuaj të parë, te lista juaj e dhomave do të shfaqet një dhomë e re e quajtur “%(myBanList)s” - që ta mbani listën e dëbimeve në fuqi, qëndroni i futur në këtë dhomë.", "Set a new account password…": "Caktoni një fjalëkalim të ri llogarie…", - "Downloading update…": "Po shkarkohet përditësim…", - "Checking for an update…": "Po kontrollohet për një përditësim…", "Backing up %(sessionsRemaining)s keys…": "Po kopjeruhen kyçet për %(sessionsRemaining)s…", "This session is backing up your keys.": "Kjo sesion po bën kopjeruajtje të kyçeve tuaja.", "Connecting to integration manager…": "Po lidhet me përgjegjës integrimesh…", @@ -2177,7 +2022,6 @@ "Error changing password": "Gabim në ndryshim fjalëkalimi", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (gjendje HTTP %(httpStatus)s)", "Unknown password change error (%(stringifiedError)s)": "Gabim i panjohur ndryshimi fjalëkalimi (%(stringifiedError)s)", - "Error while changing password: %(error)s": "Gabim teksa ndryshohej fjalëkalimi: %(error)s", "No identity access token found": "S’u gjet token hyrjeje identiteti", "Identity server not set": "Shërbyes identitetesh i paujdisur", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Pa një shërbyes identitetesh, s’mund të ftohet përdorues përmes email-i. Me një të tillë mund të lidheni që prej “Rregullimeve”.", @@ -2462,7 +2306,15 @@ "sliding_sync_disable_warning": "Për ta çaktivizuar do t’ju duhet të bëni daljen dhe ribëni hyrjen, përdoreni me kujdes!", "sliding_sync_proxy_url_optional_label": "URL ndërmjetësi (opsionale)", "sliding_sync_proxy_url_label": "URL Ndërmjetësi", - "video_rooms_beta": "Dhomat me video janë një veçori në fazë beta" + "video_rooms_beta": "Dhomat me video janë një veçori në fazë beta", + "bridge_state_creator": "Kjo urë është dhënë nga .", + "bridge_state_manager": "Kjo urë administrohet nga .", + "bridge_state_workspace": "Hapësirë pune: ", + "bridge_state_channel": "Kanal: ", + "beta_section": "Veçori të ardhshme", + "beta_description": "Ç’vjen më pas për %(brand)s? Labs janë mënyra më e mirë për t’i pasur gjërat që herët, për të testuar veçori të reja dhe për të ndihmuar t’u jepet formë para se të hidhen faktikisht në qarkullim.", + "experimental_section": "Paraparje të hershme", + "experimental_description": "Ndiheni eksperimentues? Provoni idetë tona më të reja në zhvillim. Këto veçori s’janë të përfunduara; mund të jenë të paqëndrueshme, mund të ndryshojnë, ose mund të braktisen faqe. Mësoni më tepër." }, "keyboard": { "home": "Kreu", @@ -2795,7 +2647,26 @@ "record_session_details": "Regjistro emrin, versionin dhe URL-në e klientit, për të dalluar më kollaj sesionet te përgjegjës sesionesh", "strict_encryption": "Mos dërgo kurrë prej këtij sesioni mesazhe të fshehtëzuar te sesione të paverifikuar", "enable_message_search": "Aktivizo kërkim mesazhesh në dhoma të fshehtëzuara", - "manually_verify_all_sessions": "Verifikoni dorazi krejt sesionet e largët" + "manually_verify_all_sessions": "Verifikoni dorazi krejt sesionet e largët", + "cross_signing_public_keys": "Kyçe publikë për cross-signing:", + "cross_signing_in_memory": "në kujtesë", + "cross_signing_not_found": "s’u gjet", + "cross_signing_private_keys": "Kyçe privatë për cross-signing:", + "cross_signing_in_4s": "në depozitë të fshehtë", + "cross_signing_not_in_4s": "s’u gjet në depozitë", + "cross_signing_master_private_Key": "Kyç privat i përgjithshëm:", + "cross_signing_cached": "ruajtur në fshehtinë lokalisht", + "cross_signing_not_cached": "i pagjetur lokalisht", + "cross_signing_self_signing_private_key": "Kyç privat vetënënshkrimi:", + "cross_signing_user_signing_private_key": "Kyç privat nënshkrimesh përdoruesi:", + "cross_signing_homeserver_support": "Mbulim veçorish nga shërbyesi Home:", + "cross_signing_homeserver_support_exists": "ekziston", + "export_megolm_keys": "Eksporto kyçe dhome E2E", + "import_megolm_keys": "Importo kyçe E2E dhome", + "cryptography_section": "Kriptografi", + "session_id": "ID sesioni:", + "session_key": "Kyç sesioni:", + "encryption_section": "Fshehtëzim" }, "preferences": { "room_list_heading": "Listë dhomash", @@ -2910,6 +2781,12 @@ }, "security_recommendations": "Rekomandime sigurie", "security_recommendations_description": "Përmirësoni sigurinë e llogarisë tuaj duke ndjekur këto rekomandime." + }, + "general": { + "oidc_manage_button": "Administroni llogari", + "account_section": "Llogari", + "language_section": "Gjuhë dhe rajon", + "spell_check_section": "Kontroll drejtshkrimi" } }, "devtools": { @@ -3004,7 +2881,8 @@ "low_bandwidth_mode": "Mënyra gjerësi e ulët bande", "developer_mode": "Mënyra zhvillues", "view_source_decrypted_event_source": "U shfshehtëzua burim veprimtarie", - "view_source_decrypted_event_source_unavailable": "Burim i shfshehtëzuar jo i passhëm" + "view_source_decrypted_event_source_unavailable": "Burim i shfshehtëzuar jo i passhëm", + "original_event_source": "Burim i veprimtarisë origjinale" }, "export_chat": { "html": "HTML", @@ -3625,6 +3503,17 @@ "url_preview_encryption_warning": "Në dhoma të fshehtëzuara, si kjo, paraparja e URL-ve është e çaktivizuar, si parazgjedhje, për të garantuar që shërbyesi juaj home (ku edhe prodhohen paraparjet) të mos grumbullojë të dhëna rreth lidhjesh që shihni në këtë dhomë.", "url_preview_explainer": "Kur dikush vë një URL në mesazh, për të dhënë rreth lidhjes më tepër të dhëna, të tilla si titulli, përshkrimi dhe një figurë e sajtit, do të shfaqet një paraparje e URL-së.", "url_previews_section": "Paraparje URL-sh" + }, + "advanced": { + "unfederated": "Kjo dhomë nuk është e përdorshme nga shërbyes Matrix të largët", + "room_upgrade_warning": "Kujdes: Përmirësimi i një dhome s’do të shkaktojë migrim vetvetiu të anëtarëve të dhomës te versioni i ri i saj. Do të postojmë në versionin e vjetër të dhomës një lidhje për te dhoma e re - anëtarëve të dhomës do t’u duhet të klikojnë mbi këtë lidhje, që të bëhen pjesë e dhomës së re.", + "space_upgrade_button": "Përmirësojeni këtë hapësirë me versionin e rekomanduar të dhomës", + "room_upgrade_button": "Përmirësojeni këtë dhomë me versionin e rekomanduar të dhomës", + "space_predecessor": "Shihni version më të vjetër të %(spaceName)s.", + "room_predecessor": "Shihni mesazhe më të vjetër në %(roomName)s.", + "room_id": "ID e brendshme dhome", + "room_version_section": "Version dhome", + "room_version": "Version dhome:" } }, "encryption": { @@ -3640,8 +3529,22 @@ "sas_prompt": "Krahasoni emoji unik", "sas_description": "Krahasoni një grup unik emoji-sh, nëse s’keni kamera në njërën nga pajisjet", "qr_or_sas": "%(qrCode)s ose %(emojiCompare)s", - "qr_or_sas_header": "Verifikoni këtë pajisje duke plotësuar një nga sa vijon:" - } + "qr_or_sas_header": "Verifikoni këtë pajisje duke plotësuar një nga sa vijon:", + "explainer": "Mesazhet e sigurt me këtë përdorues fshehtëzohen skaj-më-skaj dhe të palexueshëm nga palë të treta.", + "complete_action": "E Mora Vesh", + "sas_emoji_caption_self": "Ripohoni se emoji-t më poshtë shfaqen në të dyja pajisjet, sipas të njëjtës radhë:", + "sas_emoji_caption_user": "Verifikojeni këtë përdorues duke ripohuar shfaqjen e emoji-t vijues në skenën e tyre.", + "sas_caption_self": "Verifikoni këtë pajisje duke ripohuar se numri vijues shfaqet në ekranin e saj.", + "sas_caption_user": "Verifikojeni këtë përdorues duke ripohuar shfaqjen e numrit vijues në skenën e tyre.", + "unsupported_method": "S’arrihet të gjendet metodë verifikimi e mbuluar.", + "waiting_other_device_details": "Po pritet që ju të verifikoni në pajisjen tuaj tjetër, %(deviceName)s (%(deviceId)s)…", + "waiting_other_device": "Po pritet që ju të verifikoni në pajisjen tuaj tjetër…", + "waiting_other_user": "Po pritet për %(displayName)s të verifikojë…", + "cancelling": "Po anulohet…" + }, + "old_version_detected_title": "U pikasën të dhëna kriptografie të vjetër", + "old_version_detected_description": "Janë pikasur të dhëna nga një version i dikurshëm i %(brand)s-it. Kjo do të bëjë që kriptografia skaj-më-skaj te versioni i dikurshëm të mos punojë si duhet. Mesazhet e fshehtëzuar skaj-më-skaj tani së fundi teksa përdorej versioni i dikurshëm mund të mos jenë të shfshehtëzueshëm në këtë version. Kjo mund bëjë edhe që mesazhet e shkëmbyera me këtë version të dështojnë. Nëse ju dalin probleme, bëni daljen dhe rihyni në llogari. Që të ruhet historiku i mesazheve, eksportoni dhe riimportoni kyçet tuaj.", + "verification_requested_toast_title": "U kërkua verifikim" }, "emoji": { "category_frequently_used": "Përdorur Shpesh", @@ -3755,7 +3658,51 @@ "phone_optional_label": "Telefoni (në daçi)", "email_help_text": "Shtoni një email, që të jeni në gjendje të ricaktoni fjalëkalimin tuaj.", "email_phone_discovery_text": "Përdorni email ose telefon që, nëse doni, të mund t’ju gjejnë kontaktet ekzistues.", - "email_discovery_text": "Përdorni email që, nëse doni, të mund t’ju gjejnë kontaktet ekzistues." + "email_discovery_text": "Përdorni email që, nëse doni, të mund t’ju gjejnë kontaktet ekzistues.", + "session_logged_out_title": "I dalë", + "session_logged_out_description": "Për hir të sigurisë, është bërë dalja nga ky sesion. Ju lutemi, ribëni hyrjen.", + "change_password_error": "Gabim teksa ndryshohej fjalëkalimi: %(error)s", + "change_password_mismatch": "Fjalëkalimet e reja s’përputhen", + "change_password_empty": "Fjalëkalimet s’mund të jenë të zbrazët", + "set_email_prompt": "Doni të caktoni një adresë email?", + "change_password_confirm_label": "Ripohoni frazëkalimin", + "change_password_confirm_invalid": "Fjalëkalimet s’përputhen", + "change_password_current_label": "Fjalëkalimi i tanishëm", + "change_password_new_label": "Fjalëkalim i Ri", + "change_password_action": "Ndryshoni Fjalëkalimin", + "email_field_label": "Email", + "email_field_label_required": "Jepni adresë email-i", + "email_field_label_invalid": "S’duket si adresë email e vlefshme", + "uia": { + "password_prompt": "Ripohoni identitetin tuaj duke dhënë më poshtë fjalëkalimin e llogarisë tuaj.", + "recaptcha_missing_params": "Mungon kyç publik captcha-je te formësimi i shërbyesit Home. Ju lutemi, njoftojani këtë përgjegjësit të shërbyesit tuaj Home.", + "terms_invalid": "Ju lutemi, shqyrtoni dhe pranoni krejt rregullat e këtij shërbyesi home", + "terms": "Ju lutemi, shqyrtoni dhe pranoni rregullat e këtij shërbyesi home:", + "email_auth_header": "Ju lutemi, që të vazhdohet, kontrolloni email-in tuaj", + "email": "Që të krijoni llogarinë tuaj, hapni lidhjen te email-i që sapo dërguam për %(emailAddress)s.", + "email_resend_prompt": "S’e morët? Ridërgoje", + "email_resent": "U ridërgua!", + "msisdn_token_incorrect": "Token i pasaktë", + "msisdn": "Te %(msisdn)s u dërgua një mesazh tekst", + "msisdn_token_prompt": "Ju lutemi, jepni kodin që përmbahet:", + "registration_token_prompt": "Jepni një token regjistrimi dhënë nga përgjegjësi i shërbyesit Home.", + "registration_token_label": "Token regjistrimi", + "sso_failed": "Diç shkoi ters me ripohimin e identitetit tuaj. Anulojeni dhe riprovoni.", + "fallback_button": "Fillo mirëfilltësim" + }, + "password_field_label": "Jepni fjalëkalim", + "password_field_strong_label": "Bukur, fjalëkalim i fortë!", + "password_field_weak_label": "Fjalëkalimi është i lejuar, por jo i parrezik", + "password_field_keep_going_prompt": "Vazhdoni…", + "username_field_required_invalid": "Jepni emër përdoruesi", + "msisdn_field_required_invalid": "Jepni numër telefoni", + "msisdn_field_number_invalid": "Ai numër telefoni s’duket i saktë, ju lutemi, rikontrollojeni dhe riprovojeni", + "msisdn_field_label": "Telefon", + "identifier_label": "Hyni me", + "reset_password_email_field_description": "Përdorni një adresë email që të rimerrni llogarinë tuaj", + "reset_password_email_field_required_invalid": "Jepni adresë email (e domosdoshme në këtë shërbyes Home)", + "msisdn_field_description": "Përdorues të tjerë mund t’ju ftojnë te dhoma duke përdorur hollësitë tuaja për kontakt", + "registration_msisdn_field_required_invalid": "Jepni numër telefoni (e domosdoshme në këtë shërbyes Home)" }, "room_list": { "sort_unread_first": "Së pari shfaq dhoma me mesazhe të palexuar", @@ -3947,7 +3894,13 @@ "see_changes_button": "Ç’ka të re?", "release_notes_toast_title": "Ç’ka të Re", "toast_title": "Përditësoni %(brand)s", - "toast_description": "Ka gati një version të ri të %(brand)s" + "toast_description": "Ka gati një version të ri të %(brand)s", + "error_encountered": "U has gabim (%(errorDetail)s).", + "checking": "Po kontrollohet për një përditësim…", + "no_update": "S’ka përditësim gati.", + "downloading": "Po shkarkohet përditësim…", + "new_version_available": "Version i ri gati. Përditësojeni tani.", + "check_action": "Kontrollo për përditësime" }, "threads": { "all_threads": "Krejt rrjedhat", @@ -3998,7 +3951,35 @@ }, "labs_mjolnir": { "room_name": "Lista Ime e Dëbimeve", - "room_topic": "Kjo është lista juaj e përdoruesve/shërbyesve që keni bllokuar - mos dilni nga dhoma!" + "room_topic": "Kjo është lista juaj e përdoruesve/shërbyesve që keni bllokuar - mos dilni nga dhoma!", + "ban_reason": "Të shpërfillur/Të bllokuar", + "error_adding_ignore": "Gabim shtimi përdoruesi/shërbyesi të shpërfillur", + "something_went_wrong": "Diç shkoi ters. Ju lutemi, riprovoni ose, për ndonjë ide, shihni konsolën tuaj.", + "error_adding_list_title": "Gabim pajtimi te lista", + "error_adding_list_description": "Ju lutemi, verifikoni ID-në ose adresën e dhomës dhe riprovoni.", + "error_removing_ignore": "Gabim në heqje përdoruesi/shërbyes të shpërfillur", + "error_removing_list_title": "Gabim shpajtimi nga lista", + "error_removing_list_description": "Ju lutemi, riprovoni, ose shihni konsolën tuaj, për ndonjë ide.", + "rules_title": "Rregulla liste dëbimesh - %(roomName)s", + "rules_server": "Rregulla shërbyesi", + "rules_user": "Rregulla përdoruesi", + "personal_empty": "S’keni shpërfillur ndonjë.", + "personal_section": "Aktualisht shpërfillni:", + "no_lists": "S’jeni pajtuar te ndonjë listë", + "view_rules": "Shihni rregulla", + "lists": "Jeni i pajtuar te:", + "title": "Përdorues të shpërfillur", + "advanced_warning": "⚠ Këto rregullime janë menduar për përdorues të përparuar.", + "explainer_1": "Shtoni këtu përdorues dhe shërbyes që doni të shpërfillen. Që %(brand)s të kërkojë për përputhje me çfarëdo shkronjash, përdorni yllthin. Për shembull, @bot:* do të shpërfillë krej përdoruesit që kanë emrin 'bot' në çfarëdo shërbyesi.", + "explainer_2": "Shpërfillja e personave kryhet përmes listash dëbimi, të cilat përmbajnë rregulla se cilët të dëbohen. Pajtimi te një listë dëbimesh do të thotë se përdoruesit/shërbyesit e bllokuar nga ajo listë do t’ju fshihen juve.", + "personal_heading": "Listë personale dëbimesh", + "personal_description": "Lista juaj personale e dëbimeve mban krejt përdoruesit/shërbyesit prej të cilëve ju personalisht s’dëshironi të shihni mesazhe. Pas shpërfilljes së përdoruesit/shërbyesit tuaj të parë, te lista juaj e dhomave do të shfaqet një dhomë e re e quajtur “%(myBanList)s” - që ta mbani listën e dëbimeve në fuqi, qëndroni i futur në këtë dhomë.", + "personal_new_label": "Shërbyes ose ID përdoruesi për t’u shpërfillur", + "personal_new_placeholder": "p.sh.: @bot:* ose example.org", + "lists_heading": "Lista me pajtim", + "lists_description_1": "Pajtimi te një listë dëbimesh do të shkaktojë pjesëmarrjen tuaj në të!", + "lists_description_2": "Nëse kjo s’është ajo çka doni, ju lutemi, përdorni një tjetër mjet për të shpërfillur përdorues.", + "lists_new_label": "ID dhome ose adresë prej liste ndalimi" }, "create_space": { "name_required": "Ju lutemi, jepni një emër për hapësirën", @@ -4063,6 +4044,12 @@ "private_unencrypted_warning": "Mesazhet tuaja private normalisht fshehtëzohen, por kjo dhomë s’fshehtëzohet. Zakonisht kjo vjen për shkak të përdorimit të një pajisjeje ose metode të pambuluar, bie fjala, ftesa me email.", "enable_encryption_prompt": "Aktivizoni fshehtëzimin te rregullimet.", "unencrypted_warning": "Fshehtëzimi skaj-më-skaj s’është i aktivizuar" + }, + "edit_topic": "Përpunoni subjektin", + "read_topic": "Që të lexoni subjketin, klikojeni", + "unread_notifications_predecessor": { + "other": "Keni %(count)s njoftime të palexuar në një version të mëparshëm të kësaj dhome.", + "one": "Keni %(count)s njoftim të palexuar në një version të mëparshëm të kësaj dhome." } }, "file_panel": { @@ -4077,9 +4064,31 @@ "intro": "Që të vazhdohet, lypset të pranoni kushtet e këtij shërbimi.", "column_service": "Shërbim", "column_summary": "Përmbledhje", - "column_document": "Dokument" + "column_document": "Dokument", + "tac_title": "Terma dhe Kushte", + "tac_description": "Që të vazhdohet të përdoret shërbyesi home %(homeserverDomain)s, duhet të shqyrtoni dhe pajtoheni me termat dhe kushtet.", + "tac_button": "Shqyrtoni terma & kushte" }, "space_settings": { "title": "Rregullime - %(spaceName)s" + }, + "poll": { + "create_poll_title": "Krijoni anketim", + "create_poll_action": "Krijoni Pyetësor", + "edit_poll_title": "Përpunoni pyetësor", + "failed_send_poll_title": "S’u arrit të postohej anketimi", + "failed_send_poll_description": "Na ndjeni, anketimi që provuat të krijoni s’u postua dot.", + "type_heading": "Lloj pyetësori", + "type_open": "Pyetësor i hapur", + "type_closed": "Pyetësor i mbyllur", + "topic_heading": "Cila është pyetja, ose tema e pyetësorit tuaj?", + "topic_label": "Pyetje ose temë", + "topic_placeholder": "Shkruani diçka…", + "options_heading": "Krijoni mundësi", + "options_label": "Mundësia %(number)s", + "options_placeholder": "Shkruani një mundësi", + "options_add_button": "Shtoni mundësi", + "disclosed_notes": "Votuesit shohin përfundimet sapo të kenë votuar", + "notes": "Përfundimet shfaqen vetëm kur të përfundoni pyetësorin" } } diff --git a/src/i18n/strings/sr.json b/src/i18n/strings/sr.json index 3436f6dd10..b10e4d17aa 100644 --- a/src/i18n/strings/sr.json +++ b/src/i18n/strings/sr.json @@ -63,16 +63,7 @@ "Not a valid %(brand)s keyfile": "Није исправана %(brand)s кључ-датотека", "Authentication check failed: incorrect password?": "Провера идентитета није успела: нетачна лозинка?", "Incorrect verification code": "Нетачни потврдни код", - "Phone": "Телефон", "No display name": "Нема приказног имена", - "New passwords don't match": "Нове лозинке се не подударају", - "Passwords can't be empty": "Лозинке не могу бити празне", - "Export E2E room keys": "Извези E2E кључеве собе", - "Do you want to set an email address?": "Да ли желите да поставите мејл адресу?", - "Current password": "Тренутна лозинка", - "New Password": "Нова лозинка", - "Confirm password": "Потврди лозинку", - "Change Password": "Промени лозинку", "Authentication": "Идентификација", "Failed to set display name": "Нисам успео да поставим приказно име", "Unban": "Скини забрану", @@ -115,7 +106,6 @@ "Banned by %(displayName)s": "Приступ забранио %(displayName)s", "unknown error code": "непознати код грешке", "Failed to forget room %(errCode)s": "Нисам успео да заборавим собу %(errCode)s", - "This room is not accessible by remote Matrix servers": "Ова соба није доступна са удаљених Матрикс сервера", "Favourite": "Омиљено", "Jump to first unread message.": "Скочи на прву непрочитану поруку.", "not specified": "није наведено", @@ -130,11 +120,6 @@ "Failed to copy": "Нисам успео да ископирам", "Add an Integration": "Додај уградњу", "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Бићете пребачени на сајт треће стране да бисте се идентификовали са својим налогом зарад коришћења уградње %(integrationsUrl)s. Да ли желите да наставите?", - "Token incorrect": "Жетон је нетачан", - "A text message has been sent to %(msisdn)s": "Текстуална порука је послата на %(msisdn)s", - "Please enter the code it contains:": "Унесите код који се налази у њој:", - "Start authentication": "Започните идентификацију", - "Sign in with": "Пријавите се преко", "Email address": "Мејл адреса", "Something went wrong!": "Нешто је пошло наопако!", "Delete Widget": "Обриши виџет", @@ -170,12 +155,8 @@ "Are you sure you want to reject the invitation?": "Да ли сте сигурни да желите одбити позивницу?", "Failed to reject invitation": "Нисам успео да одбијем позивницу", "Are you sure you want to leave the room '%(roomName)s'?": "Да ли сте сигурни да желите напустити собу „%(roomName)s“?", - "Signed Out": "Одјављен", - "For security, this session has been signed out. Please sign in again.": "Зарад безбедности, одјављени сте из ове сесије. Пријавите се поново.", - "Old cryptography data detected": "Нађени су стари криптографски подаци", "In reply to ": "Као одговор за ", "This room is not public. You will not be able to rejoin without an invite.": "Ова соба није јавна. Нећете моћи да поново приступите без позивнице.", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Подаци из старијег издања %(brand)s-а су нађени. Ово ће узроковати лош рад шифровања с краја на крај у старијем издању. Размењене поруке које су шифроване с краја на крај у старијем издању је можда немогуће дешифровати у овом издању. Такође, ово може узроковати неуспешно размењивање порука са овим издањем. Ако доживите проблеме, одјавите се и пријавите се поново. Да бисте задржали историјат поруке, извезите па поново увезите ваше кључеве.", "Connectivity to the server has been lost.": "Веза ка серверу је прекинута.", "Sent messages will be stored until your connection has returned.": "Послате поруке биће сачуване док се веза не успостави поново.", "You seem to be uploading files, are you sure you want to quit?": "Изгледа да отпремате датотеке. Да ли сте сигурни да желите изаћи?", @@ -195,19 +176,14 @@ "Failed to change password. Is your password correct?": "Нисам успео да променим лозинку. Да ли је ваша лозинка тачна?", "Unable to remove contact information": "Не могу да уклоним контакт податке", "": "<није подржано>", - "Import E2E room keys": "Увези E2E кључеве собе", - "Cryptography": "Криптографија", - "Check for update": "Провери да ли има ажурирања", "Reject all %(invitedRooms)s invites": "Одбиј све позивнице за собе %(invitedRooms)s", "No media permissions": "Нема овлашћења за медије", "You may need to manually permit %(brand)s to access your microphone/webcam": "Можда ћете морати да ручно доделите овлашћења %(brand)s-у за приступ микрофону/веб камери", "No Microphones detected": "Нема уочених микрофона", "No Webcams detected": "Нема уочених веб камера", "Default Device": "Подразумевани уређај", - "Email": "Мејл", "Notifications": "Обавештења", "Profile": "Профил", - "Account": "Налог", "A new password must be entered.": "Морате унети нову лозинку.", "New passwords must match each other.": "Нове лозинке се морају подударати.", "Return to login screen": "Врати ме на екран за пријаву", @@ -234,7 +210,6 @@ "Unavailable": "Недоступан", "Source URL": "Адреса извора", "Filter results": "Филтрирај резултате", - "No update available.": "Нема нових ажурирања.", "Search…": "Претрага…", "Tuesday": "Уторак", "Saturday": "Субота", @@ -246,7 +221,6 @@ "You cannot delete this message. (%(code)s)": "Не можете обрисати ову поруку. (%(code)s)", "Thursday": "Четвртак", "Yesterday": "Јуче", - "Error encountered (%(errorDetail)s).": "Догодила се грешка (%(errorDetail)s).", "Low Priority": "Најмања важност", "Thank you!": "Хвала вам!", "Popout widget": "Виџет за искакање", @@ -262,9 +236,6 @@ "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Не могу да учитам догађај на који је послат одговор, или не постоји или немате овлашћење да га погледате.", "Can't leave Server Notices room": "Не могу да напустим собу са напоменама сервера", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Ова соба се користи за важне поруке са сервера. Не можете напустити ову собу.", - "Terms and Conditions": "Услови коришћења", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Да наставите са коришћењем сервера %(homeserverDomain)s морате погледати и пристати на наше услове коришћења.", - "Review terms and conditions": "Погледај услове коришћења", "Share Link to User": "Подели везу са корисником", "Share room": "Подели собу", "Share Room": "Подели собу", @@ -299,11 +270,9 @@ "Cannot connect to integration manager": "Не могу се повезати на управника уградњи", "Email addresses": "Мејл адресе", "Phone numbers": "Бројеви телефона", - "Language and region": "Језик и област", "General": "Опште", "Discovery": "Откриће", "None": "Ништа", - "Encryption": "Шифровање", "Discovery options will appear once you have added an email above.": "Опције откривања појавиће се након што додате мејл адресу изнад.", "Discovery options will appear once you have added a phone number above.": "Опције откривања појавиће се након што додате број телефона изнад.", "Email Address": "Е-адреса", @@ -334,7 +303,6 @@ "Resend %(unsentCount)s reaction(s)": "Поново пошаљи укупно %(unsentCount)s реакција", "All settings": "Сва подешавања", "General failure": "Општа грешка", - "Got It": "Разумем", "Light bulb": "сијалица", "Voice & Video": "Глас и видео", "Unable to revoke sharing for email address": "Не могу да опозовем дељење ове мејл адресе", @@ -708,7 +676,6 @@ "Lion": "лав", "Cat": "мачка", "Dog": "Пас", - "Cancelling…": "Отказујем…", "You may want to try a different search or check for typos.": "Можда ћете желети да испробате другачију претрагу или да проверите да ли имате правописне грешке.", "This version of %(brand)s does not support searching encrypted messages": "Ова верзија %(brand)s с не подржава претраживање шифрованих порука", "Cancel search": "Откажи претрагу", @@ -723,7 +690,6 @@ "Share this email in Settings to receive invites directly in %(brand)s.": "Поделите ову е-пошту у подешавањима да бисте директно добијали позиве у %(brand)s.", "Use an identity server in Settings to receive invites directly in %(brand)s.": "Користите сервер за идентитет у Подешавањима за директно примање позивница %(brand)s.", "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Повежите ову е-пошту са својим налогом у Подешавањима да бисте директно добијали позиве у %(brand)s.", - "⚠ These settings are meant for advanced users.": "⚠ Ова подешавања су намењена напредним корисницима.", "Change notification settings": "Промените подешавања обавештења", "Verification code": "Верификациони код", "Please enter verification code sent via text.": "Унесите верификациони код послат путем текста.", @@ -744,23 +710,7 @@ "Ensure you have a stable internet connection, or get in touch with the server admin": "Уверите се да имате стабилну интернет везу или контактирајте администратора сервера", "Couldn't load page": "Учитавање странице није успело", "Sign in with SSO": "Пријавите се помоћу SSO", - "Enter phone number (required on this homeserver)": "Унесите број телефона (захтева на овом кућном серверу)", - "Other users can invite you to rooms using your contact details": "Други корисници могу да вас позову у собе користећи ваше контакт податке", - "Enter email address (required on this homeserver)": "Унесите адресу е-поште (захтева на овом кућном серверу)", - "Use an email address to recover your account": "Користите адресу е-поште за опоравак налога", - "That phone number doesn't look quite right, please check and try again": "Тај телефонски број не изгледа сасвим у реду, проверите и покушајте поново", - "Enter phone number": "Унесите број телефона", - "Enter email address": "Унесите адресу е-поште", - "Enter username": "Унесите корисничко име", - "Password is allowed, but unsafe": "Лозинка је дозвољена, али небезбедна", - "Nice, strong password!": "Лепа, јака лозинка!", - "Enter password": "Унесите лозинку", - "Something went wrong in confirming your identity. Cancel and try again.": "Нешто је пошло по наопако у потврђивању вашег идентитета. Откажите и покушајте поново.", "Kosovo": "/", - "Please review and accept the policies of this homeserver:": "Молимо вас да прегледате и прихватите смернице овог кућног сервера:", - "Please review and accept all of the homeserver's policies": "Молимо вас да прегледате и прихватите све смернице кућног сервера", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Недостаје јавни кључ captcha-е у конфигурацији матичног сервера. Молимо пријавите ово администратору кућног сервера.", - "Confirm your identity by entering your account password below.": "Потврдите свој идентитет уносом лозинке за налог испод.", "Country Dropdown": "Падајући списак земаља", "This homeserver would like to make sure you are not a robot.": "Овај кућни сервер жели да се увери да нисте робот.", "End": "", @@ -772,7 +722,6 @@ "Your server": "Ваш сервер", "This room is public": "Ова соба је јавна", "Browse": "Прегледајте", - "User rules": "Корисничка правила", "Use the Desktop app to see all encrypted files": "Користи десктоп апликација да видиш све шифроване датотеке", "This widget may use cookies.": "Овај виџет може користити колачиће.", "Widget added by": "Додао је виџет", @@ -782,7 +731,6 @@ "%(brand)s URL": "%(brand)s УРЛ", "Your user ID": "Ваша корисничка ИД", "Your display name": "Ваше име за приказ", - "exists": "постоји", "Not Trusted": "Није поуздано", "Ask this user to verify their session, or manually verify it below.": "Питајте овог корисника да потврди његову сесију или ручно да потврди у наставку.", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) се улоговао у нову сесију без потврђивања:", @@ -1006,13 +954,22 @@ "message_search_disable_warning": "Ако је искључено, поруке из шифрованих соба неће се приказивати у резултатима.", "message_search_intro": "%(brand)s је локално сигурно кешира шифроване поруке да би се појавиле у резултатима претраге:", "send_analytics": "Пошаљи аналитичке податке", - "enable_message_search": "Омогућите претрагу порука у шифрованим собама" + "enable_message_search": "Омогућите претрагу порука у шифрованим собама", + "cross_signing_homeserver_support_exists": "постоји", + "export_megolm_keys": "Извези E2E кључеве собе", + "import_megolm_keys": "Увези E2E кључеве собе", + "cryptography_section": "Криптографија", + "encryption_section": "Шифровање" }, "voip": { "mirror_local_feed": "Копирај довод локалног видеа" }, "sessions": { "session_id": "ИД сесије" + }, + "general": { + "account_section": "Налог", + "language_section": "Језик и област" } }, "devtools": { @@ -1329,14 +1286,21 @@ "default_url_previews_on": "УРЛ прегледи су подразумевано укључени за чланове ове собе.", "default_url_previews_off": "УРЛ прегледи су подразумевано искључени за чланове ове собе.", "url_previews_section": "УРЛ прегледи" + }, + "advanced": { + "unfederated": "Ова соба није доступна са удаљених Матрикс сервера" } }, "encryption": { "verification": { "sas_no_match": "Не поклапају се", "sas_match": "Поклапају се", - "in_person": "Да будете сигурни, ово обавите лично или путем поузданог начина комуникације." - } + "in_person": "Да будете сигурни, ово обавите лично или путем поузданог начина комуникације.", + "complete_action": "Разумем", + "cancelling": "Отказујем…" + }, + "old_version_detected_title": "Нађени су стари криптографски подаци", + "old_version_detected_description": "Подаци из старијег издања %(brand)s-а су нађени. Ово ће узроковати лош рад шифровања с краја на крај у старијем издању. Размењене поруке које су шифроване с краја на крај у старијем издању је можда немогуће дешифровати у овом издању. Такође, ово може узроковати неуспешно размењивање порука са овим издањем. Ако доживите проблеме, одјавите се и пријавите се поново. Да бисте задржали историјат поруке, извезите па поново увезите ваше кључеве." }, "emoji": { "category_smileys_people": "Смешци и особе", @@ -1358,7 +1322,41 @@ "phone_optional_label": "Телефон (необавезно)", "email_help_text": "Додајте е-пошту да бисте могли да ресетујете лозинку.", "email_phone_discovery_text": "Користите е-пошту или телефон да би вас постојећи контакти опционално могли открити.", - "email_discovery_text": "Користите е-пошту да бисте је по жељи могли открити постојећи контакти." + "email_discovery_text": "Користите е-пошту да бисте је по жељи могли открити постојећи контакти.", + "session_logged_out_title": "Одјављен", + "session_logged_out_description": "Зарад безбедности, одјављени сте из ове сесије. Пријавите се поново.", + "change_password_mismatch": "Нове лозинке се не подударају", + "change_password_empty": "Лозинке не могу бити празне", + "set_email_prompt": "Да ли желите да поставите мејл адресу?", + "change_password_confirm_label": "Потврди лозинку", + "change_password_current_label": "Тренутна лозинка", + "change_password_new_label": "Нова лозинка", + "change_password_action": "Промени лозинку", + "email_field_label": "Мејл", + "email_field_label_required": "Унесите адресу е-поште", + "uia": { + "password_prompt": "Потврдите свој идентитет уносом лозинке за налог испод.", + "recaptcha_missing_params": "Недостаје јавни кључ captcha-е у конфигурацији матичног сервера. Молимо пријавите ово администратору кућног сервера.", + "terms_invalid": "Молимо вас да прегледате и прихватите све смернице кућног сервера", + "terms": "Молимо вас да прегледате и прихватите смернице овог кућног сервера:", + "msisdn_token_incorrect": "Жетон је нетачан", + "msisdn": "Текстуална порука је послата на %(msisdn)s", + "msisdn_token_prompt": "Унесите код који се налази у њој:", + "sso_failed": "Нешто је пошло по наопако у потврђивању вашег идентитета. Откажите и покушајте поново.", + "fallback_button": "Започните идентификацију" + }, + "password_field_label": "Унесите лозинку", + "password_field_strong_label": "Лепа, јака лозинка!", + "password_field_weak_label": "Лозинка је дозвољена, али небезбедна", + "username_field_required_invalid": "Унесите корисничко име", + "msisdn_field_required_invalid": "Унесите број телефона", + "msisdn_field_number_invalid": "Тај телефонски број не изгледа сасвим у реду, проверите и покушајте поново", + "msisdn_field_label": "Телефон", + "identifier_label": "Пријавите се преко", + "reset_password_email_field_description": "Користите адресу е-поште за опоравак налога", + "reset_password_email_field_required_invalid": "Унесите адресу е-поште (захтева на овом кућном серверу)", + "msisdn_field_description": "Други корисници могу да вас позову у собе користећи ваше контакт податке", + "registration_msisdn_field_required_invalid": "Унесите број телефона (захтева на овом кућном серверу)" }, "export_chat": { "messages": "Поруке" @@ -1458,7 +1456,10 @@ "see_changes_button": "Шта је ново?", "release_notes_toast_title": "Шта је ново", "toast_title": "Ажурирај %(brand)s", - "toast_description": "Доступна је нова верзија %(brand)s" + "toast_description": "Доступна је нова верзија %(brand)s", + "error_encountered": "Догодила се грешка (%(errorDetail)s).", + "no_update": "Нема нових ажурирања.", + "check_action": "Провери да ли има ажурирања" }, "user_menu": { "switch_theme_light": "Пребаци на светлу тему", @@ -1481,6 +1482,13 @@ "intro": "За наставак, морате прихватити услове коришћења ове услуге.", "column_service": "Услуга", "column_summary": "Сажетак", - "column_document": "Документ" + "column_document": "Документ", + "tac_title": "Услови коришћења", + "tac_description": "Да наставите са коришћењем сервера %(homeserverDomain)s морате погледати и пристати на наше услове коришћења.", + "tac_button": "Погледај услове коришћења" + }, + "labs_mjolnir": { + "rules_user": "Корисничка правила", + "advanced_warning": "⚠ Ова подешавања су намењена напредним корисницима." } } diff --git a/src/i18n/strings/sv.json b/src/i18n/strings/sv.json index ab0bdd7733..c8fd7366be 100644 --- a/src/i18n/strings/sv.json +++ b/src/i18n/strings/sv.json @@ -1,5 +1,4 @@ { - "Account": "Konto", "No Microphones detected": "Ingen mikrofon hittades", "No Webcams detected": "Ingen webbkamera hittades", "No media permissions": "Inga mediebehörigheter", @@ -17,19 +16,13 @@ "Are you sure you want to leave the room '%(roomName)s'?": "Vill du lämna rummet '%(roomName)s'?", "Are you sure you want to reject the invitation?": "Är du säker på att du vill avböja inbjudan?", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Kan inte ansluta till en hemserver via HTTP då adressen i webbläsaren är HTTPS. Använd HTTPS, eller aktivera osäkra skript.", - "Change Password": "Byt lösenord", - "Confirm password": "Bekräfta lösenord", - "Cryptography": "Kryptografi", - "Current password": "Nuvarande lösenord", "Custom level": "Anpassad nivå", "Deactivate Account": "Inaktivera konto", "Decrypt %(text)s": "Avkryptera %(text)s", "Default": "Standard", "Download %(text)s": "Ladda ner %(text)s", - "Email": "E-post", "Email address": "E-postadress", "Error decrypting attachment": "Fel vid avkryptering av bilagan", - "Export E2E room keys": "Exportera krypteringsrumsnycklar", "Failed to ban user": "Misslyckades att banna användaren", "Failed to change password. Is your password correct?": "Misslyckades att byta lösenord. Är lösenordet rätt?", "Failed to change power level": "Misslyckades att ändra behörighetsnivå", @@ -49,22 +42,18 @@ "Failure to create room": "Misslyckades att skapa rummet", "Filter room members": "Filtrera rumsmedlemmar", "Forget room": "Glöm bort rum", - "For security, this session has been signed out. Please sign in again.": "Av säkerhetsskäl har den här sessionen loggats ut. Vänligen logga in igen.", "Historical": "Historiska", "Home": "Hem", - "Import E2E room keys": "Importera rumskrypteringsnycklar", "Incorrect verification code": "Fel verifieringskod", "Invalid Email Address": "Ogiltig e-postadress", "Invalid file%(extra)s": "Felaktig fil%(extra)s", "Invited": "Inbjuden", - "Sign in with": "Logga in med", "Join Room": "Gå med i rum", "Jump to first unread message.": "Hoppa till första olästa meddelandet.", "Low priority": "Låg prioritet", "Missing room_id in request": "room_id saknas i förfrågan", "Missing user_id in request": "user_id saknas i förfrågan", "Moderator": "Moderator", - "New passwords don't match": "De nya lösenorden matchar inte", "New passwords must match each other.": "De nya lösenorden måste matcha.", "not specified": "inte specificerad", "Notifications": "Aviseringar", @@ -72,8 +61,6 @@ "No display name": "Inget visningsnamn", "No more results": "Inga fler resultat", "Operation failed": "Handlingen misslyckades", - "Passwords can't be empty": "Lösenorden kan inte vara tomma", - "Phone": "Telefon", "Please check your email and click on the link it contains. Once this is done, click continue.": "Öppna meddelandet i din e-post och klicka på länken i meddelandet. När du har gjort detta, klicka fortsätt.", "Power level must be positive integer.": "Behörighetsnivå måste vara ett positivt heltal.", "Profile": "Profil", @@ -90,8 +77,6 @@ "Server may be unavailable, overloaded, or search timed out :(": "Servern kan vara otillgänglig eller överbelastad, eller så tog sökningen för lång tid :(", "Server may be unavailable, overloaded, or you hit a bug.": "Servern kan vara otillgänglig eller överbelastad, eller så stötte du på en bugg.", "Session ID": "Sessions-ID", - "Signed Out": "Loggade ut", - "Start authentication": "Starta autentisering", "Create new room": "Skapa nytt rum", "unknown error code": "okänd felkod", "Delete widget": "Radera widget", @@ -138,7 +123,6 @@ "Unavailable": "Otillgänglig", "Source URL": "Käll-URL", "Filter results": "Filtrera resultaten", - "No update available.": "Ingen uppdatering tillgänglig.", "Tuesday": "tisdag", "Search…": "Sök…", "Saturday": "lördag", @@ -151,11 +135,9 @@ "Invite to this room": "Bjud in till rummet", "Thursday": "torsdag", "Yesterday": "igår", - "Error encountered (%(errorDetail)s).": "Fel påträffat (%(errorDetail)s).", "Low Priority": "Låg prioritet", "Thank you!": "Tack!", "This room has no local addresses": "Det här rummet har inga lokala adresser", - "Check for update": "Leta efter uppdatering", "Restricted": "Begränsad", "Unable to create widget.": "Kunde inte skapa widgeten.", "Ignored user": "Ignorerad användare", @@ -181,9 +163,6 @@ "Preparing to send logs": "Förbereder sändning av loggar", "Logs sent": "Loggar skickade", "Failed to send logs: ": "Misslyckades att skicka loggar: ", - "Token incorrect": "Felaktig token", - "A text message has been sent to %(msisdn)s": "Ett SMS har skickats till %(msisdn)s", - "Please enter the code it contains:": "Vänligen ange koden det innehåller:", "Uploading %(filename)s and %(count)s others": { "other": "Laddar upp %(filename)s och %(count)s till", "one": "Laddar upp %(filename)s och %(count)s till" @@ -194,8 +173,6 @@ "Unable to add email address": "Kunde inte lägga till e-postadress", "Unable to verify email address.": "Kunde inte verifiera e-postadressen.", "This will allow you to reset your password and receive notifications.": "Det här låter dig återställa lösenordet och ta emot aviseringar.", - "New Password": "Nytt lösenord", - "Do you want to set an email address?": "Vill du ange en e-postadress?", "Not a valid %(brand)s keyfile": "Inte en giltig %(brand)s-nyckelfil", "Authentication check failed: incorrect password?": "Autentiseringskontroll misslyckades: felaktigt lösenord?", "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", @@ -220,7 +197,6 @@ "File to import": "Fil att importera", "Replying": "Svarar", "Banned by %(displayName)s": "Bannad av %(displayName)s", - "This room is not accessible by remote Matrix servers": "Detta rum är inte tillgängligt för externa Matrix-servrar", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Kunde inte ladda händelsen som svarades på, antingen så finns den inte eller så har du inte behörighet att se den.", "Unknown error": "Okänt fel", "Clear Storage and Sign Out": "Rensa lagring och logga ut", @@ -229,10 +205,6 @@ "We encountered an error trying to restore your previous session.": "Ett fel uppstod vid återställning av din tidigare session.", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Om du nyligen har använt en senare version av %(brand)s kan din session vara inkompatibel med den här versionen. Stäng det här fönstret och använd senare versionen istället.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Att rensa webbläsarens lagring kan lösa problemet, men då loggas du ut och krypterad chatthistorik blir oläslig.", - "Terms and Conditions": "Villkor", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "För att fortsätta använda hemservern %(homeserverDomain)s måste du granska och godkänna våra villkor.", - "Review terms and conditions": "Granska villkoren", - "Old cryptography data detected": "Gammal kryptografidata upptäckt", "Missing roomId.": "Rums-ID saknas.", "This room is not recognised.": "Detta rum känns inte igen.", "Verified key": "Verifierade nyckeln", @@ -240,7 +212,6 @@ "This process allows you to export the keys for messages you have received in encrypted rooms to a local file. You will then be able to import the file into another Matrix client in the future, so that client will also be able to decrypt these messages.": "Denna process låter dig exportera nycklarna för meddelanden som du har fått i krypterade rum till en lokal fil. Du kommer sedan att kunna importera filen i en annan Matrix-klient i framtiden, så att den klienten också kan avkryptera meddelandena.", "Can't leave Server Notices room": "Kan inte lämna serveraviseringsrummet", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Detta rum används för viktiga meddelanden från hemservern, så du kan inte lämna det.", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Data från en äldre version av %(brand)s has upptäckts. Detta ska ha orsakat att totalsträckskryptering inte fungerat i den äldre versionen. Krypterade meddelanden som nyligen har skickats medans den äldre versionen användes kanske inte kan avkrypteras i denna version. Detta kan även orsaka att meddelanden skickade med denna version inte fungerar. Om du upplever problem, logga ut och in igen. För att behålla meddelandehistoriken, exportera dina nycklar och importera dem igen.", "Confirm Removal": "Bekräfta borttagning", "Reject all %(invitedRooms)s invites": "Avböj alla %(invitedRooms)s inbjudningar", "%(items)s and %(count)s others": { @@ -298,7 +269,6 @@ "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "Hindra användare från att prata i den gamla rumsversionen och posta ett meddelande som rekommenderar användare att flytta till det nya rummet", "Put a link back to the old room at the start of the new room so people can see old messages": "Sätta en länk tillbaka till det gamla rummet i början av det nya rummet så att folk kan se gamla meddelanden", "Add some now": "Lägg till några nu", - "Please review and accept the policies of this homeserver:": "Granska och acceptera policyn för denna hemserver:", "Before submitting logs, you must create a GitHub issue to describe your problem.": "Innan du skickar in loggar måste du skapa ett GitHub-ärende för att beskriva problemet.", "Updating %(brand)s": "Uppdaterar %(brand)s", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "Filen '%(fileName)s' överstiger denna hemserverns storleksgräns för uppladdningar", @@ -377,13 +347,10 @@ "Display Name": "Visningsnamn", "Email addresses": "E-postadresser", "Phone numbers": "Telefonnummer", - "Language and region": "Språk och region", "Account management": "Kontohantering", "General": "Allmänt", "Voice & Video": "Röst & video", "Room information": "Rumsinformation", - "Room version": "Rumsversion", - "Room version:": "Rumsversion:", "Room Addresses": "Rumsadresser", "This homeserver would like to make sure you are not a robot.": "Denna hemserver vill se till att du inte är en robot.", "Email (optional)": "E-post (valfritt)", @@ -394,7 +361,6 @@ "The user must be unbanned before they can be invited.": "Användaren behöver avbannas innan den kan bjudas in.", "Missing media permissions, click the button below to request.": "Saknar mediebehörigheter, klicka på knappen nedan för att begära.", "Request media permissions": "Begär mediebehörigheter", - "Encryption": "Kryptering", "Error updating main address": "Fel vid uppdatering av huvudadress", "Room avatar": "Rumsavatar", "Room Name": "Rumsnamn", @@ -402,18 +368,12 @@ "The following users may not exist": "Följande användare kanske inte existerar", "Invite anyway and never warn me again": "Bjud in ändå och varna mig aldrig igen", "Invite anyway": "Bjud in ändå", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Säkra meddelanden med den här användaren är totalsträckskrypterade och kan inte läsas av tredje part.", - "Got It": "Uppfattat", - "Verify this user by confirming the following emoji appear on their screen.": "Verifiera den här användaren genom att bekräfta att följande emojier visas på deras skärm.", - "Verify this user by confirming the following number appears on their screen.": "Verifiera den här användaren genom att bekräfta att följande nummer visas på deras skärm.", - "Unable to find a supported verification method.": "Kunde inte hitta en verifieringsmetod som stöds.", "Delete Backup": "Radera säkerhetskopia", "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Är du säker? Du kommer att förlora dina krypterade meddelanden om dina nycklar inte säkerhetskopieras ordentligt.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Krypterade meddelanden är säkrade med totalsträckskryptering. Bara du och mottagaren/na har nycklarna för att läsa dessa meddelanden.", "Ignored users": "Ignorerade användare", "Bulk options": "Massalternativ", "Accept all %(invitedRooms)s invites": "Acceptera alla %(invitedRooms)s inbjudningar", - "Upgrade this room to the recommended room version": "Uppgradera detta rum till rekommenderad rumsversion", "Failed to revoke invite": "Misslyckades att återkalla inbjudan", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Kunde inte återkalla inbjudan. Servern kan ha ett tillfälligt problem eller så har du inte tillräckliga behörigheter för att återkalla inbjudan.", "Revoke invite": "Återkalla inbjudan", @@ -486,7 +446,6 @@ "Enter a new identity server": "Ange en ny identitetsserver", "Discovery": "Upptäckt", "Deactivate account": "Inaktivera konto", - "View older messages in %(roomName)s.": "Visa äldre meddelanden i %(roomName)s.", "Uploaded sound": "Uppladdat ljud", "Sounds": "Ljud", "Notification sound": "Aviseringsljud", @@ -529,7 +488,6 @@ "%(name)s (%(userId)s)": "%(name)s (%(userId)s)", "Error upgrading room": "Fel vid uppgradering av rum", "Double check that your server supports the room version chosen and try again.": "Dubbelkolla att din server stöder den valda rumsversionen och försök igen.", - "not found": "hittades inte", "Cannot connect to integration manager": "Kan inte ansluta till integrationshanteraren", "The integration manager is offline or it cannot reach your homeserver.": "Integrationshanteraren är offline eller kan inte nå din hemserver.", "Manage integrations": "Hantera integrationer", @@ -613,7 +571,6 @@ "This usually only affects how the room is processed on the server. If you're having problems with your %(brand)s, please report a bug.": "Detta påverkar vanligtvis bara hur rummet bearbetas på servern. Om du har problem med %(brand)s, vänligen rapportera ett fel.", "You'll upgrade this room from to .": "Du kommer att uppgradera detta rum från till .", "Remove for everyone": "Ta bort för alla", - "Confirm your identity by entering your account password below.": "Bekräfta din identitet genom att ange ditt kontolösenord nedan.", "Use Single Sign On to continue": "Använd samlad inloggning (single sign on) för att fortsätta", "Confirm adding this email address by using Single Sign On to prove your identity.": "Bekräfta tilläggning av e-postadressen genom att använda samlad inloggning för att bevisa din identitet.", "Confirm adding email": "Bekräfta tilläggning av e-postadressen", @@ -642,29 +599,14 @@ "New login. Was this you?": "Ny inloggning. Var det du?", "Change notification settings": "Ändra aviseringsinställningar", "IRC display name width": "Bredd för IRC-visningsnamn", - "Waiting for %(displayName)s to verify…": "Väntar på att %(displayName)s ska verifiera…", - "Cancelling…": "Avbryter…", "Lock": "Lås", "Your server isn't responding to some requests.": "Din server svarar inte på vissa förfrågningar.", - "This bridge was provisioned by .": "Den här bryggan tillhandahålls av .", - "This bridge is managed by .": "Den här bryggan tillhandahålls av .", "Your homeserver does not support cross-signing.": "Din hemserver stöder inte korssignering.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Ditt konto har en korssigneringsidentitet i hemlig lagring, men den är inte betrodd av den här sessionen än.", "well formed": "välformaterad", "unexpected type": "oväntad typ", - "Cross-signing public keys:": "Publika nycklar för korssignering:", - "in memory": "i minne", - "Cross-signing private keys:": "Privata nycklar för korssignering:", - "in secret storage": "i hemlig lagring", - "Master private key:": "Privat huvudnyckel:", - "cached locally": "cachad lokalt", - "not found locally": "inte hittad lokalt", - "Self signing private key:": "Privat nyckel för självsignering:", - "User signing private key:": "Privat nyckel för användarsignering:", "Secret storage public key:": "Publik nyckel för hemlig lagring:", "in account data": "i kontodata", - "Homeserver feature support:": "Hemserverns funktionsstöd:", - "exists": "existerar", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Verifiera individuellt varje session som används av en användare för att markera den som betrodd, och lita inte på korssignerade enheter.", "Securely cache encrypted messages locally for them to appear in search results.": "Cachar krypterade meddelanden säkert lokalt för att de ska visas i sökresultat.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s saknar vissa komponenter som krävs som krävs för att säkert cacha krypterade meddelanden lokalt. Om du vill experimentera med den här funktionen, bygg en anpassad %(brand)s Skrivbord med sökkomponenter tillagda.", @@ -684,38 +626,9 @@ "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "Kolla dina webbläsartillägg efter någonting som kanske blockerar identitetsservern (t.ex. Privacy Badger)", "contact the administrators of identity server ": "kontakta administratören för identitetsservern ", "wait and try again later": "vänta och försöka igen senare", - "New version available. Update now.": "Ny version tillgänglig. Uppdatera nu.", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Samtyck till identitetsserverns (%(serverName)s) användarvillkor för att låta dig själv vara upptäckbar med e-postadress eller telefonnummer.", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "För att rapportera ett Matrix-relaterat säkerhetsproblem, vänligen läs Matrix.orgs riktlinjer för säkerhetspublicering.", - "Ignored/Blocked": "Ignorerade/blockerade", - "Error adding ignored user/server": "Fel vid tilläggning av användare/server", - "Something went wrong. Please try again or view your console for hints.": "Någonting gick fel. Vänligen försök igen eller kolla i din konsol efter ledtrådar.", - "Error subscribing to list": "Fel vid prenumeration på listan", - "Please verify the room ID or address and try again.": "Vänligen verifiera rummets ID eller adress och försök igen.", - "Error removing ignored user/server": "Fel vid borttagning av ignorerad användare/server", - "Error unsubscribing from list": "Fel vid avprenumeration från listan", - "Please try again or view your console for hints.": "Vänligen försök igen eller kolla din konsol efter ledtrådar.", "None": "Ingen", - "Ban list rules - %(roomName)s": "Bannlistregler - %(roomName)s", - "Server rules": "Serverregler", - "User rules": "Användarregler", - "You have not ignored anyone.": "Du har inte ignorerat någon.", - "You are currently ignoring:": "Du ignorerar just nu:", - "You are not subscribed to any lists": "Du prenumererar inte på några listor", - "View rules": "Visa regler", - "You are currently subscribed to:": "Du prenumerera just nu på:", - "⚠ These settings are meant for advanced users.": "⚠ Dessa inställningar är till för avancerade användare.", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Lägg till användare och servrar du vill ignorera här. Använd asterisker för att få %(brand)s att matchar vilka tecken som helt. Till exempel, @bot:* kommer att ignorera alla användare med namnet 'bot' på vilken server som helst.", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Ignorering av användare görs genom bannlistor som innehåller regler för vilka som bannas. Att prenumerera på en bannlista betyder att användare/servrar blockerade av den listan kommer att döljas för dig.", - "Personal ban list": "Personlig bannlista", - "Server or user ID to ignore": "Server- eller användar-ID att ignorera", - "eg: @bot:* or example.org": "t.ex.: @bot:* eller example.org", - "Subscribed lists": "Prenumererade listor", - "Subscribing to a ban list will cause you to join it!": "Att prenumerera till en bannlista kommer att få dig att gå med i den!", - "If this isn't what you want, please use a different tool to ignore users.": "Om det här inte är det du vill, använd ett annat verktyg för att ignorera användare.", - "Room ID or address of ban list": "Rums-ID eller adress för bannlista", - "Session ID:": "Sessions-ID:", - "Session key:": "Sessionsnyckel:", "Message search": "Meddelandesök", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Din serveradministratör har inaktiverat totalsträckskryptering som förval för privata rum och direktmeddelanden.", "This room is bridging messages to the following platforms. Learn more.": "Det här rummet bryggar meddelanden till följande plattformar. Lär dig mer.", @@ -908,24 +821,8 @@ "Resend %(unsentCount)s reaction(s)": "Skicka %(unsentCount)s reaktion(er) igen", "This room is public": "Det här rummet är offentligt", "Country Dropdown": "Land-dropdown", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Saknar publik nyckel för captcha i hemserverns konfiguration. Vänligen rapportera detta till din hemservers administratör.", - "Please review and accept all of the homeserver's policies": "Vänligen granska och acceptera alla hemserverns policyer", - "Enter password": "Skriv in lösenord", - "Nice, strong password!": "Bra, säkert lösenord!", - "Password is allowed, but unsafe": "Lösenordet är tillåtet men osäkert", - "Use an email address to recover your account": "Använd en a-postadress för att återställa ditt konto", - "Enter email address (required on this homeserver)": "Skriv in e-postadress (krävs på den här hemservern)", - "Doesn't look like a valid email address": "Det ser inte ut som en giltig e-postadress", - "Passwords don't match": "Lösenorden matchar inte", - "Other users can invite you to rooms using your contact details": "Andra användare kan bjuda in dig till rum med dina kontaktuppgifter", - "Enter phone number (required on this homeserver)": "Skriv in telefonnummer (krävs på den här hemservern)", - "Enter username": "Skriv in användarnamn", "Sign in with SSO": "Logga in med SSO", "Explore rooms": "Utforska rum", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "Du har %(count)s olästa aviseringar i en tidigare version av det här rummet.", - "one": "Du har %(count)s oläst avisering i en tidigare version av det här rummet." - }, "All settings": "Alla inställningar", "Switch theme": "Byt tema", "Invalid homeserver discovery response": "Ogiltigt hemserverupptäcktssvar", @@ -986,7 +883,6 @@ "ready": "klart", "not ready": "inte klart", "Safeguard against losing access to encrypted messages & data": "Skydda mot att förlora åtkomst till krypterade meddelanden och data", - "not found in storage": "hittades inte i lagring", "Widgets": "Widgets", "Edit widgets, bridges & bots": "Redigera widgets, bryggor och bottar", "Add widgets, bridges & bots": "Lägg till widgets, bryggor och bottar", @@ -1281,9 +1177,6 @@ "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "En förvarning, om du inte lägger till en e-postadress och glömmer ditt lösenord, så kan du permanent förlora åtkomst till ditt konto.", "Continuing without email": "Fortsätter utan e-post", "There was a problem communicating with the homeserver, please try again later.": "Ett problem inträffade vi kommunikation med hemservern, vänligen försök igen senare.", - "That phone number doesn't look quite right, please check and try again": "Det telefonnumret ser inte korrekt ut, vänligen kolla det och försök igen", - "Enter phone number": "Ange telefonnummer", - "Enter email address": "Ange e-postadress", "Hold": "Parkera", "Resume": "Återuppta", "Decline All": "Neka alla", @@ -1305,8 +1198,6 @@ "Allow this widget to verify your identity": "Tillåt att den här widgeten verifierar din identitet", "Set my room layout for everyone": "Sätt mitt rumsarrangemang för alla", "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Säkerhetskopiera dina krypteringsnycklar med din kontodata ifall du skulle förlora åtkomst till dina sessioner. Dina nycklar kommer att säkras med en unik säkerhetsnyckel.", - "Channel: ": "Kanal: ", - "Workspace: ": "Arbetsyta: ", "Use app for a better experience": "Använd appen för en bättre upplevelse", "Use app": "Använd app", "Great! This Security Phrase looks strong enough.": "Fantastiskt! Den här säkerhetsfrasen ser tillräckligt stark ut.", @@ -1326,11 +1217,9 @@ "Not a valid Security Key": "Inte en giltig säkerhetsnyckel", "Access your secure message history and set up secure messaging by entering your Security Key.": "Kom åt din säkre meddelandehistorik och ställ in säker meddelandehantering genom att ange din säkerhetsnyckel.", "If you've forgotten your Security Key you can ": "Om du har glömt din säkerhetsnyckel så kan du ", - "Something went wrong in confirming your identity. Cancel and try again.": "Något gick fel vid bekräftelse av din identitet. Avbryt och försök igen.", "Recently visited rooms": "Nyligen besökta rum", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "Vi bad webbläsaren att komma ihåg vilken hemserver du använder för att logga in, men tyvärr har din webbläsare glömt det. Gå till inloggningssidan och försök igen.", "We couldn't log you in": "Vi kunde inte logga in dig", - "Original event source": "Ursprunglig händelsekällkod", "%(count)s members": { "one": "%(count)s medlem", "other": "%(count)s medlemmar" @@ -1394,7 +1283,6 @@ "You most likely do not want to reset your event index store": "Du vill troligen inte återställa din händelseregisterlagring", "Consult first": "Tillfråga först", "Avatar": "Avatar", - "Verification requested": "Verifiering begärd", "Verify your identity to access encrypted messages and prove your identity to others.": "Verifiera din identitet för att komma åt krypterade meddelanden och bevisa din identitet för andra.", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Du är den enda personen här. Om du lämnar så kommer ingen kunna gå med igen, inklusive du.", "If you reset everything, you will restart with no trusted sessions, no trusted users, and might not be able to see past messages.": "Om du återställer allt så kommer du att börja om utan betrodda sessioner eller betrodda användare, och kommer kanske inte kunna se gamla meddelanden.", @@ -1595,7 +1483,6 @@ "They'll still be able to access whatever you're not an admin of.": "De kommer fortfarande kunna komma åt saker du inte är admin för.", "Disinvite from %(roomName)s": "Häv inbjudan från %(roomName)s", "Export chat": "Exportera chatt", - "Create poll": "Skapa omröstning", "%(count)s reply": { "one": "%(count)s svar", "other": "%(count)s svar" @@ -1631,13 +1518,6 @@ "Copy link to thread": "Kopiera länk till tråd", "Thread options": "Trådalternativ", "If you can't see who you're looking for, send them your invite link below.": "Om du inte ser den du letar efter, skicka din inbjudningslänk nedan till denne.", - "Add option": "Lägg till alternativ", - "Write an option": "Skriv ett alternativ", - "Option %(number)s": "Alternativ %(number)s", - "Create options": "Skapa alternativ", - "Question or topic": "Fråga eller ämne", - "What is your poll question or topic?": "Vad är din omröstnings fråga eller ämne?", - "Create Poll": "Skapa omröstning", "In encrypted rooms, verify all users to ensure it's secure.": "I krypterade rum, verifiera alla användare för att försäkra att det är säkert.", "Yours, or the other users' session": "Din eller den andra användarens session", "Yours, or the other users' internet connection": "Din eller den andra användarens internetuppkoppling", @@ -1665,10 +1545,6 @@ "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Okänt (användare, session)-par: (%(userId)s, %(deviceId)s)", "Unrecognised room address: %(roomAlias)s": "Okänd rumsadress: %(roomAlias)s", "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Utrymmen är sätt att gruppera rum och personer. Utöver utrymmena du är med i så kan du använda några färdiggjorda också.", - "Waiting for you to verify on your other device…": "Väntar på att du ska verifiera på din andra enhet…", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Väntar på att du ska verifiera på din andra enhet, %(deviceName)s (%(deviceId)s)…", - "Verify this device by confirming the following number appears on its screen.": "Verifiera den här enheten genom att bekräfta att det följande numret visas på dess skärm.", - "Confirm the emoji below are displayed on both devices, in the same order:": "Bekräfta att emojierna nedan visas på båda enheterna i samma ordning:", "Back to thread": "Tillbaka till tråd", "Room members": "Rumsmedlemmar", "Back to chat": "Tillbaka till chatt", @@ -1678,7 +1554,6 @@ "@mentions & keywords": "@omnämnanden och nyckelord", "Get notifications as set up in your settings": "Få aviseringar i enlighet med dina inställningar", "Get notified for every message": "Bli aviserad för varje meddelande", - "Internal room ID": "Internt rums-ID", "Group all your rooms that aren't part of a space in one place.": "Gruppera alla dina rum som inte är en del av ett utrymme på ett ställe.", "Rooms outside of a space": "Rum utanför ett utrymme", "Group all your people in one place.": "Gruppera alla dina personer på ett ställe.", @@ -1716,8 +1591,6 @@ "Poll": "Omröstning", "Voice Message": "Röstmeddelanden", "Hide stickers": "Göm dekaler", - "Sorry, the poll you tried to create was not posted.": "Tyvärr så lades omröstningen du försökte skapa inte upp.", - "Failed to post poll": "Misslyckades att lägga upp omröstning", "Including you, %(commaSeparatedMembers)s": "Inklusive dig, %(commaSeparatedMembers)s", "Share location": "Dela plats", "Could not fetch location": "Kunde inte hämta plats", @@ -1777,15 +1650,9 @@ "Feedback sent! Thanks, we appreciate it!": "Återkoppling skickad! Tack, vi uppskattar det!", "%(space1Name)s and %(space2Name)s": "%(space1Name)s och %(space2Name)s", "Join %(roomAddress)s": "Gå med i %(roomAddress)s", - "Edit poll": "Redigera omröstning", "Sorry, you can't edit a poll after votes have been cast.": "Tyvärr kan du inte redigera en omröstning efter att röster har avgivits.", "Can't edit poll": "Kan inte redigera omröstning", "Search Dialog": "Sökdialog", - "Results are only revealed when you end the poll": "Resultat avslöjas inte förrän du avslutar omröstningen", - "Voters see results as soon as they have voted": "Röstare ser resultatet så fort de har röstat", - "Closed poll": "Sluten omröstning", - "Open poll": "Öppen omröstning", - "Poll type": "Omröstningstyp", "Results will be visible when the poll is ended": "Resultat kommer att visas när omröstningen avslutas", "Pinned": "Fäst", "Open thread": "Öppna tråd", @@ -1806,8 +1673,6 @@ }, "New video room": "Nytt videorum", "New room": "Nytt rum", - "View older version of %(spaceName)s.": "Visa tidigare version av %(spaceName)s.", - "Upgrade this space to the recommended room version": "Uppgradera det här utrymmet till den rekommenderade rumsversionen", "Failed to join": "Misslyckades att gå med", "The person who invited you has already left, or their server is offline.": "Personen som bjöd in dig har redan lämnat, eller så är deras hemserver offline.", "The person who invited you has already left.": "Personen som bjöd in dig har redan lämnat.", @@ -1908,15 +1773,9 @@ "To view %(roomName)s, you need an invite": "För att se %(roomName)s så behöver du en inbjudan", "Private room": "Privat rum", "Video room": "Videorum", - "Resent!": "Skickade igen!", - "Did not receive it? Resend it": "Fick du inte den? Skicka igen", - "To create your account, open the link in the email we just sent to %(emailAddress)s.": "För att skapa ditt konto, öppna länken i e-brevet vi just skickade till %(emailAddress)s.", "Unread email icon": "Oläst e-post-ikon", - "Check your email to continue": "Kolla din e-post för att fortsätta", "An error occurred whilst sharing your live location, please try again": "Ett fel inträffade vid delning av din realtidsplats, försök igen", "An error occurred whilst sharing your live location": "Ett fel inträffade vid delning av din realtidsplats", - "Click to read topic": "Klicka för att läsa ämne", - "Edit topic": "Redigera ämne", "Joining…": "Går med…", "%(count)s people joined": { "other": "%(count)s personer gick med", @@ -1995,11 +1854,6 @@ "other": "Är du säker på att du vill logga ut %(count)s sessioner?" }, "Sessions": "Sessioner", - "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.": "Känner du dig äventyrlig? Pröva våra senaste idéer under utveckling. Dessa funktioner är inte slutförda; de kan vara instabila, kan ändras, eller kan tas bort helt. Läs mer.", - "Early previews": "Tidiga förhandstittar", - "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "Vad händer härnäst med %(brand)s? Experiment är det bästa sättet att få saker tidigt, pröva nya funktioner, och hjälpa till att forma dem innan de egentligen släpps.", - "Upcoming features": "Kommande funktioner", - "Spell check": "Rättstavning", "Search users in this room…": "Sök efter användare i det här rummet…", "Give one or multiple users in this room more privileges": "Ge en eller flera användare i det här rummet fler privilegier", "Add privileged users": "Lägg till privilegierade användare", @@ -2073,10 +1927,7 @@ "Can’t start a call": "Kunde inte starta ett samtal", "Failed to read events": "Misslyckades att läsa händelser", "Failed to send event": "Misslyckades att skicka händelse", - "Registration token": "Registreringstoken", - "Enter a registration token provided by the homeserver administrator.": "Ange en registreringstoken försedd av hemserveradministratören.", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", - "Manage account": "Hantera konto", "Your account details are managed separately at %(hostname)s.": "Dina rumsdetaljer hanteras separat av %(hostname)s.", "%(senderName)s started a voice broadcast": "%(senderName)s startade en röstsändning", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Alla meddelanden och inbjudningar från den här användaren kommer att döljas. Är du säker på att du vill ignorera denne?", @@ -2093,8 +1944,6 @@ "There are no past polls in this room": "Det finns inga gamla omröstningar i det här rummet", "There are no active polls in this room": "Det finns inga aktiva omröstningar i det här rummet", "Enable '%(manageIntegrations)s' in Settings to do this.": "Aktivera '%(manageIntegrations)s' i inställningarna för att göra detta.", - "Warning: upgrading a room will not automatically migrate room members to the new version of the room. We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.": "Varning: att uppgradera ett rum kommer inte automatiskt att migrerar rumsmedlemmar till den nya versionen av rummet. Vi kommer att lägga in en länk i det nya rummet i den gamla versionen av rummet - rumsmedlemmar kommer behöva klicka på den här länken för att gå med i det nya rummet.", - "Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named '%(myBanList)s' - stay in this room to keep the ban list in effect.": "Din personliga bannlista innehåller alla de användare och servrar du personligen inte vill se meddelanden ifrån. Efter att du ignorerar din första användare eller server så visas ett nytt rum i din rumslista med namnet '%(myBanList)s' - stanna i det här rummet för att bannlistan ska fortsätta gälla.", "WARNING: session already verified, but keys do NOT MATCH!": "VARNING: sessionen är redan verifierad, men nycklarna MATCHAR INTE!", "Unable to connect to Homeserver. Retrying…": "Kunde inte kontakta hemservern. Försöker igen …", "Secure Backup successful": "Säkerhetskopiering lyckades", @@ -2102,22 +1951,18 @@ "Enter a Security Phrase only you know, as it's used to safeguard your data. To be secure, you shouldn't re-use your account password.": "Ange en säkerhetsfras som bara du känner till, eftersom den används för att säkra din data. För att vara säker, bör du inte återanvända ditt kontolösenord.", "Starting backup…": "Startar säkerhetskopiering …", "Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Fortsätt bara om du är säker på att du har förlorat alla dina övriga enheter och din säkerhetsnyckel.", - "Keep going…": "Fortsätter …", "Connecting…": "Kopplar upp …", "Loading live location…": "Laddar realtidsposition …", "Fetching keys from server…": "Hämtar nycklar från server …", "Checking…": "Kontrollerar …", "Waiting for partner to confirm…": "Väntar på att andra parten ska bekräfta …", "Adding…": "Lägger till …", - "Write something…": "Skriv nånting …", "Rejecting invite…": "Nekar inbjudan …", "Joining room…": "Går med i rum …", "Joining space…": "Går med i utrymme …", "Encrypting your message…": "Krypterar ditt meddelande …", "Sending your message…": "Skickar ditt meddelande …", "Set a new account password…": "Sätt ett nytt kontolösenord …", - "Downloading update…": "Hämtar uppdatering …", - "Checking for an update…": "Letar efter uppdatering …", "Backing up %(sessionsRemaining)s keys…": "Säkerhetskopierar %(sessionsRemaining)s nycklar …", "Connecting to integration manager…": "Kontaktar integrationshanteraren …", "Saving…": "Sparar …", @@ -2158,7 +2003,6 @@ "Error changing password": "Fel vid byte av lösenord", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (HTTP-status %(httpStatus)s)", "Unknown password change error (%(stringifiedError)s)": "Okänt fel vid lösenordsändring (%(stringifiedError)s)", - "Error while changing password: %(error)s": "Fel vid ändring av lösenord: %(error)s", "Failed to download source media, no source url was found": "Misslyckades att ladda ned källmedian, ingen käll-URL hittades", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Kan inte bjuda in användare via e-post utan en identitetsserver. Du kan ansluta till en under \"Inställningar\".", "The add / bind with MSISDN flow is misconfigured": "Flöde för tilläggning/bindning med MSISDN är felkonfigurerat", @@ -2491,7 +2335,15 @@ "sliding_sync_disable_warning": "För att inaktivera det här så behöver du logga ut och logga in igen, använd varsamt!", "sliding_sync_proxy_url_optional_label": "Proxy-URL (valfritt)", "sliding_sync_proxy_url_label": "Proxy-URL", - "video_rooms_beta": "Videorum är en betafunktion" + "video_rooms_beta": "Videorum är en betafunktion", + "bridge_state_creator": "Den här bryggan tillhandahålls av .", + "bridge_state_manager": "Den här bryggan tillhandahålls av .", + "bridge_state_workspace": "Arbetsyta: ", + "bridge_state_channel": "Kanal: ", + "beta_section": "Kommande funktioner", + "beta_description": "Vad händer härnäst med %(brand)s? Experiment är det bästa sättet att få saker tidigt, pröva nya funktioner, och hjälpa till att forma dem innan de egentligen släpps.", + "experimental_section": "Tidiga förhandstittar", + "experimental_description": "Känner du dig äventyrlig? Pröva våra senaste idéer under utveckling. Dessa funktioner är inte slutförda; de kan vara instabila, kan ändras, eller kan tas bort helt. Läs mer." }, "keyboard": { "home": "Hem", @@ -2827,7 +2679,26 @@ "record_session_details": "Spara klientens namn, version och URL för att lättare känna igen sessioner i sessionshanteraren", "strict_encryption": "Skicka aldrig krypterade meddelanden till overifierade sessioner från den här sessionen", "enable_message_search": "Aktivera meddelandesökning i krypterade rum", - "manually_verify_all_sessions": "Verifiera alla fjärrsessioner manuellt" + "manually_verify_all_sessions": "Verifiera alla fjärrsessioner manuellt", + "cross_signing_public_keys": "Publika nycklar för korssignering:", + "cross_signing_in_memory": "i minne", + "cross_signing_not_found": "hittades inte", + "cross_signing_private_keys": "Privata nycklar för korssignering:", + "cross_signing_in_4s": "i hemlig lagring", + "cross_signing_not_in_4s": "hittades inte i lagring", + "cross_signing_master_private_Key": "Privat huvudnyckel:", + "cross_signing_cached": "cachad lokalt", + "cross_signing_not_cached": "inte hittad lokalt", + "cross_signing_self_signing_private_key": "Privat nyckel för självsignering:", + "cross_signing_user_signing_private_key": "Privat nyckel för användarsignering:", + "cross_signing_homeserver_support": "Hemserverns funktionsstöd:", + "cross_signing_homeserver_support_exists": "existerar", + "export_megolm_keys": "Exportera krypteringsrumsnycklar", + "import_megolm_keys": "Importera rumskrypteringsnycklar", + "cryptography_section": "Kryptografi", + "session_id": "Sessions-ID:", + "session_key": "Sessionsnyckel:", + "encryption_section": "Kryptering" }, "preferences": { "room_list_heading": "Rumslista", @@ -2942,6 +2813,12 @@ }, "security_recommendations": "Säkerhetsrekommendationer", "security_recommendations_description": "Förbättra din kontosäkerhet genom att följa dessa rekommendationer." + }, + "general": { + "oidc_manage_button": "Hantera konto", + "account_section": "Konto", + "language_section": "Språk och region", + "spell_check_section": "Rättstavning" } }, "devtools": { @@ -3038,7 +2915,8 @@ "low_bandwidth_mode": "Lågt bandbreddsläge", "developer_mode": "Utvecklarläge", "view_source_decrypted_event_source": "Avkrypterad händelsekällkod", - "view_source_decrypted_event_source_unavailable": "Avkrypterad källa otillgänglig" + "view_source_decrypted_event_source_unavailable": "Avkrypterad källa otillgänglig", + "original_event_source": "Ursprunglig händelsekällkod" }, "export_chat": { "html": "HTML", @@ -3668,6 +3546,17 @@ "url_preview_encryption_warning": "I krypterade rum, som detta, är URL-förhandsgranskning inaktiverad som förval för att säkerställa att din hemserver (där förhandsgranskningar genereras) inte kan samla information om länkar du ser i rummet.", "url_preview_explainer": "När någon lägger en URL i sitt meddelande, kan URL-förhandsgranskning ge mer information om länken, såsom titel, beskrivning, och en bild från webbplatsen.", "url_previews_section": "URL-förhandsgranskning" + }, + "advanced": { + "unfederated": "Detta rum är inte tillgängligt för externa Matrix-servrar", + "room_upgrade_warning": "Varning: att uppgradera ett rum kommer inte automatiskt att migrerar rumsmedlemmar till den nya versionen av rummet. Vi kommer att lägga in en länk i det nya rummet i den gamla versionen av rummet - rumsmedlemmar kommer behöva klicka på den här länken för att gå med i det nya rummet.", + "space_upgrade_button": "Uppgradera det här utrymmet till den rekommenderade rumsversionen", + "room_upgrade_button": "Uppgradera detta rum till rekommenderad rumsversion", + "space_predecessor": "Visa tidigare version av %(spaceName)s.", + "room_predecessor": "Visa äldre meddelanden i %(roomName)s.", + "room_id": "Internt rums-ID", + "room_version_section": "Rumsversion", + "room_version": "Rumsversion:" } }, "encryption": { @@ -3683,8 +3572,22 @@ "sas_prompt": "Jämför unika emojier", "sas_description": "Jämför en unik uppsättning emojier om du inte har en kamera på någon av enheterna", "qr_or_sas": "%(qrCode)s eller %(emojiCompare)s", - "qr_or_sas_header": "Verifiera den här enheten genom att slutföra ett av följande:" - } + "qr_or_sas_header": "Verifiera den här enheten genom att slutföra ett av följande:", + "explainer": "Säkra meddelanden med den här användaren är totalsträckskrypterade och kan inte läsas av tredje part.", + "complete_action": "Uppfattat", + "sas_emoji_caption_self": "Bekräfta att emojierna nedan visas på båda enheterna i samma ordning:", + "sas_emoji_caption_user": "Verifiera den här användaren genom att bekräfta att följande emojier visas på deras skärm.", + "sas_caption_self": "Verifiera den här enheten genom att bekräfta att det följande numret visas på dess skärm.", + "sas_caption_user": "Verifiera den här användaren genom att bekräfta att följande nummer visas på deras skärm.", + "unsupported_method": "Kunde inte hitta en verifieringsmetod som stöds.", + "waiting_other_device_details": "Väntar på att du ska verifiera på din andra enhet, %(deviceName)s (%(deviceId)s)…", + "waiting_other_device": "Väntar på att du ska verifiera på din andra enhet…", + "waiting_other_user": "Väntar på att %(displayName)s ska verifiera…", + "cancelling": "Avbryter…" + }, + "old_version_detected_title": "Gammal kryptografidata upptäckt", + "old_version_detected_description": "Data från en äldre version av %(brand)s has upptäckts. Detta ska ha orsakat att totalsträckskryptering inte fungerat i den äldre versionen. Krypterade meddelanden som nyligen har skickats medans den äldre versionen användes kanske inte kan avkrypteras i denna version. Detta kan även orsaka att meddelanden skickade med denna version inte fungerar. Om du upplever problem, logga ut och in igen. För att behålla meddelandehistoriken, exportera dina nycklar och importera dem igen.", + "verification_requested_toast_title": "Verifiering begärd" }, "emoji": { "category_frequently_used": "Ofta använda", @@ -3798,7 +3701,51 @@ "phone_optional_label": "Telefon (valfritt)", "email_help_text": "Lägg till en e-postadress för att kunna återställa ditt lösenord.", "email_phone_discovery_text": "Använd e-post eller telefon för att valfritt kunna upptäckas av existerande kontakter.", - "email_discovery_text": "Använd e-post för att valfritt kunna upptäckas av existerande kontakter." + "email_discovery_text": "Använd e-post för att valfritt kunna upptäckas av existerande kontakter.", + "session_logged_out_title": "Loggade ut", + "session_logged_out_description": "Av säkerhetsskäl har den här sessionen loggats ut. Vänligen logga in igen.", + "change_password_error": "Fel vid ändring av lösenord: %(error)s", + "change_password_mismatch": "De nya lösenorden matchar inte", + "change_password_empty": "Lösenorden kan inte vara tomma", + "set_email_prompt": "Vill du ange en e-postadress?", + "change_password_confirm_label": "Bekräfta lösenord", + "change_password_confirm_invalid": "Lösenorden matchar inte", + "change_password_current_label": "Nuvarande lösenord", + "change_password_new_label": "Nytt lösenord", + "change_password_action": "Byt lösenord", + "email_field_label": "E-post", + "email_field_label_required": "Ange e-postadress", + "email_field_label_invalid": "Det ser inte ut som en giltig e-postadress", + "uia": { + "password_prompt": "Bekräfta din identitet genom att ange ditt kontolösenord nedan.", + "recaptcha_missing_params": "Saknar publik nyckel för captcha i hemserverns konfiguration. Vänligen rapportera detta till din hemservers administratör.", + "terms_invalid": "Vänligen granska och acceptera alla hemserverns policyer", + "terms": "Granska och acceptera policyn för denna hemserver:", + "email_auth_header": "Kolla din e-post för att fortsätta", + "email": "För att skapa ditt konto, öppna länken i e-brevet vi just skickade till %(emailAddress)s.", + "email_resend_prompt": "Fick du inte den? Skicka igen", + "email_resent": "Skickade igen!", + "msisdn_token_incorrect": "Felaktig token", + "msisdn": "Ett SMS har skickats till %(msisdn)s", + "msisdn_token_prompt": "Vänligen ange koden det innehåller:", + "registration_token_prompt": "Ange en registreringstoken försedd av hemserveradministratören.", + "registration_token_label": "Registreringstoken", + "sso_failed": "Något gick fel vid bekräftelse av din identitet. Avbryt och försök igen.", + "fallback_button": "Starta autentisering" + }, + "password_field_label": "Skriv in lösenord", + "password_field_strong_label": "Bra, säkert lösenord!", + "password_field_weak_label": "Lösenordet är tillåtet men osäkert", + "password_field_keep_going_prompt": "Fortsätter …", + "username_field_required_invalid": "Skriv in användarnamn", + "msisdn_field_required_invalid": "Ange telefonnummer", + "msisdn_field_number_invalid": "Det telefonnumret ser inte korrekt ut, vänligen kolla det och försök igen", + "msisdn_field_label": "Telefon", + "identifier_label": "Logga in med", + "reset_password_email_field_description": "Använd en a-postadress för att återställa ditt konto", + "reset_password_email_field_required_invalid": "Skriv in e-postadress (krävs på den här hemservern)", + "msisdn_field_description": "Andra användare kan bjuda in dig till rum med dina kontaktuppgifter", + "registration_msisdn_field_required_invalid": "Skriv in telefonnummer (krävs på den här hemservern)" }, "room_list": { "sort_unread_first": "Visa rum med olästa meddelanden först", @@ -3992,7 +3939,13 @@ "see_changes_button": "Vad är nytt?", "release_notes_toast_title": "Vad är nytt", "toast_title": "Uppdatera %(brand)s", - "toast_description": "Ny version av %(brand)s är tillgänglig" + "toast_description": "Ny version av %(brand)s är tillgänglig", + "error_encountered": "Fel påträffat (%(errorDetail)s).", + "checking": "Letar efter uppdatering …", + "no_update": "Ingen uppdatering tillgänglig.", + "downloading": "Hämtar uppdatering …", + "new_version_available": "Ny version tillgänglig. Uppdatera nu.", + "check_action": "Leta efter uppdatering" }, "threads": { "all_threads": "Alla trådar", @@ -4045,7 +3998,35 @@ }, "labs_mjolnir": { "room_name": "Min bannlista", - "room_topic": "Det här är din lista med användare och server du har blockerat - lämna inte rummet!" + "room_topic": "Det här är din lista med användare och server du har blockerat - lämna inte rummet!", + "ban_reason": "Ignorerade/blockerade", + "error_adding_ignore": "Fel vid tilläggning av användare/server", + "something_went_wrong": "Någonting gick fel. Vänligen försök igen eller kolla i din konsol efter ledtrådar.", + "error_adding_list_title": "Fel vid prenumeration på listan", + "error_adding_list_description": "Vänligen verifiera rummets ID eller adress och försök igen.", + "error_removing_ignore": "Fel vid borttagning av ignorerad användare/server", + "error_removing_list_title": "Fel vid avprenumeration från listan", + "error_removing_list_description": "Vänligen försök igen eller kolla din konsol efter ledtrådar.", + "rules_title": "Bannlistregler - %(roomName)s", + "rules_server": "Serverregler", + "rules_user": "Användarregler", + "personal_empty": "Du har inte ignorerat någon.", + "personal_section": "Du ignorerar just nu:", + "no_lists": "Du prenumererar inte på några listor", + "view_rules": "Visa regler", + "lists": "Du prenumerera just nu på:", + "title": "Ignorerade användare", + "advanced_warning": "⚠ Dessa inställningar är till för avancerade användare.", + "explainer_1": "Lägg till användare och servrar du vill ignorera här. Använd asterisker för att få %(brand)s att matchar vilka tecken som helt. Till exempel, @bot:* kommer att ignorera alla användare med namnet 'bot' på vilken server som helst.", + "explainer_2": "Ignorering av användare görs genom bannlistor som innehåller regler för vilka som bannas. Att prenumerera på en bannlista betyder att användare/servrar blockerade av den listan kommer att döljas för dig.", + "personal_heading": "Personlig bannlista", + "personal_description": "Din personliga bannlista innehåller alla de användare och servrar du personligen inte vill se meddelanden ifrån. Efter att du ignorerar din första användare eller server så visas ett nytt rum i din rumslista med namnet '%(myBanList)s' - stanna i det här rummet för att bannlistan ska fortsätta gälla.", + "personal_new_label": "Server- eller användar-ID att ignorera", + "personal_new_placeholder": "t.ex.: @bot:* eller example.org", + "lists_heading": "Prenumererade listor", + "lists_description_1": "Att prenumerera till en bannlista kommer att få dig att gå med i den!", + "lists_description_2": "Om det här inte är det du vill, använd ett annat verktyg för att ignorera användare.", + "lists_new_label": "Rums-ID eller adress för bannlista" }, "create_space": { "name_required": "Vänligen ange ett namn för utrymmet", @@ -4110,6 +4091,12 @@ "private_unencrypted_warning": "Dina privata meddelanden är normalt krypterade, men det här rummet är inte det. Detta beror oftast på att en ostödd enhet eller metod används, som e-postinbjudningar.", "enable_encryption_prompt": "Aktivera kryptering i inställningarna.", "unencrypted_warning": "Totalsträckskryptering är inte aktiverat" + }, + "edit_topic": "Redigera ämne", + "read_topic": "Klicka för att läsa ämne", + "unread_notifications_predecessor": { + "other": "Du har %(count)s olästa aviseringar i en tidigare version av det här rummet.", + "one": "Du har %(count)s oläst avisering i en tidigare version av det här rummet." } }, "file_panel": { @@ -4124,9 +4111,31 @@ "intro": "För att fortsätta måste du acceptera villkoren för denna tjänst.", "column_service": "Tjänst", "column_summary": "Sammanfattning", - "column_document": "Dokument" + "column_document": "Dokument", + "tac_title": "Villkor", + "tac_description": "För att fortsätta använda hemservern %(homeserverDomain)s måste du granska och godkänna våra villkor.", + "tac_button": "Granska villkoren" }, "space_settings": { "title": "Inställningar - %(spaceName)s" + }, + "poll": { + "create_poll_title": "Skapa omröstning", + "create_poll_action": "Skapa omröstning", + "edit_poll_title": "Redigera omröstning", + "failed_send_poll_title": "Misslyckades att lägga upp omröstning", + "failed_send_poll_description": "Tyvärr så lades omröstningen du försökte skapa inte upp.", + "type_heading": "Omröstningstyp", + "type_open": "Öppen omröstning", + "type_closed": "Sluten omröstning", + "topic_heading": "Vad är din omröstnings fråga eller ämne?", + "topic_label": "Fråga eller ämne", + "topic_placeholder": "Skriv nånting …", + "options_heading": "Skapa alternativ", + "options_label": "Alternativ %(number)s", + "options_placeholder": "Skriv ett alternativ", + "options_add_button": "Lägg till alternativ", + "disclosed_notes": "Röstare ser resultatet så fort de har röstat", + "notes": "Resultat avslöjas inte förrän du avslutar omröstningen" } } diff --git a/src/i18n/strings/ta.json b/src/i18n/strings/ta.json index 4cd2901703..500f3eda99 100644 --- a/src/i18n/strings/ta.json +++ b/src/i18n/strings/ta.json @@ -26,7 +26,6 @@ "Saturday": "சனி", "Today": "இன்று", "Yesterday": "நேற்று", - "No update available.": "எந்த புதுப்பிப்பும் இல்லை.", "Thank you!": "உங்களுக்கு நன்றி", "Rooms": "அறைகள்", "This email address is already in use": "இந்த மின்னஞ்சல் முகவரி முன்னதாகவே பயன்பாட்டில் உள்ளது", @@ -166,7 +165,8 @@ }, "update": { "see_changes_button": "புதிதாக என்ன?", - "release_notes_toast_title": "புதிதாக வந்தவை" + "release_notes_toast_title": "புதிதாக வந்தவை", + "no_update": "எந்த புதுப்பிப்பும் இல்லை." }, "space": { "context_menu": { diff --git a/src/i18n/strings/te.json b/src/i18n/strings/te.json index 6c7396cac1..131343e201 100644 --- a/src/i18n/strings/te.json +++ b/src/i18n/strings/te.json @@ -1,5 +1,4 @@ { - "Account": "ఖాతా", "Admin Tools": "నిర్వాహకుని ఉపకరణాలు", "No Microphones detected": "మైక్రోఫోన్లు కనుగొనబడలేదు", "No Webcams detected": "వెబ్కామ్లు కనుగొనబడలేదు", @@ -13,12 +12,8 @@ "Are you sure you want to leave the room '%(roomName)s'?": "మీరు ఖచ్చితంగా గది '%(roomName)s' వదిలివేయాలనుకుంటున్నారా?", "Are you sure you want to reject the invitation?": "మీరు ఖచ్చితంగా ఆహ్వానాన్ని తిరస్కరించాలనుకుంటున్నారా?", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "గృహనిర్వాహకులకు కనెక్ట్ చేయలేరు - దయచేసి మీ కనెక్టివిటీని తనిఖీ చేయండి, మీ 1 హోమరుసు యొక్క ఎస్ఎస్ఎల్ సర్టిఫికేట్ 2 ని విశ్వసనీయపరుచుకొని, బ్రౌజర్ పొడిగింపు అభ్యర్థనలను నిరోధించబడదని నిర్ధారించుకోండి.", - "Change Password": "పాస్వర్డ్ మార్చండి", "You cannot place a call with yourself.": "మీకు మీరే కాల్ చేయలేరు.", "You need to be able to invite users to do that.": "మీరు దీన్ని చేయడానికి వినియోగదారులను ఆహ్వానించగలరు.", - "Confirm password": "పాస్వర్డ్ని నిర్ధారించండి", - "Cryptography": "క్రిప్టోగ్రఫీ", - "Current password": "ప్రస్తుత పాస్వర్డ్", "Custom level": "అనుకూల స్థాయి", "Deactivate Account": "ఖాతాను డీయాక్టివేట్ చేయండి", "Default": "డిఫాల్ట్", @@ -47,13 +42,11 @@ "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s", "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", "Upload avatar": "అవతార్ను అప్లోడ్ చేయండి", - "New passwords don't match": "కొత్త పాస్వర్డ్లు సరిపోలడం లేదు", "Connectivity to the server has been lost.": "సెర్వెర్ కనెక్టివిటీని కోల్పోయారు.", "Sent messages will be stored until your connection has returned.": "మీ కనెక్షన్ తిరిగి వచ్చే వరకు పంపిన సందేశాలు నిల్వ చేయబడతాయి.", "Failed to forget room %(errCode)s": "గది మర్చిపోవడం విఫలమైంది %(errCode)s", "Incorrect verification code": "ధృవీకరణ కోడ్ సరిగా లెదు", "unknown error code": "తెలియని కోడ్ లోపం", - "Please enter the code it contains:": "దయచేసి దాన్ని కలిగి ఉన్న కోడ్ను నమోదు చేయండి:", "Unable to restore session": "సెషన్ను పునరుద్ధరించడానికి సాధ్యపడలేదు", "Create new room": "క్రొత్త గది సృష్టించండి", "Favourite": "గుర్తుంచు", @@ -65,7 +58,6 @@ "Friday": "శుక్రువారం", "Changelog": "మార్పు వివరణ", "Source URL": "మూల URL", - "No update available.": "ఏ నవీకరణ అందుబాటులో లేదు.", "Tuesday": "మంగళవారం", "Monday": "సోమవారం", "All Rooms": "అన్ని గదులు", @@ -76,7 +68,6 @@ "Thursday": "గురువారం", "Search…": "శోధన…", "Yesterday": "నిన్న", - "Error encountered (%(errorDetail)s).": "లోపం సంభవించింది (%(errorDetail)s).", "Low Priority": "తక్కువ ప్రాధాన్యత", "Saturday": "శనివారం", "This email address is already in use": "ఈ ఇమెయిల్ అడ్రస్ ఇప్పటికే వాడుకం లో ఉంది", @@ -130,6 +121,12 @@ "appearance": { "timeline_image_size_default": "డిఫాల్ట్", "image_size_default": "డిఫాల్ట్" + }, + "security": { + "cryptography_section": "క్రిప్టోగ్రఫీ" + }, + "general": { + "account_section": "ఖాతా" } }, "timeline": { @@ -151,7 +148,14 @@ }, "auth": { "sso": "సింగిల్ సైన్ ఆన్", - "unsupported_auth_msisdn": "ఈ సర్వర్ ఫోన్ నంబర్తో ప్రామాణీకరణకు మద్దతు ఇవ్వదు." + "unsupported_auth_msisdn": "ఈ సర్వర్ ఫోన్ నంబర్తో ప్రామాణీకరణకు మద్దతు ఇవ్వదు.", + "change_password_mismatch": "కొత్త పాస్వర్డ్లు సరిపోలడం లేదు", + "change_password_confirm_label": "పాస్వర్డ్ని నిర్ధారించండి", + "change_password_current_label": "ప్రస్తుత పాస్వర్డ్", + "change_password_action": "పాస్వర్డ్ మార్చండి", + "uia": { + "msisdn_token_prompt": "దయచేసి దాన్ని కలిగి ఉన్న కోడ్ను నమోదు చేయండి:" + } }, "room_list": { "failed_remove_tag": "గది నుండి బొందు %(tagName)s తొలగించడంలో విఫలమైంది", @@ -169,5 +173,9 @@ "security": { "history_visibility_world_readable": "ఎవరైనా" } + }, + "update": { + "error_encountered": "లోపం సంభవించింది (%(errorDetail)s).", + "no_update": "ఏ నవీకరణ అందుబాటులో లేదు." } } diff --git a/src/i18n/strings/th.json b/src/i18n/strings/th.json index 25f4a48573..2ed1ade89c 100644 --- a/src/i18n/strings/th.json +++ b/src/i18n/strings/th.json @@ -1,7 +1,5 @@ { - "Account": "บัญชี", "No Microphones detected": "ไม่พบไมโครโฟน", - "Change Password": "เปลี่ยนรหัสผ่าน", "Default": "ค่าเริ่มต้น", "Default Device": "อุปกรณ์เริ่มต้น", "Decrypt %(text)s": "ถอดรหัส %(text)s", @@ -27,11 +25,7 @@ "Are you sure?": "คุณแน่ใจหรือไม่?", "Are you sure you want to leave the room '%(roomName)s'?": "คุณแน่ใจหรือว่าต้องการจะออกจากห้อง '%(roomName)s'?", "Are you sure you want to reject the invitation?": "คุณแน่ใจหรือว่าต้องการจะปฏิเสธคำเชิญ?", - "Confirm password": "ยืนยันรหัสผ่าน", - "Cryptography": "วิทยาการเข้ารหัส", - "Current password": "รหัสผ่านปัจจุบัน", "Deactivate Account": "ปิดการใช้งานบัญชี", - "Email": "อีเมล", "Email address": "ที่อยู่อีเมล", "Error decrypting attachment": "การถอดรหัสไฟล์แนบผิดพลาด", "Failed to ban user": "การแบนผู้ใช้ล้มเหลว", @@ -50,18 +44,14 @@ "Invalid Email Address": "ที่อยู่อีเมลไม่ถูกต้อง", "Invalid file%(extra)s": "ไฟล์ %(extra)s ไม่ถูกต้อง", "Invited": "เชิญแล้ว", - "Sign in with": "เข้าสู่ระบบด้วย", "Join Room": "เข้าร่วมห้อง", "Jump to first unread message.": "ข้ามไปยังข้อความแรกที่ยังไม่ได้อ่าน", "Missing user_id in request": "ไม่พบ user_id ในคำขอ", "Moderator": "ผู้ช่วยดูแล", - "New passwords don't match": "รหัสผ่านใหม่ไม่ตรงกัน", "New passwords must match each other.": "รหัสผ่านใหม่ทั้งสองช่องต้องตรงกัน", "not specified": "ไม่ได้ระบุ", "": "<ไม่รองรับ>", "No more results": "ไม่มีผลลัพธ์อื่น", - "Passwords can't be empty": "รหัสผ่านต้องไม่ว่าง", - "Phone": "โทรศัพท์", "Please check your email and click on the link it contains. Once this is done, click continue.": "กรุณาเช็คอีเมลและคลิกลิงก์ข้างใน หลังจากนั้น คลิกดำเนินการต่อ", "Reject invitation": "ปฏิเสธคำเชิญ", "Return to login screen": "กลับไปยังหน้าลงชื่อเข้าใช้", @@ -71,15 +61,12 @@ "Search failed": "การค้นหาล้มเหลว", "Server may be unavailable, overloaded, or search timed out :(": "เซิร์ฟเวอร์อาจไม่พร้อมใช้งาน ทำงานหนักเกินไป หรือการค้นหาหมดเวลา :(", "Server may be unavailable, overloaded, or you hit a bug.": "เซิร์ฟเวอร์อาจไม่พร้อมใช้งาน ทำงานหนักเกินไป หรือเจอจุดบกพร่อง", - "Signed Out": "ออกจากระบบแล้ว", "This email address is already in use": "ที่อยู่อีเมลถูกใช้แล้ว", "This email address was not found": "ไม่พบที่อยู่อีเมล", "This phone number is already in use": "หมายเลขโทรศัพท์นี้ถูกใช้งานแล้ว", "Create new room": "สร้างห้องใหม่", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "ไม่สามารถเชื่อมต่อไปยังเซิร์ฟเวอร์บ้านผ่านทาง HTTP ได้เนื่องจาก URL ที่อยู่บนเบราว์เซอร์เป็น HTTPS กรุณาใช้ HTTPS หรือเปิดใช้งานสคริปต์ที่ไม่ปลอดภัย.", - "Export E2E room keys": "ส่งออกกุญแจถอดรหัส E2E", "Failed to change power level": "การเปลี่ยนระดับอำนาจล้มเหลว", - "Import E2E room keys": "นำเข้ากุญแจถอดรหัส E2E", "Unable to add email address": "ไมาสามารถเพิ่มที่อยู่อีเมล", "Unable to verify email address.": "ไม่สามารถยืนยันที่อยู่อีเมล", "Unban": "ปลดแบน", @@ -114,7 +101,6 @@ "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s %(day)s %(monthName)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s %(day)s %(monthName)s %(fullYear)s %(time)s", "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", - "New Password": "รหัสผ่านใหม่", "Export room keys": "ส่งออกกุณแจห้อง", "Confirm passphrase": "ยืนยันรหัสผ่าน", "Import room keys": "นำเข้ากุณแจห้อง", @@ -148,7 +134,6 @@ "Unavailable": "ไม่มี", "Send": "ส่ง", "Source URL": "URL ต้นฉบับ", - "No update available.": "ไม่มีอัปเดตที่ใหม่กว่า", "Tuesday": "วันอังคาร", "Search…": "ค้นหา…", "Unnamed room": "ห้องที่ไม่มีชื่อ", @@ -161,7 +146,6 @@ "You cannot delete this message. (%(code)s)": "คุณไม่สามารถลบข้อความนี้ได้ (%(code)s)", "Thursday": "วันพฤหัสบดี", "Yesterday": "เมื่อวานนี้", - "Error encountered (%(errorDetail)s).": "เกิดข้อผิดพลาด (%(errorDetail)s)", "Low Priority": "ความสำคัญต่ำ", "Explore rooms": "สำรวจห้อง", "Add Email Address": "เพิ่มที่อยู่อีเมล", @@ -447,6 +431,14 @@ "one": "ออกจากระบบอุปกรณ์", "other": "ออกจากระบบอุปกรณ์" } + }, + "security": { + "export_megolm_keys": "ส่งออกกุญแจถอดรหัส E2E", + "import_megolm_keys": "นำเข้ากุญแจถอดรหัส E2E", + "cryptography_section": "วิทยาการเข้ารหัส" + }, + "general": { + "account_section": "บัญชี" } }, "timeline": { @@ -518,7 +510,17 @@ "server_picker_explainer": "ใช้ Matrix โฮมเซิร์ฟเวอร์ที่คุณต้องการหากคุณมี หรือโฮสต์ของคุณเอง", "server_picker_learn_more": "เกี่ยวกับโฮมเซิร์ฟเวอร์", "incorrect_credentials": "ชื่อผู้ใช้และ/หรือรหัสผ่านไม่ถูกต้อง", - "phone_label": "โทรศัพท์" + "phone_label": "โทรศัพท์", + "session_logged_out_title": "ออกจากระบบแล้ว", + "change_password_mismatch": "รหัสผ่านใหม่ไม่ตรงกัน", + "change_password_empty": "รหัสผ่านต้องไม่ว่าง", + "change_password_confirm_label": "ยืนยันรหัสผ่าน", + "change_password_current_label": "รหัสผ่านปัจจุบัน", + "change_password_new_label": "รหัสผ่านใหม่", + "change_password_action": "เปลี่ยนรหัสผ่าน", + "email_field_label": "อีเมล", + "msisdn_field_label": "โทรศัพท์", + "identifier_label": "เข้าสู่ระบบด้วย" }, "setting": { "help_about": { @@ -534,7 +536,9 @@ }, "update": { "see_changes_button": "มีอะไรใหม่?", - "release_notes_toast_title": "มีอะไรใหม่" + "release_notes_toast_title": "มีอะไรใหม่", + "error_encountered": "เกิดข้อผิดพลาด (%(errorDetail)s)", + "no_update": "ไม่มีอัปเดตที่ใหม่กว่า" }, "file_panel": { "guest_note": "คุณต้องลงทะเบียนเพื่อใช้ฟังก์ชันนี้" diff --git a/src/i18n/strings/tr.json b/src/i18n/strings/tr.json index 9f82281b48..83a16e7cb5 100644 --- a/src/i18n/strings/tr.json +++ b/src/i18n/strings/tr.json @@ -1,5 +1,4 @@ { - "Account": "Hesap", "Admin Tools": "Admin Araçları", "No Microphones detected": "Hiçbir Mikrofon bulunamadı", "No Webcams detected": "Hiçbir Web kamerası bulunamadı", @@ -19,20 +18,14 @@ "Are you sure you want to reject the invitation?": "Daveti reddetmek istediğinizden emin misiniz ?", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Ana Sunucu'ya bağlanılamıyor - lütfen bağlantınızı kontrol edin , Ana Sunucu SSL sertifikanızın güvenilir olduğundan ve bir tarayıcı uzantısının istekleri engellemiyor olduğundan emin olun.", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "Tarayıcı çubuğunuzda bir HTTPS URL'si olduğunda Ana Sunusuna HTTP üzerinden bağlanılamıyor . Ya HTTPS kullanın veya güvensiz komut dosyalarını etkinleştirin.", - "Change Password": "Şifre Değiştir", - "Confirm password": "Şifreyi Onayla", - "Cryptography": "Kriptografi", - "Current password": "Şimdiki Şifre", "Custom level": "Özel seviye", "Deactivate Account": "Hesabı Devre Dışı Bırakma", "Decrypt %(text)s": "%(text)s metninin şifresini çöz", "Default": "Varsayılan", "Download %(text)s": "%(text)s metnini indir", - "Email": "E-posta", "Email address": "E-posta Adresi", "Enter passphrase": "Şifre deyimi Girin", "Error decrypting attachment": "Ek şifresini çözme hatası", - "Export E2E room keys": "Uçtan uca Oda anahtarlarını Dışa Aktar", "Failed to ban user": "Kullanıcı yasaklama(Ban) başarısız", "Failed to change password. Is your password correct?": "Parola değiştirilemedi . Şifreniz doğru mu ?", "Failed to change power level": "Güç seviyesini değiştirme başarısız oldu", @@ -49,22 +42,18 @@ "Favourite": "Favori", "Filter room members": "Oda üyelerini Filtrele", "Forget room": "Odayı Unut", - "For security, this session has been signed out. Please sign in again.": "Güvenlik için , bu oturuma çıkış yapıldı . Lütfen tekrar oturum açın.", "Historical": "Tarihi", "Home": "Ev", - "Import E2E room keys": "Uçtan uca Oda Anahtarlarını İçe Aktar", "Incorrect verification code": "Yanlış doğrulama kodu", "Invalid Email Address": "Geçersiz E-posta Adresi", "Invalid file%(extra)s": "Geçersiz dosya %(extra)s'ı", "Invited": "Davet Edildi", - "Sign in with": "Şununla giriş yap", "Join Room": "Odaya Katıl", "Jump to first unread message.": "İlk okunmamış iletiye atla.", "Low priority": "Düşük öncelikli", "Missing room_id in request": "İstekte eksik room_id", "Missing user_id in request": "İstekte user_id eksik", "Moderator": "Moderatör", - "New passwords don't match": "Yeni şifreler uyuşmuyor", "New passwords must match each other.": "Yeni şifreler birbirleriyle eşleşmelidir.", "not specified": "Belirtilmemiş", "Notifications": "Bildirimler", @@ -72,8 +61,6 @@ "No display name": "Görünür isim yok", "No more results": "Başka sonuç yok", "Operation failed": "Operasyon başarısız oldu", - "Passwords can't be empty": "Şifreler boş olamaz", - "Phone": "Telefon", "Please check your email and click on the link it contains. Once this is done, click continue.": "Lütfen e-postanızı kontrol edin ve içerdiği bağlantıya tıklayın . Bu işlem tamamlandıktan sonra , 'devam et' e tıklayın .", "Power level must be positive integer.": "Güç seviyesi pozitif tamsayı olmalıdır.", "Profile": "Profil", @@ -90,15 +77,12 @@ "Server may be unavailable, overloaded, or search timed out :(": "Sunucu kullanılamıyor , aşırı yüklenmiş veya arama zaman aşımına uğramış olabilir :(", "Server may be unavailable, overloaded, or you hit a bug.": "Sunucu kullanılamıyor , aşırı yüklenmiş , veya bir hatayla karşılaşmış olabilirsiniz.", "Session ID": "Oturum ID", - "Signed Out": "Oturum Kapatıldı", - "Start authentication": "Kimlik Doğrulamayı başlatın", "This email address is already in use": "Bu e-posta adresi zaten kullanımda", "This email address was not found": "Bu e-posta adresi bulunamadı", "This room has no local addresses": "Bu oda hiçbir yerel adrese sahip değil", "This room is not recognised.": "Bu oda tanınmıyor.", "This doesn't appear to be a valid email address": "Bu geçerli bir e-posta adresi olarak gözükmüyor", "This phone number is already in use": "Bu telefon numarası zaten kullanımda", - "This room is not accessible by remote Matrix servers": "Bu oda uzak Matrix Sunucuları tarafından erişilebilir değil", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Bu odanın zaman çizelgesinde belirli bir nokta yüklemeye çalışıldı , ama geçerli mesajı görüntülemeye izniniz yok.", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Bu odanın akışında belirli bir noktaya yüklemeye çalışıldı , ancak bulunamadı.", "Unable to add email address": "E-posta adresi eklenemiyor", @@ -154,7 +138,6 @@ "other": "(~%(count)s sonuçlar)" }, "Create new room": "Yeni Oda Oluştur", - "New Password": "Yeni Şifre", "Passphrases must match": "Şifrenin eşleşmesi gerekir", "Passphrase must not be empty": "Şifrenin boş olmaması gerekir", "Export room keys": "Oda anahtarlarını dışa aktar", @@ -170,8 +153,6 @@ "Unknown error": "Bilinmeyen Hata", "Unable to restore session": "Oturum geri yüklenemiyor", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "Eğer daha önce %(brand)s'un daha yeni bir versiyonunu kullandıysanız , oturumunuz bu sürümle uyumsuz olabilir . Bu pencereyi kapatın ve daha yeni sürüme geri dönün.", - "Token incorrect": "Belirteç(Token) hatalı", - "Please enter the code it contains:": "Lütfen içerdiği kodu girin:", "Error decrypting image": "Resim şifre çözme hatası", "Error decrypting video": "Video şifre çözme hatası", "Add an Integration": "Entegrasyon ekleyin", @@ -180,7 +161,6 @@ "Your browser does not support the required cryptography extensions": "Tarayıcınız gerekli şifreleme uzantılarını desteklemiyor", "Not a valid %(brand)s keyfile": "Geçersiz bir %(brand)s anahtar dosyası", "Authentication check failed: incorrect password?": "Kimlik doğrulama denetimi başarısız oldu : yanlış şifre ?", - "Do you want to set an email address?": "Bir e-posta adresi ayarlamak ister misiniz ?", "This will allow you to reset your password and receive notifications.": "Bu şifrenizi sıfırlamanızı ve bildirimler almanızı sağlayacak.", "Sunday": "Pazar", "Notification targets": "Bildirim hedefleri", @@ -287,18 +267,8 @@ "Remove for everyone": "Herkes için sil", "This homeserver would like to make sure you are not a robot.": "Bu ana sunucu sizin bir robot olup olmadığınızdan emin olmak istiyor.", "Country Dropdown": "Ülke Listesi", - "Use an email address to recover your account": "Hesabınızı kurtarmak için bir e-posta adresi kullanın", - "Enter email address (required on this homeserver)": "E-posta adresi gir ( bu ana sunucuda gerekli)", - "Doesn't look like a valid email address": "Geçerli bir e-posta adresine benzemiyor", - "Enter password": "Şifre gir", - "Password is allowed, but unsafe": "Şifreye izin var, fakat kullanmak güvenli değil", - "Nice, strong password!": "Güzel, güçlü şifre!", - "Passwords don't match": "Şifreler uyuşmuyor", - "Enter phone number (required on this homeserver)": "Telefon numarası gir ( bu ana sunucuda gerekli)", - "Enter username": "Kullanıcı adı gir", "Email (optional)": "E-posta (opsiyonel)", "Couldn't load page": "Sayfa yüklenemiyor", - "Old cryptography data detected": "Eski kriptolama verisi tespit edildi", "Verification Request": "Doğrulama Talebi", "Jump to first unread room.": "Okunmamış ilk odaya zıpla.", "Jump to first invite.": "İlk davete zıpla.", @@ -356,7 +326,6 @@ "Headphones": "Kulaklık", "Folder": "Klasör", "Accept to continue:": "Devam etmek için i kabul ediniz:", - "not found": "bulunamadı", "in account data": "hesap verisinde", "Cannot connect to integration manager": "Entegrasyon yöneticisine bağlanılamadı", "Delete Backup": "Yedek Sil", @@ -370,7 +339,6 @@ "Checking server": "Sunucu kontrol ediliyor", "Change identity server": "Kimlik sunucu değiştir", "Please contact your homeserver administrator.": "Lütfen anasunucu yöneticiniz ile bağlantıya geçin.", - "Unable to find a supported verification method.": "Desteklenen doğrulama yöntemi bulunamadı.", "Dog": "Köpek", "Cat": "Kedi", "Lion": "Aslan", @@ -408,27 +376,19 @@ "Manage integrations": "Entegrasyonları yönet", "Email addresses": "E-posta adresleri", "Phone numbers": "Telefon numaraları", - "Language and region": "Dil ve bölge", "Account management": "Hesap yönetimi", "General": "Genel", "Discovery": "Keşfet", - "Check for update": "Güncelleme kontrolü", - "Server rules": "Sunucu kuralları", - "User rules": "Kullanıcı kuralları", - "View rules": "Kuralları görüntüle", "No Audio Outputs detected": "Ses çıkışları tespit edilemedi", "Audio Output": "Ses Çıkışı", "Voice & Video": "Ses & Video", "Room information": "Oda bilgisi", - "Room version": "Oda sürümü", - "Room version:": "Oda versiyonu:", "Room Addresses": "Oda Adresleri", "Uploaded sound": "Yüklenen ses", "Sounds": "Sesler", "Notification sound": "Bildirim sesi", "Browse": "Gözat", "Banned by %(displayName)s": "%(displayName)s tarafından yasaklandı", - "Encryption": "Şifreleme", "Unable to share email address": "E-posta adresi paylaşılamıyor", "Your email address hasn't been verified yet": "E-posta adresiniz henüz doğrulanmadı", "Verify the link in your inbox": "Gelen kutunuzdaki linki doğrulayın", @@ -448,8 +408,6 @@ "one": "1 mesajı sil" }, "Rooster": "Horoz", - "Cross-signing public keys:": "Çarpraz-imzalama açık anahtarları:", - "Cross-signing private keys:": "Çarpraz-imzalama gizli anahtarları:", "Terms of service not accepted or the identity server is invalid.": "Hizmet şartları kabuk edilmedi yada kimlik sunucu geçersiz.", "The identity server you have chosen does not have any terms of service.": "Seçtiğiniz kimlik sunucu herhangi bir hizmet şartları sözleşmesine sahip değil.", "Disconnect identity server": "Kimlik sunucu bağlantısını kes", @@ -510,25 +468,11 @@ "You are still sharing your personal data on the identity server .": "Kimlik sunucusu üzerinde hala kişisel veri paylaşımı yapıyorsunuz .", "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Kimlik sunucusundan bağlantıyı kesmeden önce telefon numaranızı ve e-posta adreslerinizi silmenizi tavsiye ederiz.", "Deactivate account": "Hesabı pasifleştir", - "Something went wrong. Please try again or view your console for hints.": "Bir şeyler hatalı gitti. Lütfen yeniden deneyin veya ipuçları için konsolunuza bakın.", - "Please try again or view your console for hints.": "Lütfen yeniden deneyin veya ipuçları için konsolunuza bakın.", "None": "Yok", - "Ban list rules - %(roomName)s": "Yasak Liste Kuralları - %(roomName)s", - "You have not ignored anyone.": "Kimseyi yok saymamışsınız.", - "You are currently ignoring:": "Halihazırda yoksaydıklarınız:", - "You are currently subscribed to:": "Halizhazırdaki abonelikleriniz:", "Ignored users": "Yoksayılan kullanıcılar", - "Personal ban list": "Kişisel yasak listesi", - "Server or user ID to ignore": "Yoksaymak için sunucu veya kullanıcı ID", - "eg: @bot:* or example.org": "örn: @bot:* veya example.org", - "Subscribed lists": "Abone olunmuş listeler", - "If this isn't what you want, please use a different tool to ignore users.": "Eğer istediğiniz bu değilse, kullanıcıları yoksaymak için lütfen farklı bir araç kullanın.", "Bulk options": "Toplu işlem seçenekleri", "Accept all %(invitedRooms)s invites": "Bütün %(invitedRooms)s davetlerini kabul et", "Request media permissions": "Medya izinleri talebi", - "Upgrade this room to the recommended room version": "Bu odayı önerilen oda sürümüne yükselt", - "View older messages in %(roomName)s.": "%(roomName)s odasında daha eski mesajları göster.", - "This bridge is managed by .": "Bu köprü tarafından yönetiliyor.", "Set a new custom sound": "Özel bir ses ayarla", "Error changing power level requirement": "Güç düzey gereksinimi değiştirmede hata", "Error changing power level": "Güç düzeyi değiştirme hatası", @@ -552,13 +496,6 @@ "The user's homeserver does not support the version of the room.": "Kullanıcının ana sunucusu odanın sürümünü desteklemiyor.", "Unknown server error": "Bilinmeyen sunucu hatası", "Missing media permissions, click the button below to request.": "Medya izinleri eksik, alttaki butona tıkayarak talep edin.", - "Ignored/Blocked": "Yoksayılan/Bloklanan", - "Error adding ignored user/server": "Yoksayılan kullanıcı/sunucu eklenirken hata", - "Error subscribing to list": "Listeye abone olunurken hata", - "Error removing ignored user/server": "Yoksayılan kullanıcı/sunucu silinirken hata", - "Error unsubscribing from list": "Listeden abonelikten çıkılırken hata", - "You are not subscribed to any lists": "Herhangi bir listeye aboneliğiniz bulunmuyor", - "⚠ These settings are meant for advanced users.": "⚠ Bu ayarlar ileri düzey kullanıcılar içindir.", "Unignore": "Yoksayma", "Unable to revoke sharing for email address": "E-posta adresi paylaşımı kaldırılamadı", "Unable to revoke sharing for phone number": "Telefon numarası paylaşımı kaldırılamıyor", @@ -583,8 +520,6 @@ "You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Parolanızı sıfırlayabilirsiniz, fakat kimlik sunucunuz çevrimiçi olana kadar bazı özellikler mevcut olmayacak. Bu uyarıyı sürekli görüyorsanız, yapılandırmanızı kontrol edin veya sunucu yöneticinizle iletişime geçin.", "You can log in, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Oturum açabilirsiniz, fakat kimlik sunucunuz çevrimiçi olana kadar bazı özellikler mevcut olmayacak. Bu uyarıyı sürekli görüyorsanız, yapılandırmanızı kontrol edin veya sunucu yöneticinizle iletişime geçin.", "The user must be unbanned before they can be invited.": "Kullanıcının davet edilebilmesi için öncesinde yasağının kaldırılması gereklidir.", - "Got It": "Anlaşıldı", - "Subscribing to a ban list will cause you to join it!": "Bir yasak listesine abonelik ona katılmanıza yol açar!", "Message search": "Mesaj arama", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Kullanıcının güç düzeyini değiştirirken bir hata oluştu. Yeterli izinlere sahip olduğunuza emin olun ve yeniden deneyin.", "Click the link in the email you received to verify and then click continue again.": "Aldığınız e-postaki bağlantıyı tıklayarak doğrulayın ve sonra tekrar tıklayarak devam edin.", @@ -602,18 +537,13 @@ "Upgrade your encryption": "Şifrelemenizi güncelleyin", "Create key backup": "Anahtar yedeği oluştur", "Set up Secure Messages": "Güvenli Mesajları Ayarla", - "Waiting for %(displayName)s to verify…": "%(displayName)s ın doğrulaması için bekleniyor…", "Other users may not trust it": "Diğer kullanıcılar güvenmeyebilirler", "Later": "Sonra", "Show more": "Daha fazla göster", - "in memory": "hafızada", - "in secret storage": "sır deposunda", "Secret storage public key:": "Sır deposu açık anahtarı:", "The integration manager is offline or it cannot reach your homeserver.": "Entegrasyon yöneticisi çevrim dışı veya anasunucunuza erişemiyor.", "Connect this session to Key Backup": "Anahtar Yedekleme için bu oturuma bağlanın", "This backup is trusted because it has been restored on this session": "Bu yedek güvenilir çünkü bu oturumda geri döndürüldü", - "Session ID:": "Oturum ID:", - "Session key:": "Oturum anahtarı:", "This user has not verified all of their sessions.": "Bu kullanıcı bütün oturumlarında doğrulanmamış.", "You have not verified this user.": "Bu kullanıcıyı doğrulamadınız.", "Someone is using an unknown session": "Birisi bilinmeyen bir oturum kullanıyor", @@ -636,8 +566,6 @@ "one": "%(count)s oturum" }, "%(name)s cancelled verifying": "%(name)s doğrulama iptal edildi", - "Error encountered (%(errorDetail)s).": "Hata oluştu (%(errorDetail)s).", - "No update available.": "Güncelleme yok.", "Cancel search": "Aramayı iptal et", "Your display name": "Ekran adınız", "Your user ID": "Kullanıcı ID", @@ -652,10 +580,8 @@ "Session key": "Oturum anahtarı", "Recent Conversations": "Güncel Sohbetler", "Recently Direct Messaged": "Güncel Doğrudan Mesajlar", - "Cancelling…": "İptal ediliyor…", "Lock": "Kilit", "Your homeserver does not support cross-signing.": "Ana sunucunuz çapraz imzalamayı desteklemiyor.", - "exists": "mevcut", "Your keys are not being backed up from this session.": "Anahtarlarınız bu oturum tarafından yedeklenmiyor.", "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Bir metin mesajı gönderildi: +%(msisdn)s. Lütfen içerdiği doğrulama kodunu girin.", "You have verified this user. This user has verified all of their sessions.": "Bu kullanıcıyı doğruladınız. Bu kullanıcı tüm oturumlarını doğruladı.", @@ -683,8 +609,6 @@ "To help us prevent this in future, please send us logs.": "Bunun gelecekte de olmasının önüne geçmek için lütfen günceleri bize gönderin.", "Upload files (%(current)s of %(total)s)": "Dosyaları yükle (%(current)s / %(total)s)", "Failed to decrypt %(failedCount)s sessions!": "%(failedCount)s adet oturum çözümlenemedi!", - "Confirm your identity by entering your account password below.": "Hesabınızın şifresini aşağıya girerek kimliğinizi teyit edin.", - "A text message has been sent to %(msisdn)s": "%(msisdn)s ye bir metin mesajı gönderildi", "Join millions for free on the largest public server": "En büyük açık sunucu üzerindeki milyonlara ücretsiz ulaşmak için katılın", "This room is not public. You will not be able to rejoin without an invite.": "Bu oda açık bir oda değil. Davet almadan tekrar katılamayacaksınız.", "Something went wrong trying to invite the users.": "Kullanıcıların davet edilmesinde bir şeyler yanlış gitti.", @@ -969,9 +893,6 @@ "Bahamas": "Bahamalar", "Azerbaijan": "Azerbaycan", "Austria": "Avusturya", - "Review terms and conditions": "Hükümler ve koşulları incele", - "Terms and Conditions": "Hükümler ve koşullar", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "%(homeserverDomain)s ana sunucusunu kullanmaya devam etmek için hüküm ve koşulları incelemeli ve kabul etmelisiniz.", "Click to view edits": "Düzenlemeleri görmek için tıkla", "Edited at %(date)s": "%(date)s tarihinde düzenlendi", "%(name)s declined": "%(name)s reddetti", @@ -1028,18 +949,10 @@ "Use Single Sign On to continue": "Devam etmek için tek seferlik oturum açın", "Change notification settings": "Bildirim ayarlarını değiştir", "Your server isn't responding to some requests.": "Sunucunuz bası istekler'e onay vermiyor.", - "User signing private key:": "Kullanıcı imzalı özel anahtar", - "Homeserver feature support:": "Ana sunucu özellik desteği:", - "Self signing private key:": "Kendinden imzalı özel anahtar:", - "not found locally": "yerel olarak bulunamadı", - "cached locally": "yerel olarak önbelleğe alındı", "Thumbs up": "Başparmak havaya", "Santa": "Noel Baba", "Spanner": "Anahtar", "Smiley": "Gülen yüz", - "Verify this user by confirming the following number appears on their screen.": "Aşağıdaki numaranın ekranlarında göründüğünü onaylayarak bu kullanıcıyı doğrulayın.", - "Verify this user by confirming the following emoji appear on their screen.": "Aşağıdaki emojinin ekranlarında göründüğünü onaylayarak bu kullanıcıyı doğrulayın.", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Bu kullanıcıyla olan güvenli mesajlar uçtan uca şifrelidir ve 3 taraflar tarafından okunamaz.", "Dial pad": "Arama tuşları", "Are you sure? You will lose your encrypted messages if your keys are not backed up properly.": "Emin misiniz? Eğer anahtarlarınız doğru bir şekilde yedeklemediyse, şifrelenmiş iletilerinizi kaybedeceksiniz.", "The operation could not be completed": "Eylem tamamlanamadı", @@ -1050,8 +963,6 @@ "one": "İletilerin arama sonuçlarında gözükmeleri için %(rooms)s odasından %(size)s yardımıyla depolayarak, şifrelenmiş iletileri güvenli bir şekilde yerel olarak önbelleğe al.", "other": "İletilerin arama sonuçlarında gözükmeleri için %(rooms)s odalardan %(size)s yardımıyla depolayarak, şifrelenmiş iletileri güvenli bir şekilde yerel olarak önbelleğe al." }, - "not found in storage": "Cihazda bulunamadı", - "This bridge was provisioned by .": "Bu köprü tarafından sağlandı.", "Verify all users in a room to ensure it's secure.": "Güvenli olduğuna emin olmak için odadaki tüm kullanıcıları onaylayın.", "No recent messages by %(user)s found": "%(user)s kullanıcısın hiç yeni ileti yok", "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Onaylamanız için size e-posta gönderdik. Lütfen yönergeleri takip edin ve sonra aşağıdaki butona tıklayın.", @@ -1077,7 +988,6 @@ "Room options": "Oda ayarları", "Forget Room": "Odayı unut", "Open dial pad": "Arama tuşlarını aç", - "New version available. Update now.": "Yeni sürüm mevcut: Şimdi güncelle.", "You should:": "Şunu yapmalısınız:", "not ready": "hazır değil", "ready": "hazır", @@ -1124,10 +1034,6 @@ "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Odanın güç düzeyi gereksinimlerini değiştirirken bir hata ile karşılaşıldı. Yeterince yetkiniz olduğunuzdan emin olup yeniden deyin.", "This room is bridging messages to the following platforms. Learn more.": "Bu oda, iletileri sözü edilen platformlara köprülüyor. Daha fazla bilgi için.", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Sunucu yönetinciniz varsayılan olarak odalarda ve doğrudandan iletilerde uçtan uca şifrelemeyi kapadı.", - "Room ID or address of ban list": "Engelleme listesinin oda kimliği ya da adresi", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Kullanıcıları engelleme, hangi kullanıcıları engelleyeceğini belirleyen kurallar bulunduran bir engelleme listesi kullanılarak gerçekleşir. Bir engelleme listesine abone olmak, o listeden engellenen kullanıcıların veya sunucuların sizden gizlenmesi demektir.", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Görmezden gelmek istediğiniz kullanıcıları ya da sunucuları buraya ekleyin. %(brand)s uygulamasının herhangi bir karakteri eşleştirmesini istiyorsanız yıldız imi kullanın. Örneğin @fobar:*, \"foobar\" adlı kullanıcıların hepsini bütün sunucularda görmezden gelir.", - "Please verify the room ID or address and try again.": "Lütfen oda kimliğini ya da adresini doğrulayıp yeniden deneyin.", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Başkaları tarafından e-posta adresi ya da telefon numarası ile bulunabilmek için %(serverName)s kimlik sunucusunun Kullanım Koşullarını kabul edin.", "Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Bir kimlik sunucusu kullanmak isteğe bağlıdır. Eğer bir tane kullanmak istemezseniz başkaları tarafından bulunamayabilir ve başkalarını e-posta adresi ya da telefon numarası ile davet edemeyebilirsiniz.", "Disconnecting from your identity server will mean you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Kimlik sunucunuz ile bağlantıyı keserseniz başkaları tarafından bulunamayabilir ve başkalarını e-posta adresi ya da telefon numarası ile davet edemeyebilirsiniz.", @@ -1139,12 +1045,9 @@ "Disconnect from the identity server and connect to instead?": " kimlik sunucusundan bağlantı kesilip kimlik sunucusuna bağlanılsın mı?", "Back up your encryption keys with your account data in case you lose access to your sessions. Your keys will be secured with a unique Security Key.": "Olası bir oturuma erişememe durumunu önlemek için şifreleme anahtarlarınızı hesap verilerinizle yedekleyin. Anahtarlarınız eşsiz bir güvenlik anahtarı ile güvenlenecektir.", "well formed": "uygun biçimlendirilmiş", - "Master private key:": "Ana gizli anahtar", "Cross-signing is not set up.": "Çapraz imzalama ayarlanmamış.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Hesabınız gizli belleğinde çapraz imzalama kimliği barındırıyor ancak bu oturumda daha kullanılmış değil.", "Cross-signing is ready for use.": "Çapraz imzalama zaten kullanılıyor.", - "Channel: ": "Kanal: ", - "Workspace: ": "Çalışma alanı: ", "Unable to look up phone number": "Telefon numarasına bakılamadı", "There was an error looking up the phone number": "Telefon numarasına bakarken bir hata oluştu", "Use app": "Uygulamayı kullan", @@ -1349,7 +1252,11 @@ "group_widgets": "Widgetlar", "group_rooms": "Odalar", "group_voip": "Ses & Video", - "group_encryption": "Şifreleme" + "group_encryption": "Şifreleme", + "bridge_state_creator": "Bu köprü tarafından sağlandı.", + "bridge_state_manager": "Bu köprü tarafından yönetiliyor.", + "bridge_state_workspace": "Çalışma alanı: ", + "bridge_state_channel": "Kanal: " }, "keyboard": { "home": "Ev", @@ -1506,7 +1413,26 @@ "strict_encryption": "Şifreli mesajları asla bu oturumdaki doğrulanmamış oturumlara iletme", "enable_message_search": "Şifrelenmiş odalardaki mesaj aramayı aktifleştir", "message_search_sleep_time": "Mesajlar ne kadar hızlı indirilmeli.", - "manually_verify_all_sessions": "Bütün uzaktan oturumları el ile onayla" + "manually_verify_all_sessions": "Bütün uzaktan oturumları el ile onayla", + "cross_signing_public_keys": "Çarpraz-imzalama açık anahtarları:", + "cross_signing_in_memory": "hafızada", + "cross_signing_not_found": "bulunamadı", + "cross_signing_private_keys": "Çarpraz-imzalama gizli anahtarları:", + "cross_signing_in_4s": "sır deposunda", + "cross_signing_not_in_4s": "Cihazda bulunamadı", + "cross_signing_master_private_Key": "Ana gizli anahtar", + "cross_signing_cached": "yerel olarak önbelleğe alındı", + "cross_signing_not_cached": "yerel olarak bulunamadı", + "cross_signing_self_signing_private_key": "Kendinden imzalı özel anahtar:", + "cross_signing_user_signing_private_key": "Kullanıcı imzalı özel anahtar", + "cross_signing_homeserver_support": "Ana sunucu özellik desteği:", + "cross_signing_homeserver_support_exists": "mevcut", + "export_megolm_keys": "Uçtan uca Oda anahtarlarını Dışa Aktar", + "import_megolm_keys": "Uçtan uca Oda Anahtarlarını İçe Aktar", + "cryptography_section": "Kriptografi", + "session_id": "Oturum ID:", + "session_key": "Oturum anahtarı:", + "encryption_section": "Şifreleme" }, "preferences": { "room_list_heading": "Oda listesi", @@ -1549,6 +1475,10 @@ "other": "Bu cihazların oturumunu kapatmak için aşağıdaki butona tıkla." }, "security_recommendations": "Güvenlik önerileri" + }, + "general": { + "account_section": "Hesap", + "language_section": "Dil ve bölge" } }, "devtools": { @@ -1959,6 +1889,13 @@ "user_url_previews_default_off": "URL önizlemelerini varsayılan olarak devre dışı bıraktınız.", "default_url_previews_off": "URL ön izlemeleri, bu odadaki kullanıcılar için varsayılan olarak devre dışı bıraktırılmıştır.", "url_previews_section": "URL önizlemeleri" + }, + "advanced": { + "unfederated": "Bu oda uzak Matrix Sunucuları tarafından erişilebilir değil", + "room_upgrade_button": "Bu odayı önerilen oda sürümüne yükselt", + "room_predecessor": "%(roomName)s odasında daha eski mesajları göster.", + "room_version_section": "Oda sürümü", + "room_version": "Oda versiyonu:" } }, "encryption": { @@ -1971,8 +1908,16 @@ "complete_description": "Bu kullanıcıyı başarılı şekilde doğruladınız.", "qr_prompt": "Bu eşsiz kodu tara", "sas_prompt": "Benzersiz emoji karşılaştır", - "sas_description": "Her iki cihazda da kamera yoksa benzersiz bir emoji setini karşılaştırın" - } + "sas_description": "Her iki cihazda da kamera yoksa benzersiz bir emoji setini karşılaştırın", + "explainer": "Bu kullanıcıyla olan güvenli mesajlar uçtan uca şifrelidir ve 3 taraflar tarafından okunamaz.", + "complete_action": "Anlaşıldı", + "sas_emoji_caption_user": "Aşağıdaki emojinin ekranlarında göründüğünü onaylayarak bu kullanıcıyı doğrulayın.", + "sas_caption_user": "Aşağıdaki numaranın ekranlarında göründüğünü onaylayarak bu kullanıcıyı doğrulayın.", + "unsupported_method": "Desteklenen doğrulama yöntemi bulunamadı.", + "waiting_other_user": "%(displayName)s ın doğrulaması için bekleniyor…", + "cancelling": "İptal ediliyor…" + }, + "old_version_detected_title": "Eski kriptolama verisi tespit edildi" }, "emoji": { "category_frequently_used": "Sıklıkla Kullanılan", @@ -2022,7 +1967,35 @@ "account_deactivated": "Hesap devre dışı bırakıldı.", "registration_username_validation": "Sadece küçük harfler, numara, tire ve alt tire kullanın", "phone_label": "Telefon", - "phone_optional_label": "Telefon (opsiyonel)" + "phone_optional_label": "Telefon (opsiyonel)", + "session_logged_out_title": "Oturum Kapatıldı", + "session_logged_out_description": "Güvenlik için , bu oturuma çıkış yapıldı . Lütfen tekrar oturum açın.", + "change_password_mismatch": "Yeni şifreler uyuşmuyor", + "change_password_empty": "Şifreler boş olamaz", + "set_email_prompt": "Bir e-posta adresi ayarlamak ister misiniz ?", + "change_password_confirm_label": "Şifreyi Onayla", + "change_password_confirm_invalid": "Şifreler uyuşmuyor", + "change_password_current_label": "Şimdiki Şifre", + "change_password_new_label": "Yeni Şifre", + "change_password_action": "Şifre Değiştir", + "email_field_label": "E-posta", + "email_field_label_invalid": "Geçerli bir e-posta adresine benzemiyor", + "uia": { + "password_prompt": "Hesabınızın şifresini aşağıya girerek kimliğinizi teyit edin.", + "msisdn_token_incorrect": "Belirteç(Token) hatalı", + "msisdn": "%(msisdn)s ye bir metin mesajı gönderildi", + "msisdn_token_prompt": "Lütfen içerdiği kodu girin:", + "fallback_button": "Kimlik Doğrulamayı başlatın" + }, + "password_field_label": "Şifre gir", + "password_field_strong_label": "Güzel, güçlü şifre!", + "password_field_weak_label": "Şifreye izin var, fakat kullanmak güvenli değil", + "username_field_required_invalid": "Kullanıcı adı gir", + "msisdn_field_label": "Telefon", + "identifier_label": "Şununla giriş yap", + "reset_password_email_field_description": "Hesabınızı kurtarmak için bir e-posta adresi kullanın", + "reset_password_email_field_required_invalid": "E-posta adresi gir ( bu ana sunucuda gerekli)", + "registration_msisdn_field_required_invalid": "Telefon numarası gir ( bu ana sunucuda gerekli)" }, "room_list": { "sort_unread_first": "Önce okunmamış mesajları olan odaları göster", @@ -2162,14 +2135,45 @@ "see_changes_button": "Yeni olan ne ?", "release_notes_toast_title": "Yenilikler", "toast_title": "%(brand)s 'i güncelle", - "toast_description": "%(brand)s 'in yeni versiyonu hazır" + "toast_description": "%(brand)s 'in yeni versiyonu hazır", + "error_encountered": "Hata oluştu (%(errorDetail)s).", + "no_update": "Güncelleme yok.", + "new_version_available": "Yeni sürüm mevcut: Şimdi güncelle.", + "check_action": "Güncelleme kontrolü" }, "theme": { "light_high_contrast": "Yüksek ışık kontrastı" }, "labs_mjolnir": { "room_name": "Yasaklı Listem", - "room_topic": "Bu sizin engellediğiniz kullanıcılar/sunucular listeniz - odadan ayrılmayın!" + "room_topic": "Bu sizin engellediğiniz kullanıcılar/sunucular listeniz - odadan ayrılmayın!", + "ban_reason": "Yoksayılan/Bloklanan", + "error_adding_ignore": "Yoksayılan kullanıcı/sunucu eklenirken hata", + "something_went_wrong": "Bir şeyler hatalı gitti. Lütfen yeniden deneyin veya ipuçları için konsolunuza bakın.", + "error_adding_list_title": "Listeye abone olunurken hata", + "error_adding_list_description": "Lütfen oda kimliğini ya da adresini doğrulayıp yeniden deneyin.", + "error_removing_ignore": "Yoksayılan kullanıcı/sunucu silinirken hata", + "error_removing_list_title": "Listeden abonelikten çıkılırken hata", + "error_removing_list_description": "Lütfen yeniden deneyin veya ipuçları için konsolunuza bakın.", + "rules_title": "Yasak Liste Kuralları - %(roomName)s", + "rules_server": "Sunucu kuralları", + "rules_user": "Kullanıcı kuralları", + "personal_empty": "Kimseyi yok saymamışsınız.", + "personal_section": "Halihazırda yoksaydıklarınız:", + "no_lists": "Herhangi bir listeye aboneliğiniz bulunmuyor", + "view_rules": "Kuralları görüntüle", + "lists": "Halizhazırdaki abonelikleriniz:", + "title": "Yoksayılan kullanıcılar", + "advanced_warning": "⚠ Bu ayarlar ileri düzey kullanıcılar içindir.", + "explainer_1": "Görmezden gelmek istediğiniz kullanıcıları ya da sunucuları buraya ekleyin. %(brand)s uygulamasının herhangi bir karakteri eşleştirmesini istiyorsanız yıldız imi kullanın. Örneğin @fobar:*, \"foobar\" adlı kullanıcıların hepsini bütün sunucularda görmezden gelir.", + "explainer_2": "Kullanıcıları engelleme, hangi kullanıcıları engelleyeceğini belirleyen kurallar bulunduran bir engelleme listesi kullanılarak gerçekleşir. Bir engelleme listesine abone olmak, o listeden engellenen kullanıcıların veya sunucuların sizden gizlenmesi demektir.", + "personal_heading": "Kişisel yasak listesi", + "personal_new_label": "Yoksaymak için sunucu veya kullanıcı ID", + "personal_new_placeholder": "örn: @bot:* veya example.org", + "lists_heading": "Abone olunmuş listeler", + "lists_description_1": "Bir yasak listesine abonelik ona katılmanıza yol açar!", + "lists_description_2": "Eğer istediğiniz bu değilse, kullanıcıları yoksaymak için lütfen farklı bir araç kullanın.", + "lists_new_label": "Engelleme listesinin oda kimliği ya da adresi" }, "room": { "drop_file_prompt": "Yüklemek için dosyaları buraya bırakın", @@ -2201,6 +2205,9 @@ "intro": "Devam etmek için bu servisi kullanma şartlarını kabul etmeniz gerekiyor.", "column_service": "Hizmet", "column_summary": "Özet", - "column_document": "Belge" + "column_document": "Belge", + "tac_title": "Hükümler ve koşullar", + "tac_description": "%(homeserverDomain)s ana sunucusunu kullanmaya devam etmek için hüküm ve koşulları incelemeli ve kabul etmelisiniz.", + "tac_button": "Hükümler ve koşulları incele" } } diff --git a/src/i18n/strings/tzm.json b/src/i18n/strings/tzm.json index 6036296638..e3da1f039e 100644 --- a/src/i18n/strings/tzm.json +++ b/src/i18n/strings/tzm.json @@ -18,7 +18,6 @@ "Sun": "Asa", "Add Phone Number": "Rnu uṭṭun n utilifun", "Add Email Address": "Rnu tasna imayl", - "exists": "illa", "Santa": "Santa", "Pizza": "Tapizzat", "Corn": "Akbal", @@ -43,8 +42,6 @@ "Algeria": "Dzayer", "Albania": "Albanya", "Afghanistan": "Afɣanistan", - "Phone": "Atilifun", - "Email": "Imayl", "Send": "Azen", "edited": "infel", "Copied!": "inɣel!", @@ -53,7 +50,6 @@ "Re-join": "als-lkem", "%(duration)sd": "%(duration)sas", "None": "Walu", - "Account": "Amiḍan", "Algorithm:": "Talguritmit:", "Profile": "Ifres", "Folder": "Asdaw", @@ -165,11 +161,21 @@ }, "auth": { "register_action": "senflul amiḍan", - "phone_label": "Atilifun" + "phone_label": "Atilifun", + "email_field_label": "Imayl", + "msisdn_field_label": "Atilifun" }, "room_settings": { "permissions": { "permissions_section": "Tisirag" } + }, + "settings": { + "security": { + "cross_signing_homeserver_support_exists": "illa" + }, + "general": { + "account_section": "Amiḍan" + } } } diff --git a/src/i18n/strings/uk.json b/src/i18n/strings/uk.json index 023364efb3..2c17e3f857 100644 --- a/src/i18n/strings/uk.json +++ b/src/i18n/strings/uk.json @@ -6,7 +6,6 @@ "Operation failed": "Не вдалося виконати дію", "unknown error code": "невідомий код помилки", "Failed to change password. Is your password correct?": "Не вдалось змінити пароль. Ви впевнені, що пароль введено правильно?", - "Account": "Обліковий запис", "Admin Tools": "Засоби адміністрування", "No Microphones detected": "Мікрофон не виявлено", "No Webcams detected": "Вебкамеру не виявлено", @@ -25,8 +24,6 @@ "Are you sure you want to leave the room '%(roomName)s'?": "Ви впевнені, що хочете вийти з «%(roomName)s»?", "Are you sure you want to reject the invitation?": "Ви впевнені, що хочете відхилити запрошення?", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "Не вдалося під'єднатися до домашнього сервера — перевірте з'єднання, переконайтесь, що ваш SSL-сертифікат домашнього сервера довірений і що розширення браузера не блокує запити.", - "Change Password": "Змінити пароль", - "Email": "Е-пошта", "Email address": "Адреса е-пошти", "Rooms": "Кімнати", "This email address is already in use": "Ця е-пошта вже використовується", @@ -41,7 +38,6 @@ "Unavailable": "Недоступний", "Source URL": "Початкова URL-адреса", "Filter results": "Відфільтрувати результати", - "No update available.": "Оновлення відсутні.", "Tuesday": "Вівторок", "Preparing to send logs": "Приготування до надсилання журланла", "Unnamed room": "Неназвана кімната", @@ -57,10 +53,8 @@ "Search…": "Пошук…", "Logs sent": "Журнали надіслані", "Yesterday": "Вчора", - "Error encountered (%(errorDetail)s).": "Трапилась помилка (%(errorDetail)s).", "Low Priority": "Неважливі", "Thank you!": "Дякуємо!", - "Check for update": "Перевірити на наявність оновлень", "Reject all %(invitedRooms)s invites": "Відхилити запрошення до усіх %(invitedRooms)s", "Profile": "Профіль", "Failed to verify email address: make sure you clicked the link in the email": "Не вдалось перевірити адресу електронної пошти: переконайтесь, що ви перейшли за посиланням у листі", @@ -130,15 +124,7 @@ "Authentication check failed: incorrect password?": "Помилка автентифікації: неправильний пароль?", "Please contact your homeserver administrator.": "Будь ласка, зв'яжіться з адміністратором вашого домашнього сервера.", "Incorrect verification code": "Неправильний код перевірки", - "Phone": "Телефон", "No display name": "Немає псевдоніма", - "New passwords don't match": "Нові паролі не збігаються", - "Passwords can't be empty": "Пароль не може бути порожнім", - "Export E2E room keys": "Експортувати ключі наскрізного шифрування кімнат", - "Do you want to set an email address?": "Бажаєте вказати адресу е-пошти?", - "Current password": "Поточний пароль", - "New Password": "Новий пароль", - "Confirm password": "Підтвердження пароля", "Failed to set display name": "Не вдалося налаштувати псевдонім", "This event could not be displayed": "Неможливо показати цю подію", "Unban": "Розблокувати", @@ -188,7 +174,6 @@ }, "Upload Error": "Помилка вивантаження", "Upload avatar": "Вивантажити аватар", - "For security, this session has been signed out. Please sign in again.": "З метою безпеки ваш сеанс було завершено. Увійдіть знову.", "Error upgrading room": "Помилка поліпшення кімнати", "Double check that your server supports the room version chosen and try again.": "Перевірте, чи підримує ваш сервер вказану версію кімнати та спробуйте ще.", "Failed to reject invitation": "Не вдалось відхилити запрошення", @@ -207,7 +192,6 @@ "Setting up keys": "Налаштовування ключів", "Verify this session": "Звірити цей сеанс", "Later": "Пізніше", - "Language and region": "Мова та регіон", "Account management": "Керування обліковим записом", "Deactivate Account": "Деактивувати обліковий запис", "Deactivate account": "Деактивувати обліковий запис", @@ -240,10 +224,6 @@ "Server may be unavailable, overloaded, or search timed out :(": "Сервер може бути недосяжним, перевантаженим або запит на пошук застарів :(", "No more results": "Інших результатів нема", "Failed to reject invite": "Не вдалось відхилити запрошення", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "Ви маєте %(count)s непрочитаних сповіщень у попередній версії цієї кімнати.", - "one": "У вас %(count)s непрочитане сповіщення у попередній версії цієї кімнати." - }, "Deactivate user?": "Деактивувати користувача?", "Deactivating this user will log them out and prevent them from logging back in. Additionally, they will leave all the rooms they are in. This action cannot be reversed. Are you sure you want to deactivate this user?": "Деактивація цього користувача виведе їх з системи й унеможливить вхід у майбутньому. До того ж вони вийдуть з усіх кімнат, у яких перебувають. Ця дія безповоротна. Ви впевнені, що хочете деактивувати цього користувача?", "Deactivate user": "Деактивувати користувача", @@ -292,31 +272,6 @@ "General": "Загальні", "Discovery": "Виявлення", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Щоб повідомити про проблеми безпеки Matrix, будь ласка, прочитайте Політику розкриття інформації Matrix.org.", - "Ignored/Blocked": "Ігноровані/Заблоковані", - "Error adding ignored user/server": "Помилка при додаванні ігнорованого користувача/сервера", - "Something went wrong. Please try again or view your console for hints.": "Щось пішло не так. Спробуйте знову, або пошукайте підказки в консолі.", - "Error subscribing to list": "Помилка при підписці на список", - "Please verify the room ID or address and try again.": "Перевірте ID кімнати, або адресу та повторіть спробу.", - "Error removing ignored user/server": "Помилка при видаленні ігнорованого користувача/сервера", - "Error unsubscribing from list": "Не вдалося відписатися від списку", - "Please try again or view your console for hints.": "Спробуйте знову, або подивіться повідомлення в консолі.", - "Ban list rules - %(roomName)s": "Правила блокування - %(roomName)s", - "Server rules": "Правила сервера", - "User rules": "Правила користування", - "You have not ignored anyone.": "Ви нікого не ігноруєте.", - "You are currently ignoring:": "Ви ігноруєте:", - "You are not subscribed to any lists": "Ви не підписані ні на один список", - "View rules": "Переглянути правила", - "You are currently subscribed to:": "Ви підписані на:", - "⚠ These settings are meant for advanced users.": "⚠ Ці налаштування розраховані на досвідчених користувачів.", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Нехтування людей реалізовано через списки правил блокування. Підписка на список блокування призведе до приховування від вас перелічених у ньому користувачів і серверів.", - "Personal ban list": "Особистий список блокування", - "Server or user ID to ignore": "Сервер або ID користувача для ігнорування", - "eg: @bot:* or example.org": "наприклад: @bot:* або example.org", - "Subscribed lists": "Підписані списки", - "Subscribing to a ban list will cause you to join it!": "Підписавшись на список блокування ви приєднаєтесь до нього!", - "If this isn't what you want, please use a different tool to ignore users.": "Якщо вас це не влаштовує, спробуйте інший інструмент для ігнорування користувачів.", - "Room ID or address of ban list": "ID кімнати або адреса списку блокування", "Error changing power level requirement": "Помилка під час зміни вимог до рівня повноважень", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Під час зміни вимог рівня повноважень кімнати трапилась помилка. Переконайтесь, що ви маєте необхідні дозволи і спробуйте ще раз.", "Error changing power level": "Помилка під час зміни рівня повноважень", @@ -331,7 +286,6 @@ "Confirm this user's session by comparing the following with their User Settings:": "Підтвердьте сеанс цього користувача шляхом порівняння наступного рядка з рядком з їхніх користувацьких налаштувань:", "All settings": "Усі налаштування", "Go to Settings": "Перейти до налаштувань", - "Cancelling…": "Скасування…", "Dog": "Пес", "Cat": "Кіт", "Lion": "Лев", @@ -393,8 +347,6 @@ "Cactus": "Кактус", "Mushroom": "Гриб", "Globe": "Глобус", - "This bridge was provisioned by .": "Цей міст було забезпечено .", - "This bridge is managed by .": "Цей міст керується .", "Show more": "Розгорнути", "Santa": "Св. Миколай", "Gift": "Подарунок", @@ -402,11 +354,6 @@ "Your homeserver does not support cross-signing.": "Ваш домашній сервер не підтримує перехресного підписування.", "well formed": "добре сформований", "unexpected type": "несподіваний тип", - "Cross-signing public keys:": "Відкриті ключі перехресного підписування:", - "in memory": "у пам'яті", - "not found": "не знайдено", - "Cross-signing private keys:": "Приватні ключі перехресного підписування:", - "exists": "існує", "Cannot connect to integration manager": "Не вдалося з'єднатися з менеджером інтеграцій", "Delete Backup": "Видалити резервну копію", "Restore from Backup": "Відновити з резервної копії", @@ -421,7 +368,6 @@ "No Audio Outputs detected": "Звуковий вивід не виявлено", "Audio Output": "Звуковий вивід", "Voice & Video": "Голос і відео", - "Upgrade this room to the recommended room version": "Поліпшити цю кімнату до рекомендованої версії", "Unable to revoke sharing for email address": "Не вдалось відкликати оприлюднювання адреси е-пошти", "Unable to revoke sharing for phone number": "Не вдалось відкликати оприлюднювання телефонного номеру", "Filter room members": "Відфільтрувати учасників кімнати", @@ -449,14 +395,12 @@ "This session is encrypting history using the new recovery method.": "Цей сеанс зашифровує історію новим відновлювальним засобом.", "Set up Secure Messages": "Налаштувати захищені повідомлення", "Recovery Method Removed": "Відновлювальний засіб було видалено", - "New version available. Update now.": "Доступна нова версія. Оновити зараз", "Upgrade public room": "Поліпшити відкриту кімнату", "Restore your key backup to upgrade your encryption": "Відновіть резервну копію вашого ключа, щоб поліпшити шифрування", "You'll need to authenticate with the server to confirm the upgrade.": "Ви матимете пройти розпізнання на сервері, щоб підтвердити поліпшення.", "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Поліпшіть цей сеанс, щоб уможливити звірення інших сеансів, надаючи їм доступ до зашифрованих повідомлень та позначаючи їх довіреними для інших користувачів.", "Upgrade your encryption": "Поліпшити ваше шифрування", "IRC display name width": "Ширина псевдоніма IRC", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Захищені повідомлення з цим користувачем є наскрізно зашифрованими та непрочитними для сторонніх осіб.", "Securely cache encrypted messages locally for them to appear in search results.": "Безпечно локально кешувати зашифровані повідомлення щоб вони з'являлись у результатах пошуку.", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s'ові бракує деяких складників, необхідних для безпечного локального кешування зашифрованих повідомлень. Якщо ви хочете поекспериментувати з цією властивістю, зберіть спеціальну збірку %(brand)s Desktop із доданням пошукових складників.", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s не може безпечно локально кешувати зашифровані повідомлення під час роботи у браузері. Користуйтесь %(brand)s для комп'ютерів, в якому зашифровані повідомлення з'являються у результатах пошуку.", @@ -479,8 +423,6 @@ "I don't want my encrypted messages": "Мені не потрібні мої зашифровані повідомлення", "You'll lose access to your encrypted messages": "Ви втратите доступ до ваших зашифрованих повідомлень", "Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "Бракує деяких даних сеансу, включно з ключами зашифрованих повідомлень. Вийдіть та зайдіть знову щоб виправити цю проблему, відновлюючи ключі з дубля.", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Було виявлено дані зі старої версії %(brand)s. Це призведе до збоїння наскрізного шифрування у старій версії. Наскрізно зашифровані повідомлення, що обмінювані нещодавно, під час використання старої версії, можуть бути недешифровними у цій версії. Це може призвести до збоїв повідомлень, обмінюваних також і з цією версією. У разі виникнення проблем вийдіть з програми та зайдіть знову. Задля збереження історії повідомлень експортуйте та переімпортуйте ваші ключі.", - "Verify this user by confirming the following emoji appear on their screen.": "Звірте цього користувача підтвердженням того, що наступні емодзі з'являються на його екрані.", "If you can't scan the code above, verify by comparing unique emoji.": "Якщо ви не можете сканувати зазначений код, звірте порівнянням унікальних емодзі.", "Verify by comparing unique emoji.": "Звірити порівнянням унікальних емодзі.", "Verify by emoji": "Звірити за допомогою емодзі", @@ -491,8 +433,6 @@ "You have ignored this user, so their message is hidden. Show anyways.": "Ви ігноруєте цього користувача, тож його повідомлення приховано. Все одно показати.", "Add an Integration": "Додати інтеграцію", "Show advanced": "Показати розширені", - "Review terms and conditions": "Переглянути умови користування", - "Old cryptography data detected": "Виявлено старі криптографічні дані", "Create account": "Створити обліковий запис", "Confirm your account deactivation by using Single Sign On to prove your identity.": "Підтвердьте деактивацію свого облікового запису через єдиний вхід, щоб підтвердити вашу особу.", "%(name)s (%(userId)s)": "%(name)s (%(userId)s)", @@ -501,7 +441,6 @@ "Set up Secure Backup": "Налаштувати захищене резервне копіювання", "Safeguard against losing access to encrypted messages & data": "Захистіться від втрати доступу до зашифрованих повідомлень і даних", "Change notification settings": "Змінити налаштування сповіщень", - "Got It": "Зрозуміло", "Comoros": "Коморські Острови", "Colombia": "Колумбія", "Cocos (Keeling) Islands": "Кокосові (Кілінг) Острови", @@ -760,12 +699,9 @@ "You're all caught up.": "Все готово.", "You've reached the maximum number of simultaneous calls.": "Ви досягли максимальної кількості одночасних викликів.", "Too Many Calls": "Забагато викликів", - "This room is not accessible by remote Matrix servers": "Ця кімната недоступна для віддалених серверів Matrix", "Explore rooms": "Каталог кімнат", - "Session key:": "Ключ сеансу:", "Hide sessions": "Сховати сеанси", "Hide verified sessions": "Сховати звірені сеанси", - "Session ID:": "ID сеансу:", "Click the button below to confirm setting up encryption.": "Клацніть на кнопку внизу, щоб підтвердити налаштування шифрування.", "Confirm encryption setup": "Підтвердити налаштування шифрування", "Widgets do not use message encryption.": "Віджети не використовують шифрування повідомлень.", @@ -773,7 +709,6 @@ "Encryption not enabled": "Шифрування не ввімкнено", "Ignored attempt to disable encryption": "Знехтувані спроби вимкнути шифрування", "This client does not support end-to-end encryption.": "Цей клієнт не підтримує наскрізного шифрування.", - "Encryption": "Шифрування", "Share Link to User": "Поділитися посиланням на користувача", "In reply to ": "У відповідь на ", "The user you called is busy.": "Користувач, якого ви викликаєте, зайнятий.", @@ -828,7 +763,6 @@ "You were banned from %(roomName)s by %(memberName)s": "%(memberName)s блокує вас у %(roomName)s", "Recently Direct Messaged": "Недавно надіслані особисті повідомлення", "User Directory": "Каталог користувачів", - "Room version:": "Версія кімнати:", "Main address": "Основна адреса", "Error updating main address": "Помилка оновлення основної адреси", "No other published addresses yet, add one below": "Поки немає загальнодоступних адрес, додайте їх унизу", @@ -841,7 +775,6 @@ "Preparing to download logs": "Приготування до завантаження журналів", "Download %(text)s": "Завантажити %(text)s", "Room ID": "ID кімнати", - "Original event source": "Оригінальний початковий код", "View source": "Переглянути код", "Report": "Поскаржитися", "Share User": "Поділитися користувачем", @@ -871,9 +804,7 @@ "Verify your identity to access encrypted messages and prove your identity to others.": "Підтвердьте свою особу, щоб отримати доступ до зашифрованих повідомлень і довести свою справжність іншим.", "Allow this widget to verify your identity": "Дозволити цьому віджету перевіряти вашу особу", " invited you": " запрошує вас", - "Sign in with": "Увійти за допомогою", "Sign in with SSO": "Увійти за допомогою SSO", - "Verify this user by confirming the following number appears on their screen.": "Звірте справжність цього користувача, підтвердивши, що на екрані з'явилося таке число.", "Connecting": "З'єднання", "%(deviceId)s from %(ip)s": "%(deviceId)s з %(ip)s", "Use app": "Використовувати застосунок", @@ -885,23 +816,9 @@ "This homeserver has been blocked by its administrator.": "Цей домашній сервер заблокований адміністратором.", "Click the button below to confirm your identity.": "Клацніть на кнопку внизу, щоб підтвердити свою особу.", "Confirm to continue": "Підтвердьте, щоб продовжити", - "Start authentication": "Почати автентифікацію", "Start Verification": "Почати перевірку", "Start chatting": "Почати спілкування", "Couldn't load page": "Не вдалося завантажити сторінку", - "That phone number doesn't look quite right, please check and try again": "Цей номер телефону не правильний. Перевірте та повторіть спробу", - "Enter phone number": "Введіть телефонний номер", - "Enter email address": "Введіть адресу е-пошти", - "Enter username": "Введіть ім'я користувача", - "Password is allowed, but unsafe": "Пароль дозволений, але небезпечний", - "Nice, strong password!": "Хороший надійний пароль!", - "Enter password": "Введіть пароль", - "Please review and accept the policies of this homeserver:": "Перегляньте та прийміть політику цього домашнього сервера:", - "Please review and accept all of the homeserver's policies": "Перегляньте та прийміть усі правила домашнього сервера", - "Confirm your identity by entering your account password below.": "Підтвердьте свою особу, ввівши внизу пароль до свого облікового запису.", - "A text message has been sent to %(msisdn)s": "Текстове повідомлення надіслано на %(msisdn)s", - "Please enter the code it contains:": "Введіть отриманий код:", - "Token incorrect": "Хибний токен", "Country Dropdown": "Спадний список країн", "Avatar": "Аватар", "Move right": "Посунути праворуч", @@ -1027,20 +944,9 @@ "other": "Безпечно кешуйте зашифровані повідомлення локально, щоб вони з'являлися в результатах пошуку, використовуючи %(size)s для зберігання повідомлень з %(rooms)s кімнат.", "one": "Безпечно кешуйте зашифровані повідомлення локально, щоб вони з'являлися в результатах пошуку, використовуючи %(size)s для зберігання повідомлень з %(rooms)s кімнат." }, - "Homeserver feature support:": "Підтримка функції домашнім сервером:", - "User signing private key:": "Приватний ключ підпису користувача:", - "Self signing private key:": "Самопідписаний приватний ключ:", - "not found locally": "не знайдено локально", - "cached locally": "кешовано локально", - "Master private key:": "Головний приватний ключ:", - "not found in storage": "не знайдено у сховищі", - "in secret storage": "у таємному сховищі", "Cross-signing is not set up.": "Перехресне підписування не налаштовано.", "Cross-signing is ready but keys are not backed up.": "Перехресне підписування готове, але резервна копія ключів не створюється.", "Cross-signing is ready for use.": "Перехресне підписування готове до користування.", - "Passwords don't match": "Паролі відрізняються", - "Channel: ": "Канал: ", - "Workspace: ": "Робочий простір: ", "Space options": "Параметри простору", "Recommended for public spaces.": "Рекомендовано для загальнодоступних просторів.", "Allow people to preview your space before they join.": "Дозвольте людям переглядати ваш простір, перш ніж вони приєднаються.", @@ -1101,7 +1007,6 @@ "Hide sidebar": "Сховати бічну панель", "Success!": "Успішно!", "Clear personal data": "Очистити особисті дані", - "Verification requested": "Запит перевірки", "Verification Request": "Запит підтвердження", "Leave space": "Вийти з простору", "Sent": "Надіслано", @@ -1163,7 +1068,6 @@ "View message": "Переглянути повідомлення", "Italics": "Курсив", "More options": "Інші опції", - "Create poll": "Створити опитування", "Invited": "Запрошено", "Invite to this space": "Запросити до цього простору", "Failed to send": "Не вдалося надіслати", @@ -1192,9 +1096,7 @@ "Uploaded sound": "Вивантажені звуки", "Bridges": "Мости", "This room is bridging messages to the following platforms. Learn more.": "Ця кімната передає повідомлення на такі платформи. Докладніше.", - "Room version": "Версія кімнати", "Space information": "Відомості про простір", - "View older messages in %(roomName)s.": "Перегляд давніших повідомлень у %(roomName)s.", "%(count)s people you know have already joined": { "one": "%(count)s осіб, яких ви знаєте, уже приєдналися", "other": "%(count)s людей, яких ви знаєте, уже приєдналися" @@ -1221,14 +1123,12 @@ "Message edits": "Редагування повідомлення", "You've previously used a newer version of %(brand)s with this session. To use this version again with end to end encryption, you will need to sign out and back in again.": "Ви раніше використовували новішу версію %(brand)s для цього сеансу. Щоб знову використовувати цю версію із наскрізним шифруванням, вам потрібно буде вийти та знову ввійти.", "Connect this session to key backup before signing out to avoid losing any keys that may only be on this session.": "Налаштуйте цьому сеансу резервне копіювання, інакше при виході втратите ключі, доступні лише в цьому сеансі.", - "Signed Out": "Виконано вихід", "To continue, use Single Sign On to prove your identity.": "Щоб продовжити, скористайтеся єдиним входом для підтвердження особи.", "For extra security, verify this user by checking a one-time code on both of your devices.": "Для додаткової безпеки перевірте цього користувача, звіривши одноразовий код на обох своїх пристроях.", "Verifying this device will mark it as trusted, and users who have verified with you will trust this device.": "Якщо звірити цей пристрій, його буде позначено надійним, а користувачі, які перевірили у вас, будуть довіряти цьому пристрою.", "Only do this if you have no other device to complete verification with.": "Робіть це лише якщо у вас немає іншого пристрою для виконання перевірки.", "Deleting cross-signing keys is permanent. Anyone you have verified with will see security alerts. You almost certainly don't want to do this, unless you've lost every device you can cross-sign from.": "Видалення ключів перехресного підписування безповоротне. Усі, з ким ви звірили сеанси, бачитимуть сповіщення системи безпеки. Ви майже напевно не захочете цього робити, якщо тільки ви не втратили всі пристрої, з яких можна виконувати перехресне підписування.", "It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "Схоже, у вас немає ключа безпеки або будь-яких інших пристроїв, які ви можете підтвердити. Цей пристрій не зможе отримати доступ до старих зашифрованих повідомлень. Щоб підтвердити свою справжність на цьому пристрої, вам потрібно буде скинути ключі перевірки.", - "Cryptography": "Криптографія", "Ignored users": "Нехтувані користувачі", "You have no ignored users.": "Ви не маєте нехтуваних користувачів.", "The server is offline.": "Сервер вимкнено.", @@ -1266,19 +1166,10 @@ "Messaging": "Спілкування", "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Зберігайте ключ безпеки в надійному місці, скажімо в менеджері паролів чи сейфі, бо ключ оберігає ваші зашифровані дані.", "You do not have permission to start polls in this room.": "Ви не маєте дозволу створювати опитування в цій кімнаті.", - "Create Poll": "Створити опитування", - "What is your poll question or topic?": "Яке питання чи тема вашого опитування?", - "Question or topic": "Питання чи тема", - "Create options": "Створіть варіанти", - "Option %(number)s": "Варіант %(number)s", - "Write an option": "Вписати варіант", - "Add option": "Додати варіант", "You won't get any notifications": "Ви не отримуватимете жодних сповіщень", "Unpin this widget to view it in this panel": "Відкріпіть віджет, щоб він зʼявився на цій панелі", "Vote not registered": "Голос не зареєстрований", "Sorry, your vote was not registered. Please try again.": "Не вдалося зареєструвати ваш голос. Просимо спробувати ще.", - "Failed to post poll": "Не вдалося надіслати опитування", - "Sorry, the poll you tried to create was not posted.": "Не вдалося надіслати опитування, яке ви намагалися створити.", "Spaces you know that contain this space": "Відомі вам простори, до яких входить цей", "Chat": "Бесіда", "Start new chat": "Почати бесіду", @@ -1336,7 +1227,6 @@ "This will allow you to reset your password and receive notifications.": "Це дозволить вам скинути пароль і отримувати сповіщення.", "Reset event store?": "Очистити сховище подій?", "Waiting for %(displayName)s to accept…": "Очікування згоди %(displayName)s…", - "Waiting for %(displayName)s to verify…": "Очікування звірки %(displayName)s…", "Message didn't send. Click for info.": "Повідомлення не надіслане. Натисніть, щоб дізнатись більше.", "Insert link": "Додати посилання", "Set my room layout for everyone": "Встановити мій вигляд кімнати всім", @@ -1411,13 +1301,6 @@ "Other searches": "Інші пошуки", "To search messages, look for this icon at the top of a room ": "Шукайте повідомлення за допомогою піктограми вгорі кімнати", "Recent searches": "Недавні пошуки", - "Doesn't look like a valid email address": "Адреса е-пошти виглядає хибною", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "У параметрах домашнього сервера бракує відкритого ключа капчі. Будь ласка, повідомте про це адміністратора домашнього сервера.", - "Something went wrong in confirming your identity. Cancel and try again.": "Щось пішло не так при підтвердженні вашої особи. Скасуйте й повторіть спробу.", - "Enter phone number (required on this homeserver)": "Введіть номер телефону (обов'язково на цьому домашньому сервері)", - "Other users can invite you to rooms using your contact details": "Інші користувачі можуть запрошувати вас до кімнат за вашими контактними даними", - "Enter email address (required on this homeserver)": "Введіть е-пошту (обов'язково на цьому домашньому сервері)", - "Use an email address to recover your account": "Введіть е-пошту, щоб могти відновити обліковий запис", "You can register, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Можете зареєструватись, але деякі можливості будуть недоступні, поки сервер ідентифікації не відновить роботу. Якщо часто бачите це застереження, перевірте свої параметри чи зв'яжіться з адміністратором сервера.", "This process allows you to import encryption keys that you had previously exported from another Matrix client. You will then be able to decrypt any messages that the other client could decrypt.": "Це дає змогу імпортувати ключі шифрування, які ви раніше експортували з іншого клієнта Matrix. Тоді ви зможете розшифрувати будь-які повідомлення, які міг розшифровувати той клієнт.", "Import room keys": "Імпортувати ключі кімнат", @@ -1546,7 +1429,6 @@ "Your email address hasn't been verified yet": "Ваша адреса е-пошти ще не підтверджена", "Bulk options": "Масові дії", "Unignore": "Рознехтувати", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Додайте сюди користувачів і сервери, якими нехтуєте. Використовуйте зірочки, де %(brand)s має підставляти довільні символи. Наприклад, @бот:* нехтуватиме всіма користувачами з іменем «бот» на будь-якому сервері.", "Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "Використовувати сервер ідентифікації необов'язково. Якщо ви вирішите не використовувати сервер ідентифікації, інші користувачі не зможуть вас знаходити, а ви не зможете запрошувати інших за е-поштою чи телефоном.", "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Зараз ви не використовуєте сервер ідентифікації. Щоб знайти наявні контакти й вони могли знайти вас, додайте його нижче.", "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Якщо ви не бажаєте використовувати , щоб знаходити наявні контакти й щоб вони вас знаходили, введіть інший сервер ідентифікації нижче.", @@ -1555,9 +1437,7 @@ "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Слід вилучити ваші особисті дані з сервера ідентифікації , перш ніж від'єднатися. На жаль, сервер ідентифікації зараз офлайн чи недоступний.", "Connect this session to Key Backup": "Налаштувати цьому сеансу резервне копіювання ключів", "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "Ця кімната належить до просторів, які ви не адмініструєте. Ці простори показуватимуть стару кімнату, але пропонуватимуть людям приєднатись до нової.", - "Import E2E room keys": "Імпортувати ключі кімнат наскрізного шифрування", "": "<не підтримується>", - "Unable to find a supported verification method.": "Не вдалося знайти підтримуваний спосіб звірки.", "That's fine": "Гаразд", "You can log in, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Можете ввійти, але деякі можливості будуть недоступні, поки сервер ідентифікації не відновить роботу. Якщо часто бачите це застереження, перевірте свої параметри чи зв'яжіться з адміністратором сервера.", "You can reset your password, but some features will be unavailable until the identity server is back online. If you keep seeing this warning, check your configuration or contact a server admin.": "Можете скинути пароль, але деякі можливості будуть недоступні, поки сервер ідентифікації не відновить роботу. Якщо часто бачите це застереження, перевірте свої параметри чи зв'яжіться з адміністратором сервера.", @@ -1653,8 +1533,6 @@ "Reset everything": "Скинути все", "Are you sure you want to leave the space '%(spaceName)s'?": "Точно вийти з простору «%(spaceName)s»?", "This space is not public. You will not be able to rejoin without an invite.": "Цей простір не загальнодоступний. Ви не зможете приєднатися знову без запрошення.", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Щоб використовувати домашній сервер %(homeserverDomain)s далі, перегляньте й погодьте наші умови й положення.", - "Terms and Conditions": "Умови й положення", "Forgotten or lost all recovery methods? Reset all": "Забули чи втратили всі способи відновлення? Скинути все", "Including you, %(commaSeparatedMembers)s": "Включно з вами, %(commaSeparatedMembers)s", "Incoming Verification Request": "Надійшов запит на звірку", @@ -1743,10 +1621,6 @@ "You cancelled verification on your other device.": "Ви скасували звірення на іншому пристрої.", "Almost there! Is your other device showing the same shield?": "Майже готово! Чи показує інший пристрій такий самий щит?", "To proceed, please accept the verification request on your other device.": "Щоб продовжити, прийміть запит підтвердження на вашому іншому пристрої.", - "Waiting for you to verify on your other device…": "Очікування вашої звірки на іншому пристрої…", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Очікування вашої звірки на іншому пристрої, %(deviceName)s (%(deviceId)s)…", - "Verify this device by confirming the following number appears on its screen.": "Звірте цей пристрій, підтвердивши, що на екрані з'явилося це число.", - "Confirm the emoji below are displayed on both devices, in the same order:": "Переконайтеся, що наведені внизу емоджі показано на обох пристроях в однаковому порядку:", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "Невідома пара (користувач, сеанс): (%(userId)s, %(deviceId)s)", "Unrecognised room address: %(roomAlias)s": "Нерозпізнана адреса кімнати: %(roomAlias)s", "From a thread": "З гілки", @@ -1759,7 +1633,6 @@ "You were removed from %(roomName)s by %(memberName)s": "%(memberName)s вилучає вас із %(roomName)s", "Message pending moderation": "Повідомлення очікує модерування", "Message pending moderation: %(reason)s": "Повідомлення очікує модерування: %(reason)s", - "Internal room ID": "Внутрішній ID кімнати", "Group all your rooms that aren't part of a space in one place.": "Групуйте всі свої кімнати, не приєднані до простору, в одному місці.", "Group all your people in one place.": "Групуйте всіх своїх людей в одному місці.", "Group all your favourite rooms and people in one place.": "Групуйте всі свої улюблені кімнати та людей в одному місці.", @@ -1776,15 +1649,9 @@ "Use to scroll": "Використовуйте , щоб прокручувати", "Feedback sent! Thanks, we appreciate it!": "Відгук надісланий! Дякуємо, візьмемо до уваги!", "%(space1Name)s and %(space2Name)s": "%(space1Name)s і %(space2Name)s", - "Edit poll": "Редагувати опитування", "Sorry, you can't edit a poll after votes have been cast.": "Ви не можете редагувати опитування після завершення голосування.", "Can't edit poll": "Неможливо редагувати опитування", "Join %(roomAddress)s": "Приєднатися до %(roomAddress)s", - "Results are only revealed when you end the poll": "Результати показуються лише після завершення опитування", - "Voters see results as soon as they have voted": "Респонденти бачитимуть результати, як тільки вони проголосують", - "Closed poll": "Завершене опитування", - "Open poll": "Відкрите опитування", - "Poll type": "Тип опитування", "Results will be visible when the poll is ended": "Результати будуть видимі після завершення опитування", "Search Dialog": "Вікно пошуку", "Pinned": "Закріплені", @@ -1833,8 +1700,6 @@ "Forget this space": "Забути цей простір", "You were removed by %(memberName)s": "Вас вилучено користувачем %(memberName)s", "Loading preview": "Завантаження попереднього перегляду", - "View older version of %(spaceName)s.": "Переглянути давнішу версію %(spaceName)s.", - "Upgrade this space to the recommended room version": "Поліпшити цей простір до рекомендованої версії кімнати", "Failed to join": "Не вдалося приєднатися", "The person who invited you has already left, or their server is offline.": "Особа, котра вас запросила, вже вийшла або її сервер офлайн.", "The person who invited you has already left.": "Особа, котра вас запросила, вже вийшла.", @@ -1910,13 +1775,7 @@ "Your message wasn't sent because this homeserver has been blocked by its administrator. Please contact your service administrator to continue using the service.": "Ваше повідомлення не надіслано, оскільки цей домашній сервер заблокований його адміністратором. Зверніться до адміністратора служби, щоб продовжувати користуватися нею.", "An error occurred whilst sharing your live location, please try again": "Сталася помилка під час надання доступу до вашого поточного місцеперебування наживо", "An error occurred whilst sharing your live location": "Сталася помилка під час надання доступу до вашого поточного місцеперебування", - "Click to read topic": "Натисніть, щоб побачити тему", - "Edit topic": "Редагувати тему", - "Resent!": "Надіслано повторно!", - "Did not receive it? Resend it": "Не отримали листа? Надіслати повторно", - "To create your account, open the link in the email we just sent to %(emailAddress)s.": "Щоб створити обліковий запис, відкрийте посилання в електронному листі, який ми щойно надіслали на %(emailAddress)s.", "Unread email icon": "Піктограма непрочитаного електронного листа", - "Check your email to continue": "Перегляньте свою електронну пошту, щоб продовжити", "Joining…": "Приєднання…", "%(count)s people joined": { "one": "%(count)s осіб приєдналися", @@ -1969,7 +1828,6 @@ "Messages in this chat will be end-to-end encrypted.": "Повідомлення в цій бесіді будуть захищені наскрізним шифруванням.", "Saved Items": "Збережені елементи", "Choose a locale": "Вибрати локаль", - "Spell check": "Перевірка правопису", "We're creating a room with %(names)s": "Ми створюємо кімнату з %(names)s", "Sessions": "Сеанси", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Для кращої безпеки звірте свої сеанси та вийдіть з усіх невикористовуваних або нерозпізнаних сеансів.", @@ -2051,10 +1909,6 @@ "We were unable to start a chat with the other user.": "Ми не змогли розпочати бесіду з іншим користувачем.", "Error starting verification": "Помилка запуску перевірки", "WARNING: ": "ПОПЕРЕДЖЕННЯ: ", - "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.": "Відчуваєте себе експериментатором? Спробуйте наші новітні задуми в розробці. Ці функції не остаточні; вони можуть бути нестабільними, можуть змінюватися або взагалі можуть бути відкинуті. Докладніше.", - "Early previews": "Ранній огляд", - "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "Що далі для %(brand)s? Експериментальні — це найкращий спосіб спробувати функції на ранній стадії розробки, протестувати їх і допомогти сформувати їх до фактичного запуску.", - "Upcoming features": "Майбутні функції", "You have unverified sessions": "У вас є неперевірені сеанси", "Change layout": "Змінити макет", "Search users in this room…": "Пошук користувачів у цій кімнаті…", @@ -2075,9 +1929,6 @@ "Edit link": "Змінити посилання", "%(senderName)s started a voice broadcast": "%(senderName)s розпочинає голосову трансляцію", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", - "Registration token": "Токен реєстрації", - "Enter a registration token provided by the homeserver administrator.": "Введіть реєстраційний токен, наданий адміністратором домашнього сервера.", - "Manage account": "Керувати обліковим записом", "Your account details are managed separately at %(hostname)s.": "Ваші дані облікового запису керуються окремо за адресою %(hostname)s.", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Усі повідомлення та запрошення від цього користувача будуть приховані. Ви впевнені, що хочете їх нехтувати?", "Ignore %(user)s": "Нехтувати %(user)s", @@ -2090,31 +1941,25 @@ "There are no past polls in this room": "У цій кімнаті ще не проводилися опитувань", "There are no active polls in this room": "У цій кімнаті немає активних опитувань", "Warning: your personal data (including encryption keys) is still stored in this session. Clear it if you're finished using this session, or want to sign in to another account.": "Попередження: ваші особисті дані ( включно з ключами шифрування) досі зберігаються в цьому сеансі. Очистьте їх, якщо ви завершили роботу в цьому сеансі або хочете увійти в інший обліковий запис.", - "Warning: upgrading a room will not automatically migrate room members to the new version of the room. We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.": "Попередження: оновлення кімнати не призведе до автоматичного перенесення учасників до нової версії кімнати. Ми опублікуємо посилання на нову кімнату в старій версії кімнати - учасники кімнати повинні будуть натиснути на це посилання, щоб приєднатися до нової кімнати.", "WARNING: session already verified, but keys do NOT MATCH!": "ПОПЕРЕДЖЕННЯ: сеанс вже звірено, але ключі НЕ ЗБІГАЮТЬСЯ!", "Scan QR code": "Скануйте QR-код", "Select '%(scanQRCode)s'": "Виберіть «%(scanQRCode)s»", "Enable '%(manageIntegrations)s' in Settings to do this.": "Увімкніть «%(manageIntegrations)s» в Налаштуваннях, щоб зробити це.", - "Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named '%(myBanList)s' - stay in this room to keep the ban list in effect.": "До вашого особистого списку заборони потрапляють всі користувачі/сервери, повідомлення від яких ви особисто не бажаєте бачити. Після ігнорування першого користувача/сервера у вашому списку кімнат з'явиться нова кімната під назвою «%(myBanList)s» - залишайтеся в цій кімнаті, щоб список блокувань залишався чинним.", "Enter a Security Phrase only you know, as it's used to safeguard your data. To be secure, you shouldn't re-use your account password.": "Введіть фразу безпеки, відому лише вам, бо вона оберігатиме ваші дані. Задля безпеки, використайте щось інше ніж пароль вашого облікового запису.", "Starting backup…": "Запуск резервного копіювання…", "Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Будь ласка, продовжуйте лише в разі втрати всіх своїх інших пристроїв та ключа безпеки.", - "Keep going…": "Продовжуйте…", "Connecting…": "З'єднання…", "Loading live location…": "Завантаження місця перебування наживо…", "Fetching keys from server…": "Отримання ключів із сервера…", "Checking…": "Перевірка…", "Waiting for partner to confirm…": "Очікування підтвердження партнером…", "Adding…": "Додавання…", - "Write something…": "Напишіть щось…", "Rejecting invite…": "Відхилення запрошення…", "Joining room…": "Приєднання до кімнати…", "Joining space…": "Приєднання до простору…", "Encrypting your message…": "Шифрування повідомлення…", "Sending your message…": "Надсилання повідомлення…", "Set a new account password…": "Встановити новий пароль облікового запису…", - "Downloading update…": "Завантаження оновлення…", - "Checking for an update…": "Перевірка оновлень…", "Backing up %(sessionsRemaining)s keys…": "Резервне копіювання %(sessionsRemaining)s ключів…", "Connecting to integration manager…": "Під'єднання до менеджера інтеграцій…", "Saving…": "Збереження…", @@ -2182,7 +2027,6 @@ "Error changing password": "Помилка зміни пароля", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (HTTP-статус %(httpStatus)s)", "Unknown password change error (%(stringifiedError)s)": "Невідома помилка зміни пароля (%(stringifiedError)s)", - "Error while changing password: %(error)s": "Помилка зміни пароля: %(error)s", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "Неможливо запросити користувача електронною поштою без сервера ідентифікації. Ви можете під'єднатися до нього в розділі «Налаштування».", "Failed to download source media, no source url was found": "Не вдалося завантажити початковий медіафайл, не знайдено url джерела", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "Після того, як запрошені користувачі приєднаються до %(brand)s, ви зможете спілкуватися в бесіді, а кімната буде наскрізно зашифрована", @@ -2535,7 +2379,15 @@ "sliding_sync_disable_warning": "Для вимкнення потрібно буде вийти з системи та зайти знову, користуйтеся з обережністю!", "sliding_sync_proxy_url_optional_label": "URL-адреса проксі-сервера (необов'язково)", "sliding_sync_proxy_url_label": "URL-адреса проксі-сервера", - "video_rooms_beta": "Відеокімнати — це бета-функція" + "video_rooms_beta": "Відеокімнати — це бета-функція", + "bridge_state_creator": "Цей міст було забезпечено .", + "bridge_state_manager": "Цей міст керується .", + "bridge_state_workspace": "Робочий простір: ", + "bridge_state_channel": "Канал: ", + "beta_section": "Майбутні функції", + "beta_description": "Що далі для %(brand)s? Експериментальні — це найкращий спосіб спробувати функції на ранній стадії розробки, протестувати їх і допомогти сформувати їх до фактичного запуску.", + "experimental_section": "Ранній огляд", + "experimental_description": "Відчуваєте себе експериментатором? Спробуйте наші новітні задуми в розробці. Ці функції не остаточні; вони можуть бути нестабільними, можуть змінюватися або взагалі можуть бути відкинуті. Докладніше." }, "keyboard": { "home": "Домівка", @@ -2871,7 +2723,26 @@ "record_session_details": "Записуйте назву клієнта, версію та URL-адресу, щоб легше розпізнавати сеанси в менеджері сеансів", "strict_encryption": "Ніколи не надсилати зашифровані повідомлення до незвірених сеансів з цього сеансу", "enable_message_search": "Увімкнути шукання повідомлень у зашифрованих кімнатах", - "manually_verify_all_sessions": "Звірити всі сеанси власноруч" + "manually_verify_all_sessions": "Звірити всі сеанси власноруч", + "cross_signing_public_keys": "Відкриті ключі перехресного підписування:", + "cross_signing_in_memory": "у пам'яті", + "cross_signing_not_found": "не знайдено", + "cross_signing_private_keys": "Приватні ключі перехресного підписування:", + "cross_signing_in_4s": "у таємному сховищі", + "cross_signing_not_in_4s": "не знайдено у сховищі", + "cross_signing_master_private_Key": "Головний приватний ключ:", + "cross_signing_cached": "кешовано локально", + "cross_signing_not_cached": "не знайдено локально", + "cross_signing_self_signing_private_key": "Самопідписаний приватний ключ:", + "cross_signing_user_signing_private_key": "Приватний ключ підпису користувача:", + "cross_signing_homeserver_support": "Підтримка функції домашнім сервером:", + "cross_signing_homeserver_support_exists": "існує", + "export_megolm_keys": "Експортувати ключі наскрізного шифрування кімнат", + "import_megolm_keys": "Імпортувати ключі кімнат наскрізного шифрування", + "cryptography_section": "Криптографія", + "session_id": "ID сеансу:", + "session_key": "Ключ сеансу:", + "encryption_section": "Шифрування" }, "preferences": { "room_list_heading": "Перелік кімнат", @@ -2986,6 +2857,12 @@ }, "security_recommendations": "Поради щодо безпеки", "security_recommendations_description": "Удоскональте безпеку свого облікового запису, дотримуючись цих порад." + }, + "general": { + "oidc_manage_button": "Керувати обліковим записом", + "account_section": "Обліковий запис", + "language_section": "Мова та регіон", + "spell_check_section": "Перевірка правопису" } }, "devtools": { @@ -3087,7 +2964,8 @@ "low_bandwidth_mode": "Режим низької пропускної спроможності", "developer_mode": "Режим розробника", "view_source_decrypted_event_source": "Розшифрований початковий код події", - "view_source_decrypted_event_source_unavailable": "Розшифроване джерело недоступне" + "view_source_decrypted_event_source_unavailable": "Розшифроване джерело недоступне", + "original_event_source": "Оригінальний початковий код" }, "export_chat": { "html": "HTML", @@ -3727,6 +3605,17 @@ "url_preview_encryption_warning": "У кімнатах з шифруванням, як у цій, попередній перегляд посилань усталено вимкнено. Це робиться, щоб гарантувати, що ваш домашній сервер (на якому генеруються перегляди) не матиме змоги збирати дані щодо посилань, які ви бачите у цій кімнаті.", "url_preview_explainer": "Коли хтось додає URL-адресу у повідомлення, можливо автоматично показувати для цієї URL-адресу попередній перегляд його заголовку, опису й зображення.", "url_previews_section": "Попередній перегляд URL-адрес" + }, + "advanced": { + "unfederated": "Ця кімната недоступна для віддалених серверів Matrix", + "room_upgrade_warning": "Попередження: оновлення кімнати не призведе до автоматичного перенесення учасників до нової версії кімнати. Ми опублікуємо посилання на нову кімнату в старій версії кімнати - учасники кімнати повинні будуть натиснути на це посилання, щоб приєднатися до нової кімнати.", + "space_upgrade_button": "Поліпшити цей простір до рекомендованої версії кімнати", + "room_upgrade_button": "Поліпшити цю кімнату до рекомендованої версії", + "space_predecessor": "Переглянути давнішу версію %(spaceName)s.", + "room_predecessor": "Перегляд давніших повідомлень у %(roomName)s.", + "room_id": "Внутрішній ID кімнати", + "room_version_section": "Версія кімнати", + "room_version": "Версія кімнати:" } }, "encryption": { @@ -3742,8 +3631,22 @@ "sas_prompt": "Порівняйте унікальні емодзі", "sas_description": "Порівняйте унікальний набір емодзі якщо жоден ваш пристрій не має камери", "qr_or_sas": "%(qrCode)s з %(emojiCompare)s", - "qr_or_sas_header": "Звірте цей пристрій одним із запропонованих способів:" - } + "qr_or_sas_header": "Звірте цей пристрій одним із запропонованих способів:", + "explainer": "Захищені повідомлення з цим користувачем є наскрізно зашифрованими та непрочитними для сторонніх осіб.", + "complete_action": "Зрозуміло", + "sas_emoji_caption_self": "Переконайтеся, що наведені внизу емоджі показано на обох пристроях в однаковому порядку:", + "sas_emoji_caption_user": "Звірте цього користувача підтвердженням того, що наступні емодзі з'являються на його екрані.", + "sas_caption_self": "Звірте цей пристрій, підтвердивши, що на екрані з'явилося це число.", + "sas_caption_user": "Звірте справжність цього користувача, підтвердивши, що на екрані з'явилося таке число.", + "unsupported_method": "Не вдалося знайти підтримуваний спосіб звірки.", + "waiting_other_device_details": "Очікування вашої звірки на іншому пристрої, %(deviceName)s (%(deviceId)s)…", + "waiting_other_device": "Очікування вашої звірки на іншому пристрої…", + "waiting_other_user": "Очікування звірки %(displayName)s…", + "cancelling": "Скасування…" + }, + "old_version_detected_title": "Виявлено старі криптографічні дані", + "old_version_detected_description": "Було виявлено дані зі старої версії %(brand)s. Це призведе до збоїння наскрізного шифрування у старій версії. Наскрізно зашифровані повідомлення, що обмінювані нещодавно, під час використання старої версії, можуть бути недешифровними у цій версії. Це може призвести до збоїв повідомлень, обмінюваних також і з цією версією. У разі виникнення проблем вийдіть з програми та зайдіть знову. Задля збереження історії повідомлень експортуйте та переімпортуйте ваші ключі.", + "verification_requested_toast_title": "Запит перевірки" }, "emoji": { "category_frequently_used": "Часто використовувані", @@ -3858,7 +3761,51 @@ "phone_optional_label": "Телефон (не обов'язково)", "email_help_text": "Додайте е-пошту, щоб могти скинути пароль.", "email_phone_discovery_text": "Можете ввести е-пошту чи телефон, щоб наявні контакти знаходили вас за ними.", - "email_discovery_text": "Можете ввести е-пошту, щоб наявні контакти знаходили вас за нею." + "email_discovery_text": "Можете ввести е-пошту, щоб наявні контакти знаходили вас за нею.", + "session_logged_out_title": "Виконано вихід", + "session_logged_out_description": "З метою безпеки ваш сеанс було завершено. Увійдіть знову.", + "change_password_error": "Помилка зміни пароля: %(error)s", + "change_password_mismatch": "Нові паролі не збігаються", + "change_password_empty": "Пароль не може бути порожнім", + "set_email_prompt": "Бажаєте вказати адресу е-пошти?", + "change_password_confirm_label": "Підтвердження пароля", + "change_password_confirm_invalid": "Паролі відрізняються", + "change_password_current_label": "Поточний пароль", + "change_password_new_label": "Новий пароль", + "change_password_action": "Змінити пароль", + "email_field_label": "Е-пошта", + "email_field_label_required": "Введіть адресу е-пошти", + "email_field_label_invalid": "Адреса е-пошти виглядає хибною", + "uia": { + "password_prompt": "Підтвердьте свою особу, ввівши внизу пароль до свого облікового запису.", + "recaptcha_missing_params": "У параметрах домашнього сервера бракує відкритого ключа капчі. Будь ласка, повідомте про це адміністратора домашнього сервера.", + "terms_invalid": "Перегляньте та прийміть усі правила домашнього сервера", + "terms": "Перегляньте та прийміть політику цього домашнього сервера:", + "email_auth_header": "Перегляньте свою електронну пошту, щоб продовжити", + "email": "Щоб створити обліковий запис, відкрийте посилання в електронному листі, який ми щойно надіслали на %(emailAddress)s.", + "email_resend_prompt": "Не отримали листа? Надіслати повторно", + "email_resent": "Надіслано повторно!", + "msisdn_token_incorrect": "Хибний токен", + "msisdn": "Текстове повідомлення надіслано на %(msisdn)s", + "msisdn_token_prompt": "Введіть отриманий код:", + "registration_token_prompt": "Введіть реєстраційний токен, наданий адміністратором домашнього сервера.", + "registration_token_label": "Токен реєстрації", + "sso_failed": "Щось пішло не так при підтвердженні вашої особи. Скасуйте й повторіть спробу.", + "fallback_button": "Почати автентифікацію" + }, + "password_field_label": "Введіть пароль", + "password_field_strong_label": "Хороший надійний пароль!", + "password_field_weak_label": "Пароль дозволений, але небезпечний", + "password_field_keep_going_prompt": "Продовжуйте…", + "username_field_required_invalid": "Введіть ім'я користувача", + "msisdn_field_required_invalid": "Введіть телефонний номер", + "msisdn_field_number_invalid": "Цей номер телефону не правильний. Перевірте та повторіть спробу", + "msisdn_field_label": "Телефон", + "identifier_label": "Увійти за допомогою", + "reset_password_email_field_description": "Введіть е-пошту, щоб могти відновити обліковий запис", + "reset_password_email_field_required_invalid": "Введіть е-пошту (обов'язково на цьому домашньому сервері)", + "msisdn_field_description": "Інші користувачі можуть запрошувати вас до кімнат за вашими контактними даними", + "registration_msisdn_field_required_invalid": "Введіть номер телефону (обов'язково на цьому домашньому сервері)" }, "room_list": { "sort_unread_first": "Спочатку показувати кімнати з непрочитаними повідомленнями", @@ -4052,7 +3999,13 @@ "see_changes_button": "Що нового?", "release_notes_toast_title": "Що нового", "toast_title": "Оновити %(brand)s", - "toast_description": "Доступна нова версія %(brand)s" + "toast_description": "Доступна нова версія %(brand)s", + "error_encountered": "Трапилась помилка (%(errorDetail)s).", + "checking": "Перевірка оновлень…", + "no_update": "Оновлення відсутні.", + "downloading": "Завантаження оновлення…", + "new_version_available": "Доступна нова версія. Оновити зараз", + "check_action": "Перевірити на наявність оновлень" }, "threads": { "all_threads": "Усі гілки", @@ -4105,7 +4058,35 @@ }, "labs_mjolnir": { "room_name": "Мій список блокувань", - "room_topic": "Це ваш список користувачів/серверів, які ви заблокували – не виходьте з кімнати!" + "room_topic": "Це ваш список користувачів/серверів, які ви заблокували – не виходьте з кімнати!", + "ban_reason": "Ігноровані/Заблоковані", + "error_adding_ignore": "Помилка при додаванні ігнорованого користувача/сервера", + "something_went_wrong": "Щось пішло не так. Спробуйте знову, або пошукайте підказки в консолі.", + "error_adding_list_title": "Помилка при підписці на список", + "error_adding_list_description": "Перевірте ID кімнати, або адресу та повторіть спробу.", + "error_removing_ignore": "Помилка при видаленні ігнорованого користувача/сервера", + "error_removing_list_title": "Не вдалося відписатися від списку", + "error_removing_list_description": "Спробуйте знову, або подивіться повідомлення в консолі.", + "rules_title": "Правила блокування - %(roomName)s", + "rules_server": "Правила сервера", + "rules_user": "Правила користування", + "personal_empty": "Ви нікого не ігноруєте.", + "personal_section": "Ви ігноруєте:", + "no_lists": "Ви не підписані ні на один список", + "view_rules": "Переглянути правила", + "lists": "Ви підписані на:", + "title": "Нехтувані користувачі", + "advanced_warning": "⚠ Ці налаштування розраховані на досвідчених користувачів.", + "explainer_1": "Додайте сюди користувачів і сервери, якими нехтуєте. Використовуйте зірочки, де %(brand)s має підставляти довільні символи. Наприклад, @бот:* нехтуватиме всіма користувачами з іменем «бот» на будь-якому сервері.", + "explainer_2": "Нехтування людей реалізовано через списки правил блокування. Підписка на список блокування призведе до приховування від вас перелічених у ньому користувачів і серверів.", + "personal_heading": "Особистий список блокування", + "personal_description": "До вашого особистого списку заборони потрапляють всі користувачі/сервери, повідомлення від яких ви особисто не бажаєте бачити. Після ігнорування першого користувача/сервера у вашому списку кімнат з'явиться нова кімната під назвою «%(myBanList)s» - залишайтеся в цій кімнаті, щоб список блокувань залишався чинним.", + "personal_new_label": "Сервер або ID користувача для ігнорування", + "personal_new_placeholder": "наприклад: @bot:* або example.org", + "lists_heading": "Підписані списки", + "lists_description_1": "Підписавшись на список блокування ви приєднаєтесь до нього!", + "lists_description_2": "Якщо вас це не влаштовує, спробуйте інший інструмент для ігнорування користувачів.", + "lists_new_label": "ID кімнати або адреса списку блокування" }, "create_space": { "name_required": "Будь ласка, введіть назву простору", @@ -4170,6 +4151,12 @@ "private_unencrypted_warning": "Ваші приватні повідомлення, зазвичай, зашифровані, але ця кімната — ні. Зазвичай це пов'язано з непідтримуваним пристроєм або використаним методом, наприклад, запрошення електронною поштою.", "enable_encryption_prompt": "Ввімкніть шифрування в налаштуваннях.", "unencrypted_warning": "Наскрізне шифрування не ввімкнене" + }, + "edit_topic": "Редагувати тему", + "read_topic": "Натисніть, щоб побачити тему", + "unread_notifications_predecessor": { + "other": "Ви маєте %(count)s непрочитаних сповіщень у попередній версії цієї кімнати.", + "one": "У вас %(count)s непрочитане сповіщення у попередній версії цієї кімнати." } }, "file_panel": { @@ -4184,9 +4171,31 @@ "intro": "Погодьтесь з Умовами надання послуг, щоб продовжити.", "column_service": "Служба", "column_summary": "Опис", - "column_document": "Документ" + "column_document": "Документ", + "tac_title": "Умови й положення", + "tac_description": "Щоб використовувати домашній сервер %(homeserverDomain)s далі, перегляньте й погодьте наші умови й положення.", + "tac_button": "Переглянути умови користування" }, "space_settings": { "title": "Налаштування — %(spaceName)s" + }, + "poll": { + "create_poll_title": "Створити опитування", + "create_poll_action": "Створити опитування", + "edit_poll_title": "Редагувати опитування", + "failed_send_poll_title": "Не вдалося надіслати опитування", + "failed_send_poll_description": "Не вдалося надіслати опитування, яке ви намагалися створити.", + "type_heading": "Тип опитування", + "type_open": "Відкрите опитування", + "type_closed": "Завершене опитування", + "topic_heading": "Яке питання чи тема вашого опитування?", + "topic_label": "Питання чи тема", + "topic_placeholder": "Напишіть щось…", + "options_heading": "Створіть варіанти", + "options_label": "Варіант %(number)s", + "options_placeholder": "Вписати варіант", + "options_add_button": "Додати варіант", + "disclosed_notes": "Респонденти бачитимуть результати, як тільки вони проголосують", + "notes": "Результати показуються лише після завершення опитування" } } diff --git a/src/i18n/strings/vi.json b/src/i18n/strings/vi.json index 606033c058..a2b15f23f9 100644 --- a/src/i18n/strings/vi.json +++ b/src/i18n/strings/vi.json @@ -93,7 +93,6 @@ "Please contact your homeserver administrator.": "Vui lòng liên hệ quản trị viên homeserver của bạn.", "Explore rooms": "Khám phá các phòng", "Vietnam": "Việt Nam", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Tin nhắn an toàn với người dùng này được mã hóa đầu cuối và không thể được các bên thứ ba đọc.", "Are you sure?": "Bạn có chắc không?", "Confirm Removal": "Xác nhận Loại bỏ", "Removing…": "Đang xóa…", @@ -101,7 +100,6 @@ "No recent messages by %(user)s found": "Không tìm thấy tin nhắn gần đây của %(user)s", "Failed to ban user": "Đã có lỗi khi chặn người dùng", "Are you sure you want to leave the room '%(roomName)s'?": "Bạn có chắc chắn muốn rời khỏi phòng '%(roomName)s' không?", - "Use an email address to recover your account": "Sử dụng địa chỉ thư điện tử để khôi phục tài khoản của bạn", "Confirm adding phone number": "Xác nhận thêm số điện thoại", "Confirm adding this phone number by using Single Sign On to prove your identity.": "Xác nhận thêm số điện thoại này bằng cách sử dụng Đăng Nhập Một Lần để chứng minh danh tính của bạn.", "Add Email Address": "Thêm địa chỉ thử điện tử", @@ -181,24 +179,14 @@ "Invalid homeserver discovery response": "Phản hồi khám phá homeserver không hợp lệ", "Return to login screen": "Quay về màn hình đăng nhập", "Your password has been reset.": "Mật khẩu của bạn đã được đặt lại.", - "New Password": "Mật khẩu mới", "New passwords must match each other.": "Các mật khẩu mới phải khớp với nhau.", "A new password must be entered.": "Mật khẩu mới phải được nhập.", - "Original event source": "Nguồn sự kiện ban đầu", "Could not load user profile": "Không thể tải hồ sơ người dùng", "Switch theme": "Chuyển đổi chủ đề", "All settings": "Tất cả cài đặt", "Failed to load timeline position": "Không tải được vị trí dòng thời gian", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Đã cố gắng tải một điểm cụ thể trong dòng thời gian của phòng này, nhưng không thể tìm thấy nó.", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Đã cố gắng tải một điểm cụ thể trong dòng thời gian của phòng này, nhưng bạn không có quyền xem tin nhắn được đề cập.", - "Verification requested": "Đã yêu cầu xác thực", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "Dữ liệu từ phiên bản cũ hơn của %(brand)s đã được phát hiện. Điều này sẽ khiến mật mã end-to-end bị trục trặc trong phiên bản cũ hơn. Các tin nhắn được mã hóa end-to-end được trao đổi gần đây trong khi sử dụng phiên bản cũ hơn có thể không giải mã được trong phiên bản này. Điều này cũng có thể khiến các tin nhắn được trao đổi với phiên bản này bị lỗi. Nếu bạn gặp sự cố, hãy đăng xuất và đăng nhập lại. Để lưu lại lịch sử tin nhắn, hãy export và re-import các khóa của bạn.", - "Old cryptography data detected": "Đã phát hiện dữ liệu mật mã cũ", - "Review terms and conditions": "Xem lại các điều khoản và điều kiện", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Để tiếp tục sử dụng máy chủ nhà của %(homeserverDomain)s, bạn phải xem xét và đồng ý với các điều khoản và điều kiện của chúng tôi.", - "Terms and Conditions": "Các điều khoản và điều kiện", - "For security, this session has been signed out. Please sign in again.": "Để bảo mật, phiên này đã được đăng xuất. Vui lòng đăng nhập lại.", - "Signed Out": "Đã đăng xuất", "Unable to copy a link to the room to the clipboard.": "Không thể sao chép liên kết đến phòng vào khay nhớ tạm.", "Unable to copy room link": "Không thể sao chép liên kết phòng", "Failed to forget room %(errCode)s": "Không thể quên phòng %(errCode)s", @@ -212,28 +200,6 @@ "Error downloading audio": "Lỗi khi tải xuống âm thanh", "Unnamed audio": "Âm thanh không tên", "Sign in with SSO": "Đăng nhập bằng SSO", - "Enter phone number (required on this homeserver)": "Nhập số điện thoại (bắt buộc trên máy chủ này)", - "Other users can invite you to rooms using your contact details": "Những người dùng khác có thể mời bạn vào phòng bằng cách sử dụng chi tiết liên hệ của bạn", - "Enter email address (required on this homeserver)": "Nhập địa chỉ thư điện tử (bắt buộc trên máy chủ này)", - "Sign in with": "Đăng nhập với", - "Phone": "Điện thoại", - "Email": "Thư điện tử", - "That phone number doesn't look quite right, please check and try again": "Số điện thoại đó có vẻ không chính xác, vui lòng kiểm tra và thử lại", - "Enter phone number": "Nhập số điện thoại", - "Enter email address": "Nhập địa chỉ thư điện tử", - "Enter username": "Điền tên đăng nhập", - "Password is allowed, but unsafe": "Mật khẩu được phép, nhưng không an toàn", - "Nice, strong password!": "Mật khẩu mạnh, tốt đó!", - "Enter password": "Nhập mật khẩu", - "Start authentication": "Bắt đầu xác thực", - "Something went wrong in confirming your identity. Cancel and try again.": "Đã xảy ra sự cố khi xác nhận danh tính của bạn. Hủy và thử lại.", - "Please enter the code it contains:": "Vui lòng nhập mã mà nó chứa:", - "A text message has been sent to %(msisdn)s": "Một tin nhắn văn bản đã được gửi tới %(msisdn)s", - "Token incorrect": "Mã thông báo không chính xác", - "Please review and accept the policies of this homeserver:": "Vui lòng xem xét và chấp nhận chính sách của máy chủ nhà này:", - "Please review and accept all of the homeserver's policies": "Vui lòng xem xét và chấp nhận tất cả các chính sách của chủ nhà", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "Thiếu captcha public key trong cấu hình máy chủ. Vui lòng báo cáo điều này cho quản trị viên máy chủ của bạn.", - "Confirm your identity by entering your account password below.": "Xác nhận danh tính của bạn bằng cách nhập mật khẩu tài khoản của bạn dưới đây.", "Country Dropdown": "Quốc gia thả xuống", "This homeserver would like to make sure you are not a robot.": "Người bảo vệ gia đình này muốn đảm bảo rằng bạn không phải là người máy.", "This room is public": "Phòng này là công cộng", @@ -320,7 +286,6 @@ "Email (optional)": "Địa chỉ thư điện tử (tùy chọn)", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Lưu ý là nếu bạn không thêm địa chỉ thư điện tử và quên mật khẩu, bạn có thể vĩnh viễn mất quyền truy cập vào tài khoản của mình.", "Continuing without email": "Tiếp tục mà không cần địa chỉ thư điện tử", - "Doesn't look like a valid email address": "Không giống một địa chỉ thư điện tử hợp lệ", "Data on this screen is shared with %(widgetDomain)s": "Dữ liệu trên màn hình này được chia sẻ với %(widgetDomain)s", "Modal Widget": "widget phương thức", "Message edits": "Chỉnh sửa tin nhắn", @@ -840,7 +805,6 @@ "The conversation continues here.": "Cuộc trò chuyện tiếp tục tại đây.", "More options": "Thêm tùy chọn", "Send voice message": "Gửi tin nhắn thoại", - "Create poll": "Tạo cuộc tham dò ý kiến", "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Đã xảy ra lỗi khi thay đổi mức năng lượng của người dùng. Đảm bảo bạn có đủ quyền và thử lại.", "Error changing power level": "Lỗi khi thay đổi mức công suất", "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Đã xảy ra lỗi khi thay đổi yêu cầu mức công suất của phòng. Đảm bảo bạn có đủ quyền và thử lại.", @@ -856,13 +820,8 @@ "Room Addresses": "Các địa chỉ Phòng", "Bridges": "Cầu nối", "This room is bridging messages to the following platforms. Learn more.": "Căn phòng này là cầu nối thông điệp đến các nền tảng sau. Tìm hiểu thêm Learn more.", - "Room version:": "Phiên bản phòng:", - "Room version": "Phiên bản phòng", "Room information": "Thông tin phòng", "Space information": "Thông tin Space", - "View older messages in %(roomName)s.": "Xem các tin nhắn cũ hơn trong %(roomName)s.", - "Upgrade this room to the recommended room version": "Nâng cấp phòng này lên phiên bản phòng được đề xuất", - "This room is not accessible by remote Matrix servers": "Phòng này không thể truy cập từ xa bằng máy chủ Matrix", "Voice & Video": "Âm thanh & Hình ảnh", "No Webcams detected": "Không có Webcam nào được phát hiện", "No Microphones detected": "Không phát hiện thấy micrô", @@ -880,49 +839,17 @@ "Bulk options": "Tùy chọn hàng loạt", "You have no ignored users.": "Bạn không có người dùng bị bỏ qua.", "Unignore": "Hủy bỏ qua", - "Room ID or address of ban list": "ID phòng hoặc địa chỉ của danh sách cấm", - "If this isn't what you want, please use a different tool to ignore users.": "Nếu đây không phải là điều bạn muốn, vui lòng sử dụng một công cụ khác để bỏ qua người dùng.", - "Subscribing to a ban list will cause you to join it!": "Đăng ký vào danh sách cấm sẽ khiến bạn tham gia vào danh sách đó!", - "Subscribed lists": "Danh sách đã đăng ký", - "eg: @bot:* or example.org": "ví dụ: @bot:* hoặc example.org", - "Server or user ID to ignore": "Máy chủ hoặc ID người dùng để bỏ qua", - "Personal ban list": "Danh sách cấm cá nhân", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "Việc bỏ qua người khác được thực hiện thông qua danh sách cấm trong đó có các quy tắc về việc cấm người như thế nào. Đăng ký danh sách cấm có nghĩa là người dùng/máy chủ bị danh sách đó chặn sẽ bị ẩn với bạn.", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "Thêm người dùng và máy chủ bạn muốn bỏ qua tại đây. Sử dụng dấu hoa thị để %(brand)s khớp với bất kỳ ký tự nào. Ví dụ: @bot:* sẽ bỏ qua tất cả người dùng có tên 'bot' trên bất kỳ máy chủ nào.", - "⚠ These settings are meant for advanced users.": "⚠ Các cài đặt này dành cho người dùng nâng cao.", "Ignored users": "Người dùng bị bỏ qua", - "You are currently subscribed to:": "Bạn hiện đã đăng ký:", - "View rules": "Xem các quy tắc", - "You are not subscribed to any lists": "Bạn chưa đăng ký bất kỳ danh sách nào", - "You are currently ignoring:": "Bạn hiện đang bỏ qua:", - "You have not ignored anyone.": "Bạn đã không bỏ qua bất cứ ai.", - "User rules": "Quy tắc người dùng", - "Server rules": "Quy tắc máy chủ", - "Ban list rules - %(roomName)s": "Quy tắc danh sách cấm - %(roomName)s", "None": "Không có", - "Please try again or view your console for hints.": "Vui lòng thử lại hoặc xem bảng điều khiển của bạn để biết gợi ý.", - "Error unsubscribing from list": "Lỗi khi hủy đăng ký khỏi danh sách", - "Error removing ignored user/server": "Lỗi khi xóa người dùng / máy chủ bị bỏ qua", - "Please verify the room ID or address and try again.": "Vui lòng xác minh ID hoặc địa chỉ phòng và thử lại.", - "Error subscribing to list": "Lỗi khi đăng ký danh sách", - "Something went wrong. Please try again or view your console for hints.": "Đã xảy ra lỗi. Vui lòng thử lại hoặc xem bảng điều khiển của bạn để biết gợi ý.", - "Error adding ignored user/server": "Lỗi khi thêm người dùng / máy chủ bị bỏ qua", - "Ignored/Blocked": "Bị bỏ qua / bị chặn", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Để báo cáo sự cố bảo mật liên quan đến Matrix, vui lòng đọc Chính sách tiết lộ bảo mật của Matrix.org Security Disclosure Policy.", "Discovery": "Khám phá", "Deactivate account": "Vô hiệu hoá tài khoản", "Deactivate Account": "Hủy kích hoạt Tài khoản", "Account management": "Quản lý tài khoản", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Đồng ý với Điều khoản dịch vụ của máy chủ nhận dạng (%(serverName)s) để cho phép bạn có thể được tìm kiếm bằng địa chỉ thư điện tử hoặc số điện thoại.", - "Language and region": "Ngôn ngữ và khu vực", - "Account": "Tài khoản", "Phone numbers": "Số điện thoại", "Email addresses": "Địa chỉ thư điện tử", "Failed to change password. Is your password correct?": "Không thể thay đổi mật khẩu. Mật khẩu của bạn có đúng không?", - "Check for update": "Kiểm tra cập nhật", - "New version available. Update now.": "Có phiên bản mới. Cập nhật ngay bây giờ Update now.", - "No update available.": "Không có bản cập nhật nào.", - "Error encountered (%(errorDetail)s).": "Đã xảy ra lỗi (%(errorDetail)s).", "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Người quản lý tích hợp nhận dữ liệu cấu hình và có thể sửa đổi các tiện ích, gửi lời mời vào phòng và đặt mức năng lượng thay mặt bạn.", "Manage integrations": "Quản lý các tích hợp", "Use an integration manager to manage bots, widgets, and sticker packs.": "Sử dụng trình quản lý tích hợp để quản lý bot, tiện ích và gói sticker cảm xúc.", @@ -1017,10 +944,6 @@ "Algorithm:": "Thuật toán:", "Backup version:": "Phiên bản dự phòng:", "This backup is trusted because it has been restored on this session": "Bản sao lưu này đáng tin cậy vì nó đã được khôi phục trong phiên này", - "Channel: ": "Kênh: ", - "Workspace: ": "Không gian làm việc(workspace): ", - "This bridge is managed by .": "Cầu này được quản lý bởi .", - "This bridge was provisioned by .": "Cầu này được cung cấp bởi .", "Space options": "Tùy chọn space", "Jump to first invite.": "Chuyển đến lời mời đầu tiên.", "Jump to first unread room.": "Chuyển đến phòng chưa đọc đầu tiên.", @@ -1123,12 +1046,6 @@ "Lion": "Sư tử", "Cat": "Con mèo", "Dog": "Chó", - "Cancelling…": "Đang hủy…", - "Waiting for %(displayName)s to verify…": "Đang đợi %(displayName)s xác thực…", - "Unable to find a supported verification method.": "Không thấy phương pháp xác thực nào được hỗ trợ.", - "Verify this user by confirming the following number appears on their screen.": "Xác thực người dùng này bằng cách xác nhận số xuất hiện trên màn hình của họ.", - "Verify this user by confirming the following emoji appear on their screen.": "Xác thực người dùng này bằng cách xác nhận biểu tượng cảm xúc sau xuất hiện trên màn hình của họ.", - "Got It": "Hiểu rồi", "More": "Thêm", "Show sidebar": "Hiển thị thanh bên", "Hide sidebar": "Ẩn thanh bên", @@ -1280,40 +1197,14 @@ "other": "Lưu trữ an toàn các tin nhắn đã được mã hóa trên thiết bị để chúng xuất hiện trong các kết quả tìm kiếm, sử dụng %(size)s để lưu trữ các tin nhắn từ các %(rooms)s phòng." }, "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "Xác thực riêng từng phiên được người dùng sử dụng để đánh dấu phiên đó là đáng tin cậy, không tin cậy vào các thiết bị được xác thực chéo.", - "Encryption": "Mã hóa", "Failed to set display name": "Không đặt được tên hiển thị", "Authentication": "Đăng nhập", - "Session key:": "Khóa phiên:", - "Session ID:": "Định danh (ID) phiên:", - "Cryptography": "Mã hóa bảo mật", - "Import E2E room keys": "Nhập các mã khoá phòng E2E", "": "", - "exists": "tồn tại", - "Homeserver feature support:": "Tính năng được hỗ trợ bởi máy chủ:", - "User signing private key:": "Người dùng ký khóa cá nhân:", - "Self signing private key:": "Khóa cá nhân tự ký:", - "not found locally": "không tìm thấy ở địa phương", - "cached locally": "được lưu trữ cục bộ", - "Master private key:": "Khóa cá nhân chính:", - "not found in storage": "không tìm thấy trong bộ nhớ", - "in secret storage": "trong vùng lưu trữ bí mật", - "Cross-signing private keys:": "Khóa cá nhân xác thực chéo:", - "not found": "không tìm thấy", - "in memory": "trong bộ nhớ", - "Cross-signing public keys:": "Khóa công khai xác thực chéo:", "Cross-signing is not set up.": "Tính năng xác thực chéo chưa được thiết lập.", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "Tài khoản của bạn có danh tính xác thực chéo trong vùng lưu trữ bí mật, nhưng chưa được phiên này tin cậy.", "Cross-signing is ready but keys are not backed up.": "Xác thực chéo đã sẵn sàng nhưng các khóa chưa được sao lưu.", "Cross-signing is ready for use.": "Xác thực chéo đã sẵn sàng để sử dụng.", "Your homeserver does not support cross-signing.": "Máy chủ của bạn không hỗ trợ xác thực chéo.", - "Change Password": "Đổi mật khẩu", - "Current password": "Mật khẩu hiện tại", - "Passwords don't match": "Mật khẩu không khớp", - "Confirm password": "Xác nhận mật khẩu", - "Do you want to set an email address?": "Bạn có muốn đặt một địa chỉ thư điện tử không?", - "Passwords can't be empty": "Mật khẩu không được để trống", - "New passwords don't match": "Mật khẩu mới không khớp", - "Export E2E room keys": "Xuất các mã khoá phòng E2E", "Warning!": "Cảnh báo!", "No display name": "Không có tên hiển thị", "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "CẢNH BÁO: XÁC THỰC KHÓA THẤT BẠI! Khóa đăng nhập cho %(userId)s và thiết bị %(deviceId)s là \"%(fprint)s\" không khớp với khóa được cung cấp \"%(fingerprint)s\". Điều này có nghĩa là các thông tin liên lạc của bạn đang bị chặn!", @@ -1613,10 +1504,6 @@ "Results": "Kết quả", "Joined": "Đã tham gia", "Joining": "Đang tham gia", - "You have %(count)s unread notifications in a prior version of this room.": { - "one": "Bạn có %(count)s thông báo chưa đọc trong phiên bản trước của phòng này.", - "other": "Bạn có %(count)s thông báo chưa đọc trong phiên bản trước của phòng này." - }, "Copy link to thread": "Sao chép liên kết vào chủ đề", "Thread options": "Tùy chọn theo chủ đề", "Mentions only": "Chỉ tin nhắn được đề cập", @@ -1628,15 +1515,6 @@ }, "Spaces you know that contain this space": "Các space bạn biết có chứa space này", "If you can't see who you're looking for, send them your invite link below.": "Nếu bạn không thể thấy người bạn đang tìm, hãy gửi cho họ liên kết mời của bạn bên dưới.", - "Add option": "Thêm tùy chọn", - "Write an option": "Viết tùy chọn", - "Option %(number)s": "Tùy chọn %(number)s", - "Create options": "Tạo tùy chọn", - "Question or topic": "Câu hỏi hoặc chủ đề", - "What is your poll question or topic?": "Câu hỏi hoặc chủ đề của thăm dò của bạn là gì?", - "Sorry, the poll you tried to create was not posted.": "Xin lỗi, cuộc thăm dò mà bạn đã cố gắng tạo đã không được đăng.", - "Failed to post poll": "Đăng cuộc thăm dò thất bại", - "Create Poll": "Tạo Cuộc thăm dò ý kiến", "%(count)s votes": { "one": "%(count)s phiếu bầu", "other": "%(count)s phiếu bầu" @@ -1740,10 +1618,6 @@ "Almost there! Is your other device showing the same shield?": "Sắp xong rồi! Có phải thiết bị khác của bạn hiển thị cùng một lá chắn không?", "To proceed, please accept the verification request on your other device.": "Để tiến hành, vui lòng chấp nhận yêu cầu xác thực trên thiết bị khác của bạn.", "Copy room link": "Sao chép liên kết phòng", - "Waiting for you to verify on your other device…": "Đang chờ bạn xác thực trên thiết bị khác của bạn…", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "Đang chờ bạn xác thực trên thiết bị khác của bạn, %(deviceName)s (%(deviceId)s)…", - "Verify this device by confirming the following number appears on its screen.": "Xác thực thiết bị này bằng việc xác nhận số sau đây xuất hiện trên màn hình của nó.", - "Confirm the emoji below are displayed on both devices, in the same order:": "Xác nhận biểu tượng cảm xúc bên dưới được hiển thị trên cả hai thiết bị, theo cùng một thứ tự:", "Back to thread": "Quay lại luồng", "Room members": "Thành viên phòng", "Back to chat": "Quay lại trò chuyện", @@ -1804,19 +1678,12 @@ "other": "Bạn có muốn đăng xuất %(count)s phiên?" }, "Sessions": "Các phiên", - "Early previews": "Thử trước tính năng mới", - "Upcoming features": "Tính năng sắp tới", "Deactivating your account is a permanent action — be careful!": "Vô hiệu hóa tài khoản của bạn là vĩnh viễn — hãy cẩn trọng!", - "Spell check": "Kiểm tra chính tả", - "Manage account": "Quản lý tài khoản", "Set a new account password…": "Đặt mật khẩu tài khoản mới…", "Your password was successfully changed.": "Đã đổi mật khẩu thành công.", "Error changing password": "Lỗi khi đổi mật khẩu", - "Downloading update…": "Đang tải xuống cập nhật…", - "Checking for an update…": "Đang kiểm tra cập nhật…", "Backing up %(sessionsRemaining)s keys…": "Đang sao lưu %(sessionsRemaining)s khóa…", "This session is backing up your keys.": "Phiên này đang sao lưu các khóa.", - "Error while changing password: %(error)s": "Lỗi khi đổi mật khẩu: %(error)s", "Add privileged users": "Thêm người dùng quyền lực", "Saving…": "Đang lưu…", "Creating…": "Đang tạo…", @@ -1837,11 +1704,9 @@ "If you know a room address, try joining through that instead.": "Nếu bạn biết địa chỉ phòng, hãy dùng nó để tham gia.", "Unknown room": "Phòng không xác định", "Starting export process…": "Bắt đầu trích xuất…", - "Check your email to continue": "Kiểm tra hòm thư để tiếp tục", "This invite was sent to %(email)s": "Lời mời này đã được gửi tới %(email)s", "This invite was sent to %(email)s which is not associated with your account": "Lời mời này đã được gửi đến %(email)s nhưng không liên kết với tài khoản của bạn", "Call type": "Loại cuộc gọi", - "Internal room ID": "Định danh riêng của phòng", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "Để bảo mật nhất, hãy xác thực các phiên và đăng xuất khỏi phiên nào bạn không nhận ra hay dùng nữa.", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (Trạng thái HTTP %(httpStatus)s)", "Unknown password change error (%(stringifiedError)s)": "Lỗi không xác định khi đổi mật khẩu (%(stringifiedError)s)", @@ -1854,10 +1719,6 @@ "Voice broadcast": "Phát thanh", "This may be caused by having the app open in multiple tabs or due to clearing browser data.": "Mở ứng dụng trên nhiều thẻ hay xóa dữ liệu trình duyệt có thể là nguyên nhân.", "Requires your server to support the stable version of MSC3827": "Cần máy chủ nhà của bạn hỗ trợ phiên bản ổn định của MSC3827", - "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.": "Muốn trải nghiệm? Thử các ý tưởng mới nhất còn đang được phát triển của chúng tôi. Các tính năng này chưa được hoàn thiện, chúng có thể không ổn định, có thể thay đổi, hay bị loại bỏ hoàn toàn. Tìm hiểu thêm.", - "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "Những gì sắp đến với %(brand)s? Phòng thí điểm là nơi tốt nhất để có mọi thứ sớm, thử nghiệm tính năng mới và giúp hoàn thiện trước khi chúng thực sự ra mắt.", - "Upgrade this space to the recommended room version": "Nâng cấp phòng tới phiên bản được khuyến nghị", - "View older version of %(spaceName)s.": "Xem phiên bản cũ của %(spaceName)s.", "Automatically adjust the microphone volume": "Tự điều chỉnh âm lượng cho micrô", "An error occurred when updating your notification preferences. Please try to toggle your option again.": "Một lỗi đã xảy ra khi cập nhật tùy chọn thông báo của bạn. Hãy thử làm lại.", "Some results may be hidden for privacy": "Một số kết quả có thể bị ẩn để đảm bảo quyền riêng tư", @@ -1966,7 +1827,6 @@ "Live": "Trực tiếp", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "Toàn bộ tin nhắn và lời mời từ người dùng này sẽ bị ẩn. Bạn có muốn tảng lờ người dùng?", "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.": "Khi bạn đăng xuất, các khóa sẽ được xóa khỏi thiết bị này, tức là bạn không thể đọc các tin nhắn được mã hóa trừ khi bạn có khóa cho chúng trong thiết bị khác, hoặc sao lưu chúng lên máy chủ.", - "Warning: upgrading a room will not automatically migrate room members to the new version of the room. We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.": "Cảnh báo: nâng cấp một phòng sẽ không tự động đưa thành viên sang phiên bản mới của phòng. Chúng tôi đăng liên kết tới phòng mới trong phòng cũ - thành viên sẽ cần nhấp vào liên kết để tham gia phòng mới.", "Join %(roomAddress)s": "Tham gia %(roomAddress)s", "Start DM anyway": "Cứ tạo phòng nhắn tin riêng", " in %(room)s": " ở %(room)s", @@ -2001,7 +1861,6 @@ "Failed to download source media, no source url was found": "Tải xuống phương tiện nguồn thất bại, không tìm thấy nguồn url", "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Không gian là cách để nhóm phòng và người. Bên cạnh các không gian bạn đang ở, bạn cũng có thể sử dụng một số không gian đã được xây dựng sẵn.", "Group all your rooms that aren't part of a space in one place.": "Nhóm tất cả các phòng của bạn mà không phải là một phần của không gian ở một nơi.", - "Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named '%(myBanList)s' - stay in this room to keep the ban list in effect.": "Danh sách cấm cá nhân của bạn chứa tất cả người dùng / máy chủ mà cá nhân bạn không muốn xem tin nhắn. Sau khi bỏ qua người dùng / máy chủ đầu tiên, một phòng mới sẽ hiển thị trong danh sách phòng của bạn tên là '%(myBanList)s'- ở trong phòng này sẽ giữ danh sách cấm có hiệu lực.", "Group all your favourite rooms and people in one place.": "Nhóm tất cả các phòng và người mà bạn yêu thích ở một nơi.", "The add / bind with MSISDN flow is misconfigured": "Thêm / liên kết với luồng MSISDN sai cấu hình", "Past polls": "Các cuộc bỏ phiếu trước", @@ -2016,16 +1875,13 @@ "Video call ended": "Cuộc gọi truyền hình đã kết thúc", "We were unable to start a chat with the other user.": "Chúng tôi không thể bắt đầu cuộc trò chuyện với người kia.", "View poll in timeline": "Xem cuộc bỏ phiếu trong dòng thời gian", - "Click to read topic": "Bấm để xem chủ đề", "Click": "Nhấn", "You will not be able to reactivate your account": "Bạn sẽ không thể kích hoạt lại tài khoản của bạn", "You will no longer be able to log in": "Bạn sẽ không thể đăng nhập lại", - "Open poll": "Bỏ phiếu công khai", "Location": "Vị trí", "Your device ID": "Định danh thiết bị của bạn", "Un-maximise": "Hủy thu nhỏ", "This address does not point at this room": "Địa chỉ này không trỏ đến phòng này", - "Edit topic": "Sửa chủ đề", "Choose a locale": "Chọn vùng miền", "Coworkers and teams": "Đồng nghiệp và nhóm", "Online community members": "Thành viên cộng đồng trực tuyến", @@ -2035,7 +1891,6 @@ "Message pending moderation": "Tin nhắn chờ duyệt", "Message in %(room)s": "Tin nhắn trong %(room)s", "Message from %(user)s": "Tin nhắn từ %(user)s", - "Poll type": "Hình thức bỏ phiếu", "Show: Matrix rooms": "Hiện: Phòng Matrix", "Friends and family": "Bạn bè và gia đình", "Adding…": "Đang thêm…", @@ -2045,8 +1900,6 @@ "Error downloading image": "Lỗi khi tải hình ảnh", "Unable to show image due to error": "Không thể hiển thị hình ảnh do lỗi", "To continue, please enter your account password:": "Để tiếp tục, vui lòng nhập mật khẩu tài khoản của bạn:", - "Closed poll": "Bỏ phiếu kín", - "Edit poll": "Chỉnh sửa bỏ phiếu", "Declining…": "Đang từ chối…", "Image view": "Xem ảnh", "People cannot join unless access is granted.": "Người khác không thể tham gia khi chưa có phép.", @@ -2343,7 +2196,15 @@ "sliding_sync_server_no_support": "Máy chủ của bạn không hoàn toàn hỗ trợ", "sliding_sync_server_specify_proxy": "Máy chủ của bạn không hỗ trợ, bạn cần chỉ định máy chủ ủy nhiệm (proxy)", "sliding_sync_proxy_url_label": "Đường dẫn máy chủ ủy nhiệm (proxy)", - "video_rooms_beta": "Phòng truyền hình là tính năng thử nghiệm" + "video_rooms_beta": "Phòng truyền hình là tính năng thử nghiệm", + "bridge_state_creator": "Cầu này được cung cấp bởi .", + "bridge_state_manager": "Cầu này được quản lý bởi .", + "bridge_state_workspace": "Không gian làm việc(workspace): ", + "bridge_state_channel": "Kênh: ", + "beta_section": "Tính năng sắp tới", + "beta_description": "Những gì sắp đến với %(brand)s? Phòng thí điểm là nơi tốt nhất để có mọi thứ sớm, thử nghiệm tính năng mới và giúp hoàn thiện trước khi chúng thực sự ra mắt.", + "experimental_section": "Thử trước tính năng mới", + "experimental_description": "Muốn trải nghiệm? Thử các ý tưởng mới nhất còn đang được phát triển của chúng tôi. Các tính năng này chưa được hoàn thiện, chúng có thể không ổn định, có thể thay đổi, hay bị loại bỏ hoàn toàn. Tìm hiểu thêm." }, "keyboard": { "home": "Nhà", @@ -2653,7 +2514,26 @@ "record_session_details": "Ghi lại tên phần mềm máy khách, phiên bản, và đường dẫn để nhận diện các phiên dễ dàng hơn trong trình quản lý phiên", "strict_encryption": "Không bao giờ gửi tin nhắn được mã hóa đến các phiên chưa được xác thực từ phiên này", "enable_message_search": "Bật tính năng tìm kiếm tin nhắn trong các phòng được mã hóa", - "manually_verify_all_sessions": "Xác thực thủ công tất cả các phiên từ xa" + "manually_verify_all_sessions": "Xác thực thủ công tất cả các phiên từ xa", + "cross_signing_public_keys": "Khóa công khai xác thực chéo:", + "cross_signing_in_memory": "trong bộ nhớ", + "cross_signing_not_found": "không tìm thấy", + "cross_signing_private_keys": "Khóa cá nhân xác thực chéo:", + "cross_signing_in_4s": "trong vùng lưu trữ bí mật", + "cross_signing_not_in_4s": "không tìm thấy trong bộ nhớ", + "cross_signing_master_private_Key": "Khóa cá nhân chính:", + "cross_signing_cached": "được lưu trữ cục bộ", + "cross_signing_not_cached": "không tìm thấy ở địa phương", + "cross_signing_self_signing_private_key": "Khóa cá nhân tự ký:", + "cross_signing_user_signing_private_key": "Người dùng ký khóa cá nhân:", + "cross_signing_homeserver_support": "Tính năng được hỗ trợ bởi máy chủ:", + "cross_signing_homeserver_support_exists": "tồn tại", + "export_megolm_keys": "Xuất các mã khoá phòng E2E", + "import_megolm_keys": "Nhập các mã khoá phòng E2E", + "cryptography_section": "Mã hóa bảo mật", + "session_id": "Định danh (ID) phiên:", + "session_key": "Khóa phiên:", + "encryption_section": "Mã hóa" }, "preferences": { "room_list_heading": "Danh sách phòng", @@ -2767,6 +2647,12 @@ }, "security_recommendations": "Đề xuất bảo mật", "security_recommendations_description": "Tăng cường bảo mật cho tài khoản bằng cách làm theo các đề xuất này." + }, + "general": { + "oidc_manage_button": "Quản lý tài khoản", + "account_section": "Tài khoản", + "language_section": "Ngôn ngữ và khu vực", + "spell_check_section": "Kiểm tra chính tả" } }, "devtools": { @@ -2828,7 +2714,8 @@ "low_bandwidth_mode": "Chế độ băng thông thấp", "developer_mode": "Chế độ nhà phát triển", "view_source_decrypted_event_source": "Nguồn sự kiện được giải mã", - "view_source_decrypted_event_source_unavailable": "Nguồn được giải mã không khả dụng" + "view_source_decrypted_event_source_unavailable": "Nguồn được giải mã không khả dụng", + "original_event_source": "Nguồn sự kiện ban đầu" }, "export_chat": { "html": "HTML", @@ -3450,6 +3337,17 @@ "url_preview_encryption_warning": "Trong các phòng được mã hóa, như phòng này, tính năng xem trước URL bị tắt theo mặc định để đảm bảo rằng máy chủ của bạn (nơi tạo bản xem trước) không thể thu thập thông tin về các liên kết mà bạn nhìn thấy trong phòng này.", "url_preview_explainer": "Khi ai đó đặt URL trong tin nhắn của họ, bản xem trước URL có thể được hiển thị để cung cấp thêm thông tin về liên kết đó như tiêu đề, mô tả và hình ảnh từ trang web.", "url_previews_section": "Xem trước URL" + }, + "advanced": { + "unfederated": "Phòng này không thể truy cập từ xa bằng máy chủ Matrix", + "room_upgrade_warning": "Cảnh báo: nâng cấp một phòng sẽ không tự động đưa thành viên sang phiên bản mới của phòng. Chúng tôi đăng liên kết tới phòng mới trong phòng cũ - thành viên sẽ cần nhấp vào liên kết để tham gia phòng mới.", + "space_upgrade_button": "Nâng cấp phòng tới phiên bản được khuyến nghị", + "room_upgrade_button": "Nâng cấp phòng này lên phiên bản phòng được đề xuất", + "space_predecessor": "Xem phiên bản cũ của %(spaceName)s.", + "room_predecessor": "Xem các tin nhắn cũ hơn trong %(roomName)s.", + "room_id": "Định danh riêng của phòng", + "room_version_section": "Phiên bản phòng", + "room_version": "Phiên bản phòng:" } }, "encryption": { @@ -3465,8 +3363,22 @@ "sas_prompt": "So sánh biểu tượng cảm xúc độc đáo", "sas_description": "So sánh một bộ biểu tượng cảm xúc độc đáo nếu bạn không có camera trên một trong hai thiết bị", "qr_or_sas": "%(qrCode)s hay %(emojiCompare)s", - "qr_or_sas_header": "Xác thực thiết bị này bằng việc hoàn tất một trong các điều sau:" - } + "qr_or_sas_header": "Xác thực thiết bị này bằng việc hoàn tất một trong các điều sau:", + "explainer": "Tin nhắn an toàn với người dùng này được mã hóa đầu cuối và không thể được các bên thứ ba đọc.", + "complete_action": "Hiểu rồi", + "sas_emoji_caption_self": "Xác nhận biểu tượng cảm xúc bên dưới được hiển thị trên cả hai thiết bị, theo cùng một thứ tự:", + "sas_emoji_caption_user": "Xác thực người dùng này bằng cách xác nhận biểu tượng cảm xúc sau xuất hiện trên màn hình của họ.", + "sas_caption_self": "Xác thực thiết bị này bằng việc xác nhận số sau đây xuất hiện trên màn hình của nó.", + "sas_caption_user": "Xác thực người dùng này bằng cách xác nhận số xuất hiện trên màn hình của họ.", + "unsupported_method": "Không thấy phương pháp xác thực nào được hỗ trợ.", + "waiting_other_device_details": "Đang chờ bạn xác thực trên thiết bị khác của bạn, %(deviceName)s (%(deviceId)s)…", + "waiting_other_device": "Đang chờ bạn xác thực trên thiết bị khác của bạn…", + "waiting_other_user": "Đang đợi %(displayName)s xác thực…", + "cancelling": "Đang hủy…" + }, + "old_version_detected_title": "Đã phát hiện dữ liệu mật mã cũ", + "old_version_detected_description": "Dữ liệu từ phiên bản cũ hơn của %(brand)s đã được phát hiện. Điều này sẽ khiến mật mã end-to-end bị trục trặc trong phiên bản cũ hơn. Các tin nhắn được mã hóa end-to-end được trao đổi gần đây trong khi sử dụng phiên bản cũ hơn có thể không giải mã được trong phiên bản này. Điều này cũng có thể khiến các tin nhắn được trao đổi với phiên bản này bị lỗi. Nếu bạn gặp sự cố, hãy đăng xuất và đăng nhập lại. Để lưu lại lịch sử tin nhắn, hãy export và re-import các khóa của bạn.", + "verification_requested_toast_title": "Đã yêu cầu xác thực" }, "emoji": { "category_frequently_used": "Thường xuyên sử dụng", @@ -3574,7 +3486,45 @@ "phone_optional_label": "Điện thoại (tùy chọn)", "email_help_text": "Thêm một địa chỉ thư điện tử để có thể đặt lại mật khẩu của bạn.", "email_phone_discovery_text": "Sử dụng địa chỉ thư điện tử hoặc điện thoại để dễ dàng được tìm ra bởi người dùng khác.", - "email_discovery_text": "Sử dụng địa chỉ thư điện tử để dễ dàng được tìm ra bởi người dùng khác." + "email_discovery_text": "Sử dụng địa chỉ thư điện tử để dễ dàng được tìm ra bởi người dùng khác.", + "session_logged_out_title": "Đã đăng xuất", + "session_logged_out_description": "Để bảo mật, phiên này đã được đăng xuất. Vui lòng đăng nhập lại.", + "change_password_error": "Lỗi khi đổi mật khẩu: %(error)s", + "change_password_mismatch": "Mật khẩu mới không khớp", + "change_password_empty": "Mật khẩu không được để trống", + "set_email_prompt": "Bạn có muốn đặt một địa chỉ thư điện tử không?", + "change_password_confirm_label": "Xác nhận mật khẩu", + "change_password_confirm_invalid": "Mật khẩu không khớp", + "change_password_current_label": "Mật khẩu hiện tại", + "change_password_new_label": "Mật khẩu mới", + "change_password_action": "Đổi mật khẩu", + "email_field_label": "Thư điện tử", + "email_field_label_required": "Nhập địa chỉ thư điện tử", + "email_field_label_invalid": "Không giống một địa chỉ thư điện tử hợp lệ", + "uia": { + "password_prompt": "Xác nhận danh tính của bạn bằng cách nhập mật khẩu tài khoản của bạn dưới đây.", + "recaptcha_missing_params": "Thiếu captcha public key trong cấu hình máy chủ. Vui lòng báo cáo điều này cho quản trị viên máy chủ của bạn.", + "terms_invalid": "Vui lòng xem xét và chấp nhận tất cả các chính sách của chủ nhà", + "terms": "Vui lòng xem xét và chấp nhận chính sách của máy chủ nhà này:", + "email_auth_header": "Kiểm tra hòm thư để tiếp tục", + "msisdn_token_incorrect": "Mã thông báo không chính xác", + "msisdn": "Một tin nhắn văn bản đã được gửi tới %(msisdn)s", + "msisdn_token_prompt": "Vui lòng nhập mã mà nó chứa:", + "sso_failed": "Đã xảy ra sự cố khi xác nhận danh tính của bạn. Hủy và thử lại.", + "fallback_button": "Bắt đầu xác thực" + }, + "password_field_label": "Nhập mật khẩu", + "password_field_strong_label": "Mật khẩu mạnh, tốt đó!", + "password_field_weak_label": "Mật khẩu được phép, nhưng không an toàn", + "username_field_required_invalid": "Điền tên đăng nhập", + "msisdn_field_required_invalid": "Nhập số điện thoại", + "msisdn_field_number_invalid": "Số điện thoại đó có vẻ không chính xác, vui lòng kiểm tra và thử lại", + "msisdn_field_label": "Điện thoại", + "identifier_label": "Đăng nhập với", + "reset_password_email_field_description": "Sử dụng địa chỉ thư điện tử để khôi phục tài khoản của bạn", + "reset_password_email_field_required_invalid": "Nhập địa chỉ thư điện tử (bắt buộc trên máy chủ này)", + "msisdn_field_description": "Những người dùng khác có thể mời bạn vào phòng bằng cách sử dụng chi tiết liên hệ của bạn", + "registration_msisdn_field_required_invalid": "Nhập số điện thoại (bắt buộc trên máy chủ này)" }, "room_list": { "sort_unread_first": "Hiển thị các phòng có tin nhắn chưa đọc trước", @@ -3764,7 +3714,13 @@ "see_changes_button": "Có gì mới?", "release_notes_toast_title": "Có gì mới", "toast_title": "Cập nhật %(brand)s", - "toast_description": "Đã có phiên bản mới của %(brand)s" + "toast_description": "Đã có phiên bản mới của %(brand)s", + "error_encountered": "Đã xảy ra lỗi (%(errorDetail)s).", + "checking": "Đang kiểm tra cập nhật…", + "no_update": "Không có bản cập nhật nào.", + "downloading": "Đang tải xuống cập nhật…", + "new_version_available": "Có phiên bản mới. Cập nhật ngay bây giờ Update now.", + "check_action": "Kiểm tra cập nhật" }, "threads": { "all_threads": "Tất cả chủ đề", @@ -3813,7 +3769,35 @@ }, "labs_mjolnir": { "room_name": "Danh sách Cấm của tôi", - "room_topic": "Đây là danh sách người dùng/máy chủ mà bạn đã chặn - đừng rời khỏi phòng!" + "room_topic": "Đây là danh sách người dùng/máy chủ mà bạn đã chặn - đừng rời khỏi phòng!", + "ban_reason": "Bị bỏ qua / bị chặn", + "error_adding_ignore": "Lỗi khi thêm người dùng / máy chủ bị bỏ qua", + "something_went_wrong": "Đã xảy ra lỗi. Vui lòng thử lại hoặc xem bảng điều khiển của bạn để biết gợi ý.", + "error_adding_list_title": "Lỗi khi đăng ký danh sách", + "error_adding_list_description": "Vui lòng xác minh ID hoặc địa chỉ phòng và thử lại.", + "error_removing_ignore": "Lỗi khi xóa người dùng / máy chủ bị bỏ qua", + "error_removing_list_title": "Lỗi khi hủy đăng ký khỏi danh sách", + "error_removing_list_description": "Vui lòng thử lại hoặc xem bảng điều khiển của bạn để biết gợi ý.", + "rules_title": "Quy tắc danh sách cấm - %(roomName)s", + "rules_server": "Quy tắc máy chủ", + "rules_user": "Quy tắc người dùng", + "personal_empty": "Bạn đã không bỏ qua bất cứ ai.", + "personal_section": "Bạn hiện đang bỏ qua:", + "no_lists": "Bạn chưa đăng ký bất kỳ danh sách nào", + "view_rules": "Xem các quy tắc", + "lists": "Bạn hiện đã đăng ký:", + "title": "Người dùng bị bỏ qua", + "advanced_warning": "⚠ Các cài đặt này dành cho người dùng nâng cao.", + "explainer_1": "Thêm người dùng và máy chủ bạn muốn bỏ qua tại đây. Sử dụng dấu hoa thị để %(brand)s khớp với bất kỳ ký tự nào. Ví dụ: @bot:* sẽ bỏ qua tất cả người dùng có tên 'bot' trên bất kỳ máy chủ nào.", + "explainer_2": "Việc bỏ qua người khác được thực hiện thông qua danh sách cấm trong đó có các quy tắc về việc cấm người như thế nào. Đăng ký danh sách cấm có nghĩa là người dùng/máy chủ bị danh sách đó chặn sẽ bị ẩn với bạn.", + "personal_heading": "Danh sách cấm cá nhân", + "personal_description": "Danh sách cấm cá nhân của bạn chứa tất cả người dùng / máy chủ mà cá nhân bạn không muốn xem tin nhắn. Sau khi bỏ qua người dùng / máy chủ đầu tiên, một phòng mới sẽ hiển thị trong danh sách phòng của bạn tên là '%(myBanList)s'- ở trong phòng này sẽ giữ danh sách cấm có hiệu lực.", + "personal_new_label": "Máy chủ hoặc ID người dùng để bỏ qua", + "personal_new_placeholder": "ví dụ: @bot:* hoặc example.org", + "lists_heading": "Danh sách đã đăng ký", + "lists_description_1": "Đăng ký vào danh sách cấm sẽ khiến bạn tham gia vào danh sách đó!", + "lists_description_2": "Nếu đây không phải là điều bạn muốn, vui lòng sử dụng một công cụ khác để bỏ qua người dùng.", + "lists_new_label": "ID phòng hoặc địa chỉ của danh sách cấm" }, "create_space": { "name_required": "Vui lòng nhập tên cho Space", @@ -3873,6 +3857,12 @@ "private_unencrypted_warning": "Các tin nhắn riêng tư của bạn thường được mã hóa, nhưng phòng này thì không. Thường thì điều này là do thiết bị không được hỗ trợ hoặc phương pháp đang được dùng, như các lời mời qua thư điện tử.", "enable_encryption_prompt": "Bật mã hóa trong phần cài đặt.", "unencrypted_warning": "Mã hóa đầu-cuối chưa được bật" + }, + "edit_topic": "Sửa chủ đề", + "read_topic": "Bấm để xem chủ đề", + "unread_notifications_predecessor": { + "one": "Bạn có %(count)s thông báo chưa đọc trong phiên bản trước của phòng này.", + "other": "Bạn có %(count)s thông báo chưa đọc trong phiên bản trước của phòng này." } }, "file_panel": { @@ -3887,9 +3877,28 @@ "intro": "Để tiếp tục, bạn cần chấp nhận các điều khoản của dịch vụ này.", "column_service": "Dịch vụ", "column_summary": "Tóm lược", - "column_document": "Tài liệu" + "column_document": "Tài liệu", + "tac_title": "Các điều khoản và điều kiện", + "tac_description": "Để tiếp tục sử dụng máy chủ nhà của %(homeserverDomain)s, bạn phải xem xét và đồng ý với các điều khoản và điều kiện của chúng tôi.", + "tac_button": "Xem lại các điều khoản và điều kiện" }, "space_settings": { "title": "Cài đặt - %(spaceName)s" + }, + "poll": { + "create_poll_title": "Tạo cuộc tham dò ý kiến", + "create_poll_action": "Tạo Cuộc thăm dò ý kiến", + "edit_poll_title": "Chỉnh sửa bỏ phiếu", + "failed_send_poll_title": "Đăng cuộc thăm dò thất bại", + "failed_send_poll_description": "Xin lỗi, cuộc thăm dò mà bạn đã cố gắng tạo đã không được đăng.", + "type_heading": "Hình thức bỏ phiếu", + "type_open": "Bỏ phiếu công khai", + "type_closed": "Bỏ phiếu kín", + "topic_heading": "Câu hỏi hoặc chủ đề của thăm dò của bạn là gì?", + "topic_label": "Câu hỏi hoặc chủ đề", + "options_heading": "Tạo tùy chọn", + "options_label": "Tùy chọn %(number)s", + "options_placeholder": "Viết tùy chọn", + "options_add_button": "Thêm tùy chọn" } } diff --git a/src/i18n/strings/vls.json b/src/i18n/strings/vls.json index bae1f82a61..da5e8caf46 100644 --- a/src/i18n/strings/vls.json +++ b/src/i18n/strings/vls.json @@ -83,11 +83,6 @@ "The user's homeserver does not support the version of the room.": "Den thuusserver van de gebruuker biedt geen oundersteunienge vo de gespreksversie.", "Unknown server error": "Ounbekende serverfoute", "Please contact your homeserver administrator.": "Gelieve contact ip te neemn me den beheerder van je thuusserver.", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "Beveiligde berichtn me deze gebruuker zyn eind-tout-eind-versleuterd en kunn nie door derdn wordn geleezn.", - "Got It": "’k Snappen ’t", - "Verify this user by confirming the following emoji appear on their screen.": "Verifieert deze gebruuker deur te bevestign da zyn/heur scherm de volgende emoji toogt.", - "Verify this user by confirming the following number appears on their screen.": "Verifieert deze gebruuker deur te bevestign da zyn/heur scherm ’t volgend getal toogt.", - "Unable to find a supported verification method.": "Kan geen oundersteunde verificoasjemethode viendn.", "Dog": "Hound", "Cat": "Katte", "Lion": "Leeuw", @@ -151,15 +146,7 @@ "Headphones": "Koptelefong", "Folder": "Mappe", "No display name": "Geen weergavenoame", - "New passwords don't match": "Nieuwe paswoordn kommn nie overeen", - "Passwords can't be empty": "Paswoordn kunn nie leeg zyn", "Warning!": "Let ip!", - "Export E2E room keys": "E2E-gesprekssleuters exporteern", - "Do you want to set an email address?": "Wil je een e-mailadresse instelln?", - "Current password": "Huudig paswoord", - "New Password": "Nieuw paswoord", - "Confirm password": "Bevestig ’t paswoord", - "Change Password": "Paswoord verandern", "Authentication": "Authenticoasje", "Failed to set display name": "Instelln van weergavenoame es mislukt", "Unable to remove contact information": "Kan contactinformoasje nie verwydern", @@ -187,19 +174,14 @@ "Display Name": "Weergavenoame", "Failed to change password. Is your password correct?": "Wyzign van ’t paswoord es mislukt. Es je paswoord wel juste?", "Profile": "Profiel", - "Account": "Account", "Email addresses": "E-mailadressn", "Phone numbers": "Telefongnumero’s", - "Language and region": "Toale en regio", "Account management": "Accountbeheer", "Deactivate Account": "Account deactiveern", "General": "Algemeen", - "Check for update": "Controleern ip updates", "Notifications": "Meldiengn", "Unignore": "Nie mi negeern", "": "", - "Import E2E room keys": "E2E-gesprekssleuters importeern", - "Cryptography": "Cryptografie", "Ignored users": "Genegeerde gebruukers", "Bulk options": "Bulkopties", "Accept all %(invitedRooms)s invites": "Alle %(invitedRooms)s-uutnodigiengn anveirdn", @@ -214,17 +196,11 @@ "Default Device": "Standoardtoestel", "Audio Output": "Geluudsuutgang", "Voice & Video": "Sproak & video", - "This room is not accessible by remote Matrix servers": "Dit gesprek es nie toegankelik voor externe Matrix-servers", - "Upgrade this room to the recommended room version": "Actualiseert dit gesprek noar d’anbevooln gespreksversie", - "View older messages in %(roomName)s.": "Bekykt oudere berichtn in %(roomName)s.", "Room information": "Gespreksinformoasje", - "Room version": "Gespreksversie", - "Room version:": "Gespreksversie:", "Room Addresses": "Gespreksadressn", "Failed to unban": "Ountbann mislukt", "Unban": "Ountbann", "Banned by %(displayName)s": "Verbann deur %(displayName)s", - "Encryption": "Versleuterienge", "This event could not be displayed": "Deze gebeurtenisse kostege nie weergegeevn wordn", "Failed to ban user": "Verbann van gebruuker es mislukt", "Demote yourself?": "Jen eigen degradeern?", @@ -323,8 +299,6 @@ "You are about to be taken to a third-party site so you can authenticate your account for use with %(integrationsUrl)s. Do you wish to continue?": "Je goa sebiet noar en derdepartywebsite gebracht wordn zoda je den account ku legitimeern vo gebruuk me %(integrationsUrl)s. Wil je verdergoan?", "edited": "bewerkt", "Something went wrong!": "’t Es etwa misgegoan!", - "Error encountered (%(errorDetail)s).": "’t Es e foute ipgetreedn (%(errorDetail)s).", - "No update available.": "Geen update beschikboar.", "Delete Widget": "Widget verwydern", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "E widget verwydern doet da voor alle gebruukers in dit gesprek. Zy je zeker da je deze widget wil verwydern?", "Delete widget": "Widget verwydern", @@ -431,25 +405,6 @@ "Low Priority": "Leige prioriteit", "Home": "Thuus", "This homeserver would like to make sure you are not a robot.": "Deze thuusserver wil geirn weetn of da je gy geen robot zyt.", - "Please review and accept all of the homeserver's policies": "Gelieve ’t beleid van de thuusserver te leezn en ’anveirdn", - "Please review and accept the policies of this homeserver:": "Gelieve ’t beleid van deze thuusserver te leezn en t’anveirdn:", - "Token incorrect": "Verkeerd bewys", - "A text message has been sent to %(msisdn)s": "’t Is een smse noa %(msisdn)s verstuurd gewist", - "Please enter the code it contains:": "Gift de code in da ’t er in stoat:", - "Start authentication": "Authenticoasje beginn", - "Email": "E-mailadresse", - "Phone": "Telefongnumero", - "Sign in with": "Anmeldn me", - "Use an email address to recover your account": "Gebruukt een e-mailadresse vo jen account t’herstelln", - "Enter email address (required on this homeserver)": "Gift een e-mailadresse in (vereist ip deze thuusserver)", - "Doesn't look like a valid email address": "Dit ziet der nie uut lik e geldig e-mailadresse", - "Enter password": "Gif ’t paswoord in", - "Password is allowed, but unsafe": "Paswoord is toegeloatn, moar ounveilig", - "Nice, strong password!": "Dit is e sterk paswoord!", - "Passwords don't match": "Paswoordn kommn nie overeen", - "Other users can invite you to rooms using your contact details": "Andere gebruukers kunn jen in gesprekkn uutnodign ip basis van je contactgegeevns", - "Enter phone number (required on this homeserver)": "Gift den telefongnumero in (vereist ip deze thuusserver)", - "Enter username": "Gift de gebruukersnoame in", "Some characters not allowed": "Sommige tekens zyn nie toegeloatn", "Email (optional)": "E-mailadresse (optioneel)", "Join millions for free on the largest public server": "Doe mee me miljoenen anderen ip de grotste publieke server", @@ -460,13 +415,6 @@ "Are you sure you want to leave the room '%(roomName)s'?": "Zy je zeker da je wilt deuregoan uut ’t gesprek ‘%(roomName)s’?", "Can't leave Server Notices room": "Kostege nie deuregoan uut ’t servermeldiengsgesprek", "This room is used for important messages from the Homeserver, so you cannot leave it.": "Dit gesprek wor gebruukt vo belangryke berichtn van de thuusserver, dus je kut der nie uut deuregoan.", - "Signed Out": "Afgemeld", - "For security, this session has been signed out. Please sign in again.": "Wegens veiligheidsredenn is deze sessie afgemeld. Gelieve jen heran te meldn.", - "Terms and Conditions": "Gebruuksvoorwoardn", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "Vo de %(homeserverDomain)s-thuusserver te bluuvn gebruukn, goa je de gebruuksvoorwoardn moetn leezn en anveirdn.", - "Review terms and conditions": "Gebruuksvoorwoardn leezn", - "Old cryptography data detected": "Oude cryptografiegegeevns gedetecteerd", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "’t Zyn gegeevns van een oudere versie van %(brand)s gedetecteerd gewist. Dit goa probleemn veroorzakt ghed èn me de eind-tout-eind-versleuterienge in d’oude versie. Eind-tout-eind-versleuterde berichtn da recent uutgewisseld gewist zyn me d’oude versie zyn meugliks nie t’ountsleutern in deze versie. Dit zoudt der ook voorn kunnn zorgn da berichtn da uutgewisseld gewist zyn in deze versie foaln. Meldt jen heran moest je probleemn ervoarn. Exporteert de sleuters en importeer z’achteraf were vo de berichtgeschiedenisse te behoudn.", "You can't send any messages until you review and agree to our terms and conditions.": "Je ku geen berichtn stuurn toutda je uzze algemene voorwoardn geleezn en anveird ghed èt.", "Your message wasn't sent because this homeserver has hit its Monthly Active User Limit. Please contact your service administrator to continue using the service.": "Je bericht is nie verstuurd gewist omda deze thuusserver z’n limiet vo moandeliks actieve gebruukers bereikt ghed èt. Gelieve contact ip te neemn me jen dienstbeheerder vo de dienst te bluuvn gebruukn.", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Je bericht is nie verstuurd gewist omda deze thuusserver e systeembronlimiet overschreedn ghed èt. Gelieve contact ip te neemn me jen dienstbeheerder vo de dienst te bluuvn gebruukn.", @@ -479,10 +427,6 @@ "Server may be unavailable, overloaded, or search timed out :(": "De server is misschiens ounbereikboar of overbelast, of ’t zoekn deurdege te lank :(", "No more results": "Geen resultoatn nie mi", "Failed to reject invite": "Weigern van d’uutnodigienge is mislukt", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "J’èt %(count)s oungeleezn meldiengn in e voorgoande versie van dit gesprek.", - "one": "J’èt %(count)s oungeleezn meldieng in e voorgoande versie van dit gesprek." - }, "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "J’è geprobeerd van e gegeven punt in de tydslyn van dit gesprek te loadn, moa j’è geen toeloatienge vo ’t desbetreffend bericht te zien.", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Geprobeerd voor e gegeven punt in de tydslyn van dit gesprek te loadn, moar kostege dit nie viendn.", "Failed to load timeline position": "Loadn van tydslynpositie is mislukt", @@ -763,7 +707,11 @@ "mirror_local_feed": "Lokoale videoanvoer ook elders ipsloan (spiegeln)" }, "security": { - "send_analytics": "Statistische gegeevns (analytics) verstuurn" + "send_analytics": "Statistische gegeevns (analytics) verstuurn", + "export_megolm_keys": "E2E-gesprekssleuters exporteern", + "import_megolm_keys": "E2E-gesprekssleuters importeern", + "cryptography_section": "Cryptografie", + "encryption_section": "Versleuterienge" }, "preferences": { "room_list_heading": "Gesprekslyste", @@ -773,6 +721,10 @@ }, "sessions": { "session_id": "Sessie-ID" + }, + "general": { + "account_section": "Account", + "language_section": "Toale en regio" } }, "devtools": { @@ -1043,14 +995,28 @@ "url_preview_encryption_warning": "In versleuterde gesprekkn lyk dat hier zyn URL-voorvertoniengn standoard uutgeschoakeld, vo te voorkommn da je thuusserver (woa da de voorvertoniengn wordn gemakt) informoasje ku verzoameln over de koppeliengn da j’hiere ziet.", "url_preview_explainer": "A ’t er etwien een URL in e bericht invoegt, kut er een URL-voorvertonienge getoogd wordn me meer informoasje over de koppelienge, gelyk den titel, omschryvienge en e fotootje van de website.", "url_previews_section": "URL-voorvertoniengn" + }, + "advanced": { + "unfederated": "Dit gesprek es nie toegankelik voor externe Matrix-servers", + "room_upgrade_button": "Actualiseert dit gesprek noar d’anbevooln gespreksversie", + "room_predecessor": "Bekykt oudere berichtn in %(roomName)s.", + "room_version_section": "Gespreksversie", + "room_version": "Gespreksversie:" } }, "encryption": { "verification": { "other_party_cancelled": "De tegenparty èt de verificoasje geannuleerd.", "complete_title": "Geverifieerd!", - "complete_description": "J’èt deze gebruuker geverifieerd." - } + "complete_description": "J’èt deze gebruuker geverifieerd.", + "explainer": "Beveiligde berichtn me deze gebruuker zyn eind-tout-eind-versleuterd en kunn nie door derdn wordn geleezn.", + "complete_action": "’k Snappen ’t", + "sas_emoji_caption_user": "Verifieert deze gebruuker deur te bevestign da zyn/heur scherm de volgende emoji toogt.", + "sas_caption_user": "Verifieert deze gebruuker deur te bevestign da zyn/heur scherm ’t volgend getal toogt.", + "unsupported_method": "Kan geen oundersteunde verificoasjemethode viendn." + }, + "old_version_detected_title": "Oude cryptografiegegeevns gedetecteerd", + "old_version_detected_description": "’t Zyn gegeevns van een oudere versie van %(brand)s gedetecteerd gewist. Dit goa probleemn veroorzakt ghed èn me de eind-tout-eind-versleuterienge in d’oude versie. Eind-tout-eind-versleuterde berichtn da recent uutgewisseld gewist zyn me d’oude versie zyn meugliks nie t’ountsleutern in deze versie. Dit zoudt der ook voorn kunnn zorgn da berichtn da uutgewisseld gewist zyn in deze versie foaln. Meldt jen heran moest je probleemn ervoarn. Exporteert de sleuters en importeer z’achteraf were vo de berichtgeschiedenisse te behoudn." }, "auth": { "sign_in_with_sso": "Anmeldn met enkele anmeldienge", @@ -1077,7 +1043,37 @@ "account_deactivated": "Deezn account is gedeactiveerd gewist.", "registration_username_validation": "Gebruukt alleene moa letters, cyfers, streeptjes en underscores", "phone_label": "Telefongnumero", - "phone_optional_label": "Telefongnumero (optioneel)" + "phone_optional_label": "Telefongnumero (optioneel)", + "session_logged_out_title": "Afgemeld", + "session_logged_out_description": "Wegens veiligheidsredenn is deze sessie afgemeld. Gelieve jen heran te meldn.", + "change_password_mismatch": "Nieuwe paswoordn kommn nie overeen", + "change_password_empty": "Paswoordn kunn nie leeg zyn", + "set_email_prompt": "Wil je een e-mailadresse instelln?", + "change_password_confirm_label": "Bevestig ’t paswoord", + "change_password_confirm_invalid": "Paswoordn kommn nie overeen", + "change_password_current_label": "Huudig paswoord", + "change_password_new_label": "Nieuw paswoord", + "change_password_action": "Paswoord verandern", + "email_field_label": "E-mailadresse", + "email_field_label_invalid": "Dit ziet der nie uut lik e geldig e-mailadresse", + "uia": { + "terms_invalid": "Gelieve ’t beleid van de thuusserver te leezn en ’anveirdn", + "terms": "Gelieve ’t beleid van deze thuusserver te leezn en t’anveirdn:", + "msisdn_token_incorrect": "Verkeerd bewys", + "msisdn": "’t Is een smse noa %(msisdn)s verstuurd gewist", + "msisdn_token_prompt": "Gift de code in da ’t er in stoat:", + "fallback_button": "Authenticoasje beginn" + }, + "password_field_label": "Gif ’t paswoord in", + "password_field_strong_label": "Dit is e sterk paswoord!", + "password_field_weak_label": "Paswoord is toegeloatn, moar ounveilig", + "username_field_required_invalid": "Gift de gebruukersnoame in", + "msisdn_field_label": "Telefongnumero", + "identifier_label": "Anmeldn me", + "reset_password_email_field_description": "Gebruukt een e-mailadresse vo jen account t’herstelln", + "reset_password_email_field_required_invalid": "Gift een e-mailadresse in (vereist ip deze thuusserver)", + "msisdn_field_description": "Andere gebruukers kunn jen in gesprekkn uutnodign ip basis van je contactgegeevns", + "registration_msisdn_field_required_invalid": "Gift den telefongnumero in (vereist ip deze thuusserver)" }, "export_chat": { "messages": "Berichtn" @@ -1127,14 +1123,21 @@ }, "update": { "see_changes_button": "Wuk es ’t er nieuw?", - "release_notes_toast_title": "Wuk es ’t er nieuw" + "release_notes_toast_title": "Wuk es ’t er nieuw", + "error_encountered": "’t Es e foute ipgetreedn (%(errorDetail)s).", + "no_update": "Geen update beschikboar.", + "check_action": "Controleern ip updates" }, "room_list": { "failed_remove_tag": "Verwydern van %(tagName)s-label van gesprek is mislukt", "failed_add_tag": "Toevoegn van %(tagName)s-label an gesprek is mislukt" }, "room": { - "drop_file_prompt": "Versleep ’t bestand noar hier vo ’t ip te loaden" + "drop_file_prompt": "Versleep ’t bestand noar hier vo ’t ip te loaden", + "unread_notifications_predecessor": { + "other": "J’èt %(count)s oungeleezn meldiengn in e voorgoande versie van dit gesprek.", + "one": "J’èt %(count)s oungeleezn meldieng in e voorgoande versie van dit gesprek." + } }, "file_panel": { "guest_note": "Je moe je registreern vo deze functie te gebruukn", @@ -1149,6 +1152,12 @@ "integration_manager": "Gebruukt robottn, bruggn, widgets en stickerpakkettn", "tos": "Gebruuksvoorwoardn", "column_service": "Dienst", - "column_summary": "Soamnvattienge" + "column_summary": "Soamnvattienge", + "tac_title": "Gebruuksvoorwoardn", + "tac_description": "Vo de %(homeserverDomain)s-thuusserver te bluuvn gebruukn, goa je de gebruuksvoorwoardn moetn leezn en anveirdn.", + "tac_button": "Gebruuksvoorwoardn leezn" + }, + "labs_mjolnir": { + "title": "Genegeerde gebruukers" } } diff --git a/src/i18n/strings/zh_Hans.json b/src/i18n/strings/zh_Hans.json index 83772d43fa..5b1a5b02cf 100644 --- a/src/i18n/strings/zh_Hans.json +++ b/src/i18n/strings/zh_Hans.json @@ -1,14 +1,10 @@ { - "Cryptography": "加密", - "Current password": "当前密码", "Deactivate Account": "停用账户", "Decrypt %(text)s": "解密 %(text)s", "Default": "默认", "Download %(text)s": "下载 %(text)s", - "Email": "电子邮箱", "Email address": "邮箱地址", "Error decrypting attachment": "解密附件时出错", - "Export E2E room keys": "导出房间的端到端加密密钥", "Failed to ban user": "封禁失败", "Failed to change password. Is your password correct?": "修改密码失败。确认原密码输入正确吗?", "Failed to forget room %(errCode)s": "忘记房间失败,错误代码: %(errCode)s", @@ -24,9 +20,7 @@ "Favourite": "收藏", "Filter room members": "过滤房间成员", "Forget room": "忘记房间", - "For security, this session has been signed out. Please sign in again.": "出于安全考虑,此会话已被注销。请重新登录。", "Historical": "历史", - "Import E2E room keys": "导入房间端到端加密密钥", "Incorrect verification code": "验证码错误", "Invalid Email Address": "邮箱地址格式错误", "Invalid file%(extra)s": "无效文件 %(extra)s", @@ -39,12 +33,10 @@ "Server may be unavailable, overloaded, or search timed out :(": "服务器可能不可用、超载,或者搜索超时 :(", "Server may be unavailable, overloaded, or you hit a bug.": "当前服务器可能处于不可用或过载状态,或者你遇到了一个 bug。", "Session ID": "会话 ID", - "Signed Out": "已退出登录", "This email address is already in use": "此邮箱地址已被使用", "This email address was not found": "未找到此邮箱地址", "A new password must be entered.": "必须输入新密码。", "An error has occurred.": "发生了一个错误。", - "Confirm password": "确认密码", "Join Room": "加入房间", "Jump to first unread message.": "跳到第一条未读消息。", "Admin Tools": "管理员工具", @@ -64,26 +56,20 @@ "Are you sure you want to reject the invitation?": "你确定要拒绝邀请吗?", "Can't connect to homeserver - please check your connectivity, ensure your homeserver's SSL certificate is trusted, and that a browser extension is not blocking requests.": "无法连接家服务器 - 请检查网络连接,确保你的家服务器 SSL 证书被信任,且没有浏览器插件拦截请求。", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "当浏览器地址栏里有 HTTPS 的 URL 时,不能使用 HTTP 连接家服务器。请使用 HTTPS 或者允许不安全的脚本。", - "Change Password": "修改密码", "Custom level": "自定义级别", "Enter passphrase": "输入口令词组", "Home": "主页", "Invited": "已邀请", - "Sign in with": "第三方登录", "Missing room_id in request": "请求中缺少room_id", "Missing user_id in request": "请求中缺少user_id", "Moderator": "协管员", - "New passwords don't match": "两次输入的新密码不符", "not specified": "未指定", "Notifications": "通知", "": "<不支持>", "No display name": "无显示名称", "Operation failed": "操作失败", - "Passwords can't be empty": "密码不能为空", - "Phone": "电话", "Create new room": "创建新房间", "unknown error code": "未知错误代码", - "Account": "账户", "Low priority": "低优先级", "No more results": "没有更多结果", "Reason": "理由", @@ -92,7 +78,6 @@ "Warning!": "警告!", "You need to be logged in.": "你需要登录。", "Connectivity to the server has been lost.": "到服务器的连接已经丢失。", - "New Password": "新密码", "Passphrases must match": "口令词组必须匹配", "Passphrase must not be empty": "口令词组不能为空", "Export room keys": "导出房间密钥", @@ -102,7 +87,6 @@ "Failed to invite": "邀请失败", "Unknown error": "未知错误", "Unable to restore session": "无法恢复会话", - "Token incorrect": "令牌错误", "Delete widget": "删除挂件", "Failed to change power level": "权力级别修改失败", "New passwords must match each other.": "新密码必须互相匹配。", @@ -111,7 +95,6 @@ "This room has no local addresses": "此房间没有本地地址", "This doesn't appear to be a valid email address": "这似乎不是有效的邮箱地址", "This phone number is already in use": "此电话号码已被使用", - "This room is not accessible by remote Matrix servers": "此房间无法被远程 Matrix 服务器访问", "Unable to create widget.": "无法创建挂件。", "Unban": "解除封禁", "Unable to enable Notifications": "无法启用通知", @@ -124,7 +107,6 @@ "PM": "下午", "Profile": "个人资料", "%(roomName)s is not accessible at this time.": "%(roomName)s 此时无法访问。", - "Start authentication": "开始认证", "This room is not recognised.": "无法识别此房间。", "Unable to add email address": "无法添加邮箱地址", "Unable to verify email address.": "无法验证邮箱地址。", @@ -134,9 +116,7 @@ "You seem to be uploading files, are you sure you want to quit?": "你似乎正在上传文件,确定要退出吗?", "Error decrypting image": "解密图像时出错", "Error decrypting video": "解密视频时出错", - "Check for update": "检查更新", "Something went wrong!": "出了点问题!", - "Do you want to set an email address?": "你想要设置一个邮箱地址吗?", "Verification Pending": "验证等待中", "You cannot place a call with yourself.": "你不能打给自己。", "Copied!": "已复制!", @@ -179,7 +159,6 @@ "Unignore": "取消忽略", "Jump to read receipt": "跳到阅读回执", "Unnamed room": "未命名的房间", - "A text message has been sent to %(msisdn)s": "一封短信已发送到 %(msisdn)s", "Delete Widget": "删除挂件", "%(items)s and %(count)s others": { "other": "%(items)s 和其他 %(count)s 人", @@ -204,9 +183,6 @@ "%(duration)sd": "%(duration)s 天", "In reply to ": "答复 ", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "如果你之前使用过较新版本的 %(brand)s,则你的会话可能与当前版本不兼容。请关闭此窗口并使用最新版本。", - "Please enter the code it contains:": "请输入其包含的代码:", - "Old cryptography data detected": "检测到旧的加密数据", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "已检测到旧版%(brand)s的数据,这将导致端到端加密在旧版本中发生故障。在此版本中,使用旧版本交换的端到端加密消息可能无法解密。这也可能导致与此版本交换的消息失败。如果你遇到问题,请登出并重新登录。要保留历史消息,请先导出并在重新登录后导入你的密钥。", "Uploading %(filename)s and %(count)s others": { "other": "正在上传 %(filename)s 与其他 %(count)s 个文件", "one": "正在上传 %(filename)s 与其他 %(count)s 个文件" @@ -228,7 +204,6 @@ "Unavailable": "无法获得", "Source URL": "源网址", "Filter results": "过滤结果", - "No update available.": "没有可用更新。", "Tuesday": "星期二", "Preparing to send logs": "正在准备发送日志", "Saturday": "星期六", @@ -242,7 +217,6 @@ "Search…": "搜索…", "Logs sent": "日志已发送", "Yesterday": "昨天", - "Error encountered (%(errorDetail)s).": "遇到错误 (%(errorDetail)s)。", "Low Priority": "低优先级", "Thank you!": "谢谢!", "You need to be able to invite users to do that.": "你需要有邀请用户的权限才能进行此操作。", @@ -272,9 +246,6 @@ "This room is not public. You will not be able to rejoin without an invite.": "此房间不是公开房间。如果没有成员邀请,你将无法重新加入。", "Can't leave Server Notices room": "无法退出服务器公告房间", "This room is used for important messages from the Homeserver, so you cannot leave it.": "此房间是用于发布来自家服务器的重要讯息的,所以你不能退出它。", - "Terms and Conditions": "条款与要求", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "若要继续使用家服务器 %(homeserverDomain)s,你必须浏览并同意我们的条款与要求。", - "Review terms and conditions": "浏览条款与要求", "You can't send any messages until you review and agree to our terms and conditions.": "在你查看并同意 我们的条款与要求 之前,你不能发送任何消息。", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "尝试了加载此房间时间线上的特定点,但你没有查看相关消息的权限。", "No Audio Outputs detected": "未检测到可用的音频输出方式", @@ -312,11 +283,6 @@ "Unknown server error": "未知服务器错误", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "文件“%(fileName)s”超过了此家服务器的上传大小限制", "Unrecognised address": "无法识别地址", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "此用户的安全消息是端到端加密的,不能被第三方读取。", - "Got It": "收到", - "Verify this user by confirming the following emoji appear on their screen.": "通过在其屏幕上显示以下表情符号来验证此用户。", - "Verify this user by confirming the following number appears on their screen.": "通过在其屏幕上显示以下数字来验证此用户。", - "Unable to find a supported verification method.": "无法找到支持的验证方法。", "Dog": "狗", "Cat": "猫", "Lion": "狮子", @@ -395,7 +361,6 @@ "Display Name": "显示名称", "Email addresses": "电子邮箱地址", "Phone numbers": "电话号码", - "Language and region": "语言与地区", "Account management": "账户管理", "General": "通用", "Ignored users": "已忽略的用户", @@ -404,10 +369,7 @@ "Request media permissions": "请求媒体权限", "Voice & Video": "语音和视频", "Room information": "房间信息", - "Room version": "房间版本", - "Room version:": "房间版本:", "Room Addresses": "房间地址", - "Encryption": "加密", "Add some now": "立即添加", "Error updating main address": "更新主要地址时发生错误", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "更新房间的主要地址时发生错误。可能是此服务器不允许,也可能是出现了一个临时错误。", @@ -434,8 +396,6 @@ "Failed to decrypt %(failedCount)s sessions!": "%(failedCount)s 个会话解密失败!", "Warning: you should only set up key backup from a trusted computer.": "警告:你应此只在受信任的电脑上设置密钥备份。", "This homeserver would like to make sure you are not a robot.": "此家服务器想要确认你不是机器人。", - "Please review and accept all of the homeserver's policies": "请阅读并接受此家服务器的所有政策", - "Please review and accept the policies of this homeserver:": "请阅读并接受此家服务器的政策:", "Email (optional)": "电子邮箱(可选)", "Join millions for free on the largest public server": "免费加入最大的公共服务器,成为数百万用户中的一员", "Couldn't load page": "无法加载页面", @@ -459,7 +419,6 @@ "The user must be unbanned before they can be invited.": "用户必须先解封才能被邀请。", "Accept all %(invitedRooms)s invites": "接受所有 %(invitedRooms)s 邀请", "Power level": "权力级别", - "Upgrade this room to the recommended room version": "升级此房间至推荐版本", "This room is running room version , which this homeserver has marked as unstable.": "此房间运行的房间版本是 ,此版本已被家服务器标记为 不稳定 。", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "升级此房间将会关闭房间的当前实例并创建一个具有相同名称的升级版房间。", "Failed to revoke invite": "撤销邀请失败", @@ -467,10 +426,6 @@ "Revoke invite": "撤销邀请", "Invited by %(sender)s": "被 %(sender)s 邀请", "Remember my selection for this widget": "记住我对此挂件的选择", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "你在此房间的先前版本中有 %(count)s 条未读通知。", - "one": "你在此房间的先前版本中有 %(count)s 条未读通知。" - }, "Add Email Address": "添加邮箱", "Add Phone Number": "添加电话号码", "Call failed due to misconfigured server": "服务器配置错误导致通话失败", @@ -529,8 +484,6 @@ "Ok": "确定", "Other users may not trust it": "其他用户可能不信任它", "Change notification settings": "修改通知设置", - "Waiting for %(displayName)s to verify…": "正在等待%(displayName)s进行验证……", - "Cancelling…": "正在取消……", "Lock": "锁", "Your server isn't responding to some requests.": "你的服务器没有响应一些请求。", "Accept to continue:": "接受 以继续:", @@ -538,16 +491,8 @@ "Your homeserver does not support cross-signing.": "你的家服务器不支持交叉签名。", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "你的账户在秘密存储中有交叉签名身份,但并没有被此会话信任。", "unexpected type": "未预期的类型", - "Cross-signing public keys:": "交叉签名公钥:", - "in memory": "在内存中", - "not found": "未找到", - "Cross-signing private keys:": "交叉签名私钥:", - "in secret storage": "在秘密存储中", - "cached locally": "本地缓存", - "not found locally": "本地未找到", "Secret storage public key:": "秘密存储公钥:", "in account data": "在账户数据中", - "exists": "存在", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "逐一验证用户的每一个会话以将其标记为已信任,而不信任交叉签名的设备。", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s缺少安全地在本地缓存加密信息所必须的部件。如果你想实验此功能,请构建一个自定义的带有搜索部件的%(brand)s桌面版。", "%(brand)s can't securely cache encrypted messages locally while running in a web browser. Use %(brand)s Desktop for encrypted messages to appear in search results.": "%(brand)s 在浏览器中运行时不能安全地在本地缓存加密信息。请使用%(brand)s 桌面版以使加密信息出现在搜索结果中。", @@ -577,38 +522,10 @@ "Using an identity server is optional. If you choose not to use an identity server, you won't be discoverable by other users and you won't be able to invite others by email or phone.": "使用身份服务器是可选的。如果你选择不使用身份服务器,你将不能被别的用户发现,也不能用邮箱或电话邀请别人。", "Do not use an identity server": "不使用身份服务器", "Enter a new identity server": "输入一个新的身份服务器", - "New version available. Update now.": "新版本可用。现在更新。", "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "同意身份服务器(%(serverName)s)的服务协议以允许自己被通过邮件地址或电话号码发现。", "Discovery": "发现", - "Ignored/Blocked": "已忽略/已屏蔽", - "Error adding ignored user/server": "添加已忽略的用户/服务器时出现错误", - "Error subscribing to list": "订阅列表时出现错误", - "Please verify the room ID or address and try again.": "请验证房间 ID 或地址并重试。", - "Error removing ignored user/server": "移除已忽略用户/服务器时出现错误", - "Error unsubscribing from list": "取消订阅列表时出现错误", "None": "无", - "Ban list rules - %(roomName)s": "封禁列表规则 - %(roomName)s", - "Server rules": "服务器规则", - "User rules": "用户规则", - "You have not ignored anyone.": "你没有忽略任何人。", - "You are currently ignoring:": "你正在忽略:", - "You are not subscribed to any lists": "你没有订阅任何列表", - "View rules": "查看规则", - "You are currently subscribed to:": "你正在订阅:", - "⚠ These settings are meant for advanced users.": "⚠ 这些设置是为高级用户准备的。", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "在此处添加你想忽略的用户和服务器。使用星号以使%(brand)s匹配任何字符。例如,@bot:*会忽略全部在任何服务器上以“bot”为名的用户。", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "忽略人是通过含有封禁规则的封禁列表来完成的。订阅一个封禁列表意味着被此列表阻止的用户/服务器将会对你隐藏。", - "Personal ban list": "个人封禁列表", - "Server or user ID to ignore": "要忽略的服务器或用户 ID", - "eg: @bot:* or example.org": "例如: @bot:* 或 example.org", - "Subscribed lists": "订阅的列表", - "Subscribing to a ban list will cause you to join it!": "订阅一个封禁列表会使你加入它!", - "If this isn't what you want, please use a different tool to ignore users.": "如果这不是你想要的,请使用别的的工具来忽略用户。", - "Room ID or address of ban list": "封禁列表的房间 ID 或地址", - "Session ID:": "会话 ID:", - "Session key:": "会话密钥:", "Message search": "消息搜索", - "View older messages in %(roomName)s.": "查看%(roomName)s里更旧的消息。", "Uploaded sound": "已上传的声音", "Sounds": "声音", "Notification sound": "通知声音", @@ -632,8 +549,6 @@ "This user has not verified all of their sessions.": "此用户没有验证其全部会话。", "You have not verified this user.": "你没有验证此用户。", "You have verified this user. This user has verified all of their sessions.": "你验证了此用户。此用户已验证了其全部会话。", - "This bridge is managed by .": "此桥接由 管理。", - "Homeserver feature support:": "家服务器功能支持:", "Securely cache encrypted messages locally for them to appear in search results.": "在本地安全地缓存加密消息以使其出现在搜索结果中。", "Cannot connect to integration manager": "不能连接到集成管理器", "The integration manager is offline or it cannot reach your homeserver.": "此集成管理器为离线状态或者其不能访问你的家服务器。", @@ -641,8 +556,6 @@ "Manage integrations": "管理集成", "Deactivate account": "停用账户", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "要报告 Matrix 相关的安全问题,请阅读 Matrix.org 的安全公开策略。", - "Something went wrong. Please try again or view your console for hints.": "出现问题。请重试或查看你的终端以获得提示。", - "Please try again or view your console for hints.": "请重试或查看你的终端以获得提示。", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "你的服务器管理员默认关闭了私人房间和私聊中的端到端加密。", "This room is bridging messages to the following platforms. Learn more.": "此房间正桥接消息到以下平台。了解更多。", "Bridges": "桥接", @@ -906,18 +819,6 @@ "Successfully restored %(sessionCount)s keys": "成功恢复了 %(sessionCount)s 个密钥", "Resend %(unsentCount)s reaction(s)": "重新发送%(unsentCount)s个反应", "Remove for everyone": "为所有人删除", - "Confirm your identity by entering your account password below.": "在下方输入账户密码以确认你的身份。", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "在家服务器配置中缺少验证码公钥。请将此报告给你的家服务器管理员。", - "Enter password": "输入密码", - "Nice, strong password!": "不错,是个强密码!", - "Password is allowed, but unsafe": "密码允许但不安全", - "Use an email address to recover your account": "使用邮件地址恢复你的账户", - "Enter email address (required on this homeserver)": "输入邮件地址(此家服务器上必须)", - "Doesn't look like a valid email address": "看起来不像有效的邮件地址", - "Passwords don't match": "密码不匹配", - "Other users can invite you to rooms using your contact details": "别的用户可以使用你的联系人详情邀请你加入房间", - "Enter phone number (required on this homeserver)": "输入电话号码(此家服务器上必须)", - "Enter username": "输入用户名", "Sign in with SSO": "使用单点登录", "Explore rooms": "探索房间", "Switch theme": "切换主题", @@ -954,11 +855,7 @@ "IRC display name width": "IRC 显示名称宽度", "Unexpected server error trying to leave the room": "试图离开房间时发生意外服务器错误", "Error leaving room": "离开房间时出错", - "This bridge was provisioned by .": "此桥曾由提供。", "well formed": "格式正确", - "Master private key:": "主私钥:", - "Self signing private key:": "自签名私钥:", - "User signing private key:": "用户签名私钥:", "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "此会话未备份你的密钥,但如果你已有现存备份,你可以继续并从中恢复和向其添加。", "Unable to revoke sharing for email address": "无法撤消电子邮件地址共享", "Unable to revoke sharing for phone number": "无法撤销电话号码共享", @@ -976,7 +873,6 @@ "Algorithm:": "算法:", "Set up Secure Backup": "设置安全备份", "Safeguard against losing access to encrypted messages & data": "防止丢失加密消息和数据的访问权", - "not found in storage": "未在存储中找到", "Backup key stored:": "备份密钥已保存:", "Backup key cached:": "备份密钥已缓存:", "Secret storage:": "秘密存储:", @@ -1175,8 +1071,6 @@ "other": "%(count)s 个房间" }, "You don't have permission": "你没有权限", - "Enter phone number": "输入电话号码", - "Enter email address": "输入邮箱地址", "Move right": "向右移动", "Move left": "向左移动", "Revoke permissions": "撤销权限", @@ -1207,8 +1101,6 @@ "Edit devices": "编辑设备", "Suggested Rooms": "建议的房间", "Recently visited rooms": "最近访问的房间", - "Channel: ": "频道:", - "Workspace: ": "工作空间:", "Invite with email or username": "使用邮箱或者用户名邀请", "Invite people": "邀请人们", "Zimbabwe": "津巴布韦", @@ -1291,7 +1183,6 @@ "Ignored attempt to disable encryption": "已忽略禁用加密的尝试", "Confirm your Security Phrase": "确认你的安全短语", "There was a problem communicating with the homeserver, please try again later.": "与家服务器通讯时出现问题,请稍后再试。", - "Original event source": "原始事件源码", "Sint Maarten": "圣马丁岛", "Slovenia": "斯洛文尼亚", "Singapore": "新加坡", @@ -1339,7 +1230,6 @@ "Sending": "正在发送", "Delete all": "删除全部", "Some of your messages have not been sent": "你的部分消息未被发送", - "Verification requested": "已请求验证", "Security Key mismatch": "安全密钥不符", "Unable to set up keys": "无法设置密钥", "If you reset everything, you will restart with no trusted sessions, no trusted users, and might not be able to see past messages.": "如果你全部重置,你将会在没有受信任的会话重新开始、没有受信任的用户,且可能会看不到过去的消息。", @@ -1418,8 +1308,6 @@ "Are you sure you want to leave the space '%(spaceName)s'?": "你确定要离开空间「%(spaceName)s」吗?", "This space is not public. You will not be able to rejoin without an invite.": "此空间并不公开。在没有得到邀请的情况下,你将无法重新加入。", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "你是这里唯一的人。如果你离开了,以后包括你在内任何人都将无法加入。", - "That phone number doesn't look quite right, please check and try again": "电话号码看起来不太对,请检查并重试", - "Something went wrong in confirming your identity. Cancel and try again.": "确认你的身份时出了一点问题。取消并重试。", "Avatar": "头像", "Start audio stream": "开始音频流", "Failed to start livestream": "开始流直播失败", @@ -1594,7 +1482,6 @@ "It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "看起来你没有安全密钥或者任何其他可以验证的设备。 此设备将无法访问旧的加密消息。为了在这个设备上验证你的身份,你需要重置你的验证密钥。", "Skip verification for now": "暂时跳过验证", "Really reset verification keys?": "确实要重置验证密钥?", - "Create poll": "创建投票", "Updating spaces... (%(progress)s out of %(count)s)": { "other": "正在更新房间… (%(count)s 中的 %(progress)s)", "one": "正在更新空间…" @@ -1635,13 +1522,6 @@ "The homeserver the user you're verifying is connected to": "你正在验证的用户所连接的家服务器", "This room isn't bridging messages to any platforms. Learn more.": "这个房间不会将消息桥接到任何平台。了解更多", "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "这个房间位于你不是管理员的某些空间中。 在这些空间中,旧房间仍将显示,但系统会提示人们加入新房间。", - "Add option": "添加选项", - "Write an option": "写个选项", - "Option %(number)s": "选项 %(number)s", - "Create options": "创建选项", - "Question or topic": "问题或主题", - "What is your poll question or topic?": "你的投票问题或主题是什么?", - "Create Poll": "创建投票", "You do not have permission to start polls in this room.": "你无权在此房间启动投票。", "Copy link to thread": "复制到消息列的链接", "Thread options": "消息列选项", @@ -1673,8 +1553,6 @@ "one": "%(count)s 票", "other": "%(count)s 票" }, - "Sorry, the poll you tried to create was not posted.": "抱歉,您尝试创建的投票未被发布。", - "Failed to post poll": "发布投票失败", "Sorry, your vote was not registered. Please try again.": "抱歉,你的投票未登记。请重试。", "Vote not registered": "投票未登记", "Developer": "开发者", @@ -1803,14 +1681,11 @@ "Voice Message": "语音消息", "Hide stickers": "隐藏贴纸", "From a thread": "来自消息列", - "View older version of %(spaceName)s.": "查看%(spaceName)s的旧版本。", "If you can't find the room you're looking for, ask for an invite or create a new room.": "若你找不到要找的房间,请请求邀请或创建新房间。", "New video room": "新视频房间", "New room": "新房间", "Device verified": "设备已验证", "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "你的新设备已通过验证。它现在可以访问你的加密消息,并且其它用户会将其视为受信任的。", - "Internal room ID": "内部房间ID", - "Upgrade this space to the recommended room version": "将此空间升级到推荐的房间版本", "Group all your rooms that aren't part of a space in one place.": "将所有你那些不属于某个空间的房间集中一处。", "Group all your people in one place.": "将你所有的联系人集中一处。", "Group all your favourite rooms and people in one place.": "将所有你最爱的房间和人集中在一处。", @@ -1818,10 +1693,6 @@ "Deactivating your account is a permanent action — be careful!": "停用你的账户是永久性动作——小心!", "Your password was successfully changed.": "你的密码已成功更改。", "Match system": "匹配系统", - "Waiting for you to verify on your other device…": "正等待你在其它设备上验证……", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "正等待你在其它设备上验证,%(deviceName)s(%(deviceId)s)……", - "Verify this device by confirming the following number appears on its screen.": "确认屏幕上出现以下数字,以验证设备。", - "Confirm the emoji below are displayed on both devices, in the same order:": "确认下面的表情符号在两个设备上以相同顺序显示:", "%(count)s people joined": { "one": "%(count)s个人已加入", "other": "%(count)s个人已加入" @@ -1909,12 +1780,6 @@ "%(errcode)s was returned while trying to access the room or space. If you think you're seeing this message in error, please submit a bug report.": "尝试访问房间或空间时返回%(errcode)s。若你认为你看到这条消息是有问题的,请提交bug报告。", "An error (%(errcode)s) was returned while trying to validate your invite. You could try to pass this information on to the person who invited you.": "尝试验证你的邀请时返回错误(%(errcode)s)。你可以尝试把这个信息传给邀请你的人。", "Your message wasn't sent because this homeserver has been blocked by its administrator. Please contact your service administrator to continue using the service.": "你的消息未被发送,因为此家服务器已被其管理员屏蔽。请联系你的服务管理员以继续使用服务。", - "Spell check": "拼写检查", - "Results are only revealed when you end the poll": "结果仅在你结束投票后展示", - "Voters see results as soon as they have voted": "投票者一投完票就能看到结果", - "Closed poll": "封闭式投票", - "Open poll": "开放式投票", - "Poll type": "投票类型", "We're creating a room with %(names)s": "正在创建房间%(names)s", "Sessions": "会话", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "为了最佳的安全,请验证会话,登出任何不认识或不再使用的会话。", @@ -1937,7 +1802,6 @@ "View related event": "查看相关事件", "Cameras": "相机", "Unread email icon": "未读电子邮件图标", - "Check your email to continue": "检查你的电子邮件以继续", "An error occurred while stopping your live location, please try again": "停止你的实时位置时出错,请重试", "An error occurred whilst sharing your live location, please try again": "分享你的实时位置时出错,请重试", "Live location enabled": "实时位置已启用", @@ -1948,16 +1812,10 @@ "You have been logged out of all devices and will no longer receive push notifications. To re-enable notifications, sign in again on each device.": "你已登出全部设备,并将不再收到推送通知。要重新启用通知,请在每台设备上再次登入。", "If you want to retain access to your chat history in encrypted rooms, set up Key Backup or export your message keys from one of your other devices before proceeding.": "若想保留对加密房间的聊天历史的访问权,请设置密钥备份或从其他设备导出消息密钥,然后再继续。", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "登出你的设备会删除存储在其上的消息加密密钥,使加密的聊天历史不可读。", - "Resent!": "已重新发送!", - "Did not receive it? Resend it": "没收到吗?重新发送", - "To create your account, open the link in the email we just sent to %(emailAddress)s.": "要创建账户,请打开我们刚刚发送到%(emailAddress)s的电子邮件里的链接。", "Manually verify by text": "用文本手动验证", "Interactively verify by emoji": "用表情符号交互式验证", "Show: %(instance)s rooms (%(server)s)": "显示:%(instance)s房间(%(server)s)", "Show: Matrix rooms": "显示:Matrix房间", - "Click to read topic": "点击阅读话题", - "Edit topic": "编辑话题", - "Edit poll": "编辑投票", "%(user1)s and %(user2)s": "%(user1)s和%(user2)s", "Choose a locale": "选择区域设置", "Empty room (was %(oldName)s)": "空房间(曾是%(oldName)s)", @@ -1981,10 +1839,6 @@ "other": "正在邀请%(user)s和其他%(count)s人" }, "Room info": "房间信息", - "Upcoming features": "即将到来的功能", - "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "%(brand)s的下一步是什么?实验室是早期获得东西、测试新功能和在它们发布前帮助塑造的最好方式。", - "Early previews": "早期预览", - "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.": "想要做点实验?试试我们开发中的最新点子。这些功能尚未确定;它们可能不稳定,可能会变动,也可能被完全丢弃。了解更多。", "WARNING: ": "警告:", "You have unverified sessions": "你有未验证的会话", "Change layout": "更改布局", @@ -2285,7 +2139,15 @@ "sliding_sync_disable_warning": "要停用,你必须登出并重新登录,请小心!", "sliding_sync_proxy_url_optional_label": "代理URL(可选)", "sliding_sync_proxy_url_label": "代理URL", - "video_rooms_beta": "视频房间是beta功能" + "video_rooms_beta": "视频房间是beta功能", + "bridge_state_creator": "此桥曾由提供。", + "bridge_state_manager": "此桥接由 管理。", + "bridge_state_workspace": "工作空间:", + "bridge_state_channel": "频道:", + "beta_section": "即将到来的功能", + "beta_description": "%(brand)s的下一步是什么?实验室是早期获得东西、测试新功能和在它们发布前帮助塑造的最好方式。", + "experimental_section": "早期预览", + "experimental_description": "想要做点实验?试试我们开发中的最新点子。这些功能尚未确定;它们可能不稳定,可能会变动,也可能被完全丢弃。了解更多。" }, "keyboard": { "home": "主页", @@ -2601,7 +2463,26 @@ "record_session_details": "记录客户端名称、版本和url以便在会话管理器里更易识别", "strict_encryption": "永不从本会话向未验证的会话发送加密消息", "enable_message_search": "在加密房间中启用消息搜索", - "manually_verify_all_sessions": "手动验证所有远程会话" + "manually_verify_all_sessions": "手动验证所有远程会话", + "cross_signing_public_keys": "交叉签名公钥:", + "cross_signing_in_memory": "在内存中", + "cross_signing_not_found": "未找到", + "cross_signing_private_keys": "交叉签名私钥:", + "cross_signing_in_4s": "在秘密存储中", + "cross_signing_not_in_4s": "未在存储中找到", + "cross_signing_master_private_Key": "主私钥:", + "cross_signing_cached": "本地缓存", + "cross_signing_not_cached": "本地未找到", + "cross_signing_self_signing_private_key": "自签名私钥:", + "cross_signing_user_signing_private_key": "用户签名私钥:", + "cross_signing_homeserver_support": "家服务器功能支持:", + "cross_signing_homeserver_support_exists": "存在", + "export_megolm_keys": "导出房间的端到端加密密钥", + "import_megolm_keys": "导入房间端到端加密密钥", + "cryptography_section": "加密", + "session_id": "会话 ID:", + "session_key": "会话密钥:", + "encryption_section": "加密" }, "preferences": { "room_list_heading": "房间列表", @@ -2672,6 +2553,11 @@ "other": "注销设备" }, "security_recommendations": "安全建议" + }, + "general": { + "account_section": "账户", + "language_section": "语言与地区", + "spell_check_section": "拼写检查" } }, "devtools": { @@ -2740,7 +2626,8 @@ "low_bandwidth_mode_description": "需要兼容的家服务器。", "low_bandwidth_mode": "低带宽模式", "developer_mode": "开发者模式", - "view_source_decrypted_event_source": "解密的事件源码" + "view_source_decrypted_event_source": "解密的事件源码", + "original_event_source": "原始事件源码" }, "export_chat": { "html": "HTML", @@ -3344,6 +3231,16 @@ "url_preview_encryption_warning": "在加密的房间中,比如此房间,URL预览默认是禁用的,以确保你的家服务器(生成预览的地方)无法收集与你在此房间中看到的链接有关的信息。", "url_preview_explainer": "当有人在他们的消息里放置URL时,可显示URL预览以给出更多有关链接的信息,如其网站的标题、描述以及图片。", "url_previews_section": "URL预览" + }, + "advanced": { + "unfederated": "此房间无法被远程 Matrix 服务器访问", + "space_upgrade_button": "将此空间升级到推荐的房间版本", + "room_upgrade_button": "升级此房间至推荐版本", + "space_predecessor": "查看%(spaceName)s的旧版本。", + "room_predecessor": "查看%(roomName)s里更旧的消息。", + "room_id": "内部房间ID", + "room_version_section": "房间版本", + "room_version": "房间版本:" } }, "encryption": { @@ -3359,8 +3256,22 @@ "sas_prompt": "比较唯一表情符号", "sas_description": "若你在两个设备上都没有相机,比较唯一一组表情符号", "qr_or_sas": "%(qrCode)s或%(emojiCompare)s", - "qr_or_sas_header": "完成以下操作之一来验证此设备:" - } + "qr_or_sas_header": "完成以下操作之一来验证此设备:", + "explainer": "此用户的安全消息是端到端加密的,不能被第三方读取。", + "complete_action": "收到", + "sas_emoji_caption_self": "确认下面的表情符号在两个设备上以相同顺序显示:", + "sas_emoji_caption_user": "通过在其屏幕上显示以下表情符号来验证此用户。", + "sas_caption_self": "确认屏幕上出现以下数字,以验证设备。", + "sas_caption_user": "通过在其屏幕上显示以下数字来验证此用户。", + "unsupported_method": "无法找到支持的验证方法。", + "waiting_other_device_details": "正等待你在其它设备上验证,%(deviceName)s(%(deviceId)s)……", + "waiting_other_device": "正等待你在其它设备上验证……", + "waiting_other_user": "正在等待%(displayName)s进行验证……", + "cancelling": "正在取消……" + }, + "old_version_detected_title": "检测到旧的加密数据", + "old_version_detected_description": "已检测到旧版%(brand)s的数据,这将导致端到端加密在旧版本中发生故障。在此版本中,使用旧版本交换的端到端加密消息可能无法解密。这也可能导致与此版本交换的消息失败。如果你遇到问题,请登出并重新登录。要保留历史消息,请先导出并在重新登录后导入你的密钥。", + "verification_requested_toast_title": "已请求验证" }, "emoji": { "category_frequently_used": "经常使用", @@ -3458,7 +3369,47 @@ "phone_optional_label": "电话号码(可选)", "email_help_text": "添加电子邮箱以重置你的密码。", "email_phone_discovery_text": "使用电子邮箱或电话以选择性地被现有联系人搜索。", - "email_discovery_text": "使用电子邮箱以选择性地被现有联系人搜索。" + "email_discovery_text": "使用电子邮箱以选择性地被现有联系人搜索。", + "session_logged_out_title": "已退出登录", + "session_logged_out_description": "出于安全考虑,此会话已被注销。请重新登录。", + "change_password_mismatch": "两次输入的新密码不符", + "change_password_empty": "密码不能为空", + "set_email_prompt": "你想要设置一个邮箱地址吗?", + "change_password_confirm_label": "确认密码", + "change_password_confirm_invalid": "密码不匹配", + "change_password_current_label": "当前密码", + "change_password_new_label": "新密码", + "change_password_action": "修改密码", + "email_field_label": "电子邮箱", + "email_field_label_required": "输入邮箱地址", + "email_field_label_invalid": "看起来不像有效的邮件地址", + "uia": { + "password_prompt": "在下方输入账户密码以确认你的身份。", + "recaptcha_missing_params": "在家服务器配置中缺少验证码公钥。请将此报告给你的家服务器管理员。", + "terms_invalid": "请阅读并接受此家服务器的所有政策", + "terms": "请阅读并接受此家服务器的政策:", + "email_auth_header": "检查你的电子邮件以继续", + "email": "要创建账户,请打开我们刚刚发送到%(emailAddress)s的电子邮件里的链接。", + "email_resend_prompt": "没收到吗?重新发送", + "email_resent": "已重新发送!", + "msisdn_token_incorrect": "令牌错误", + "msisdn": "一封短信已发送到 %(msisdn)s", + "msisdn_token_prompt": "请输入其包含的代码:", + "sso_failed": "确认你的身份时出了一点问题。取消并重试。", + "fallback_button": "开始认证" + }, + "password_field_label": "输入密码", + "password_field_strong_label": "不错,是个强密码!", + "password_field_weak_label": "密码允许但不安全", + "username_field_required_invalid": "输入用户名", + "msisdn_field_required_invalid": "输入电话号码", + "msisdn_field_number_invalid": "电话号码看起来不太对,请检查并重试", + "msisdn_field_label": "电话", + "identifier_label": "第三方登录", + "reset_password_email_field_description": "使用邮件地址恢复你的账户", + "reset_password_email_field_required_invalid": "输入邮件地址(此家服务器上必须)", + "msisdn_field_description": "别的用户可以使用你的联系人详情邀请你加入房间", + "registration_msisdn_field_required_invalid": "输入电话号码(此家服务器上必须)" }, "room_list": { "sort_unread_first": "优先显示有未读消息的房间", @@ -3640,7 +3591,11 @@ "see_changes_button": "有何新变动?", "release_notes_toast_title": "更新内容", "toast_title": "更新 %(brand)s", - "toast_description": "%(brand)s 有新版本可用" + "toast_description": "%(brand)s 有新版本可用", + "error_encountered": "遇到错误 (%(errorDetail)s)。", + "no_update": "没有可用更新。", + "new_version_available": "新版本可用。现在更新。", + "check_action": "检查更新" }, "threads": { "all_threads": "所有消息列", @@ -3692,7 +3647,34 @@ }, "labs_mjolnir": { "room_name": "我的封禁列表", - "room_topic": "这是你屏蔽的用户/服务器的列表——不要离开此房间!" + "room_topic": "这是你屏蔽的用户/服务器的列表——不要离开此房间!", + "ban_reason": "已忽略/已屏蔽", + "error_adding_ignore": "添加已忽略的用户/服务器时出现错误", + "something_went_wrong": "出现问题。请重试或查看你的终端以获得提示。", + "error_adding_list_title": "订阅列表时出现错误", + "error_adding_list_description": "请验证房间 ID 或地址并重试。", + "error_removing_ignore": "移除已忽略用户/服务器时出现错误", + "error_removing_list_title": "取消订阅列表时出现错误", + "error_removing_list_description": "请重试或查看你的终端以获得提示。", + "rules_title": "封禁列表规则 - %(roomName)s", + "rules_server": "服务器规则", + "rules_user": "用户规则", + "personal_empty": "你没有忽略任何人。", + "personal_section": "你正在忽略:", + "no_lists": "你没有订阅任何列表", + "view_rules": "查看规则", + "lists": "你正在订阅:", + "title": "已忽略的用户", + "advanced_warning": "⚠ 这些设置是为高级用户准备的。", + "explainer_1": "在此处添加你想忽略的用户和服务器。使用星号以使%(brand)s匹配任何字符。例如,@bot:*会忽略全部在任何服务器上以“bot”为名的用户。", + "explainer_2": "忽略人是通过含有封禁规则的封禁列表来完成的。订阅一个封禁列表意味着被此列表阻止的用户/服务器将会对你隐藏。", + "personal_heading": "个人封禁列表", + "personal_new_label": "要忽略的服务器或用户 ID", + "personal_new_placeholder": "例如: @bot:* 或 example.org", + "lists_heading": "订阅的列表", + "lists_description_1": "订阅一个封禁列表会使你加入它!", + "lists_description_2": "如果这不是你想要的,请使用别的的工具来忽略用户。", + "lists_new_label": "封禁列表的房间 ID 或地址" }, "create_space": { "name_required": "请输入空间名称", @@ -3753,6 +3735,12 @@ "private_unencrypted_warning": "你的私人消息通常是加密的,但此房间不是。这通常是因为使用了不受支持的设备或方法,例如电子邮件邀请。", "enable_encryption_prompt": "在设置中启用加密。", "unencrypted_warning": "未启用端到端加密" + }, + "edit_topic": "编辑话题", + "read_topic": "点击阅读话题", + "unread_notifications_predecessor": { + "other": "你在此房间的先前版本中有 %(count)s 条未读通知。", + "one": "你在此房间的先前版本中有 %(count)s 条未读通知。" } }, "file_panel": { @@ -3767,9 +3755,30 @@ "intro": "要继续,你需要接受此服务协议。", "column_service": "服务", "column_summary": "总结", - "column_document": "文档" + "column_document": "文档", + "tac_title": "条款与要求", + "tac_description": "若要继续使用家服务器 %(homeserverDomain)s,你必须浏览并同意我们的条款与要求。", + "tac_button": "浏览条款与要求" }, "space_settings": { "title": "设置 - %(spaceName)s" + }, + "poll": { + "create_poll_title": "创建投票", + "create_poll_action": "创建投票", + "edit_poll_title": "编辑投票", + "failed_send_poll_title": "发布投票失败", + "failed_send_poll_description": "抱歉,您尝试创建的投票未被发布。", + "type_heading": "投票类型", + "type_open": "开放式投票", + "type_closed": "封闭式投票", + "topic_heading": "你的投票问题或主题是什么?", + "topic_label": "问题或主题", + "options_heading": "创建选项", + "options_label": "选项 %(number)s", + "options_placeholder": "写个选项", + "options_add_button": "添加选项", + "disclosed_notes": "投票者一投完票就能看到结果", + "notes": "结果仅在你结束投票后展示" } } diff --git a/src/i18n/strings/zh_Hant.json b/src/i18n/strings/zh_Hant.json index 4721ce5d1c..692275dfae 100644 --- a/src/i18n/strings/zh_Hant.json +++ b/src/i18n/strings/zh_Hant.json @@ -4,21 +4,14 @@ "Are you sure?": "您確定嗎?", "Are you sure you want to reject the invitation?": "您確認要拒絕邀請嗎?", "Can't connect to homeserver via HTTP when an HTTPS URL is in your browser bar. Either use HTTPS or enable unsafe scripts.": "當瀏覽器網址列使用的是 HTTPS 網址時,不能使用 HTTP 連線到家伺服器。請改用 HTTPS 連線或允許不安全的指令碼。", - "Change Password": "變更密碼", - "Account": "帳號", "Authentication": "授權", "%(items)s and %(lastItem)s": "%(items)s 和 %(lastItem)s", - "Confirm password": "確認密碼", - "Cryptography": "加密", - "Current password": "舊密碼", "Deactivate Account": "停用帳號", "Decrypt %(text)s": "解密 %(text)s", "Default": "預設", "Download %(text)s": "下載 %(text)s", - "Email": "電子郵件地址", "Email address": "電子郵件地址", "Error decrypting attachment": "解密附件時出錯", - "Export E2E room keys": "匯出聊天室的端對端加密金鑰", "Failed to ban user": "無法封鎖使用者", "Failed to change password. Is your password correct?": "無法變更密碼。請問您的密碼正確嗎?", "Failed to forget room %(errCode)s": "無法忘記聊天室 %(errCode)s", @@ -34,9 +27,7 @@ "Favourite": "加入我的最愛", "Filter room members": "過濾聊天室成員", "Forget room": "忘記聊天室", - "For security, this session has been signed out. Please sign in again.": "因為安全因素,此工作階段已被登出。請重新登入。", "Historical": "歷史", - "Import E2E room keys": "匯入聊天室端對端加密金鑰", "Incorrect verification code": "驗證碼錯誤", "Invalid Email Address": "無效的電子郵件地址", "Invalid file%(extra)s": "不存在的文件 %(extra)s", @@ -51,7 +42,6 @@ "Server may be unavailable, overloaded, or search timed out :(": "伺服器可能無法使用、超載,或搜尋時間過長 :(", "Server may be unavailable, overloaded, or you hit a bug.": "伺服器可能無法使用、超載,或者您遇到了一個錯誤。", "Session ID": "工作階段 ID", - "Signed Out": "已登出", "This email address is already in use": "這個電子郵件地址已被使用", "This email address was not found": "未找到此電子郵件地址", "Unable to add email address": "無法新增電子郵件地址", @@ -82,31 +72,25 @@ "Failed to change power level": "無法變更權限等級", "Home": "首頁", "Invited": "已邀請", - "Sign in with": "登入使用", "Low priority": "低優先度", "Missing room_id in request": "請求中缺少 room_id", "Missing user_id in request": "請求中缺少 user_id", "Moderator": "版主", - "New passwords don't match": "新密碼不相符", "New passwords must match each other.": "新密碼必須互相相符。", "not specified": "未指定", "": "<不支援>", "No display name": "沒有顯示名稱", "No more results": "沒有更多結果", - "Passwords can't be empty": "密碼不能為空", - "Phone": "電話", "Please check your email and click on the link it contains. Once this is done, click continue.": "請收信並點擊信中的連結。完成後,再點擊「繼續」。", "Power level must be positive integer.": "權限等級必需為正整數。", "Profile": "基本資料", "Reject invitation": "拒絕邀請", "%(roomName)s does not exist.": "%(roomName)s 不存在。", "%(roomName)s is not accessible at this time.": "%(roomName)s 此時無法存取。", - "Start authentication": "開始認證", "This room has no local addresses": "此聊天室沒有本機位址", "This room is not recognised.": "無法識別此聊天室。", "This doesn't appear to be a valid email address": "不像是有效的電子郵件地址", "This phone number is already in use": "這個電話號碼已被使用", - "This room is not accessible by remote Matrix servers": "此聊天室無法被遠端的 Matrix 伺服器存取", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "嘗試載入此聊天室時間軸上的特定時間點,但您沒有權限檢視相關的訊息。", "Tried to load a specific point in this room's timeline, but was unable to find it.": "嘗試載入此聊天室時間軸上的特定時間點,但是找不到。", "Unable to remove contact information": "無法移除聯絡人資訊", @@ -154,7 +138,6 @@ "one": "(~%(count)s 結果)", "other": "(~%(count)s 結果)" }, - "New Password": "新密碼", "Passphrases must match": "安全密語必須相符", "Passphrase must not be empty": "安全密語不能為空", "Export room keys": "匯出聊天室金鑰", @@ -170,14 +153,10 @@ "Unknown error": "未知的錯誤", "Unable to restore session": "無法復原工作階段", "If you have previously used a more recent version of %(brand)s, your session may be incompatible with this version. Close this window and return to the more recent version.": "若您先前使用過較新版本的 %(brand)s,您的工作階段可能與此版本不相容。關閉此視窗並回到較新的版本。", - "Token incorrect": "權杖不正確", - "Please enter the code it contains:": "請輸入其包含的代碼:", - "Check for update": "檢查更新", "Something went wrong!": "出了點問題!", "Your browser does not support the required cryptography extensions": "您的瀏覽器不支援需要的加密擴充", "Not a valid %(brand)s keyfile": "不是有效的 %(brand)s 金鑰檔案", "Authentication check failed: incorrect password?": "無法檢查認證:密碼錯誤?", - "Do you want to set an email address?": "您想要設定電子郵件地址嗎?", "This will allow you to reset your password and receive notifications.": "這讓您可以重設您的密碼與接收通知。", "and %(count)s others...": { "other": "與另 %(count)s 個人…", @@ -207,7 +186,6 @@ "Replying": "正在回覆", "Unnamed room": "未命名的聊天室", "Banned by %(displayName)s": "被 %(displayName)s 封鎖", - "A text message has been sent to %(msisdn)s": "文字訊息已傳送給 %(msisdn)s", "Delete Widget": "刪除小工具", "Deleting a widget removes it for all users in this room. Are you sure you want to delete this widget?": "刪除小工具會將它從此聊天室中所有使用者的收藏中移除。您確定您要刪除這個小工具嗎?", "%(items)s and %(count)s others": { @@ -219,8 +197,6 @@ "And %(count)s more...": { "other": "與更多 %(count)s 個…" }, - "Old cryptography data detected": "偵測到舊的加密資料", - "Data from an older version of %(brand)s has been detected. This will have caused end-to-end cryptography to malfunction in the older version. End-to-end encrypted messages exchanged recently whilst using the older version may not be decryptable in this version. This may also cause messages exchanged with this version to fail. If you experience problems, log out and back in again. To retain message history, export and re-import your keys.": "偵測到來自舊版 %(brand)s 的資料。這將會造成舊版的端對端加密失敗。在此版本中使用最近在舊版本交換的金鑰可能無法解密訊息。這也會造成與此版本的訊息交換失敗。若您遇到問題,請登出並重新登入。要保留訊息歷史,請匯出並重新匯入您的金鑰。", "Please note you are logging into the %(hs)s server, not matrix.org.": "請注意,您正在登入 %(hs)s 伺服器,不是 matrix.org。", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s,%(monthName)s %(day)s %(fullYear)s", "This room is not public. You will not be able to rejoin without an invite.": "這個聊天室不是公開聊天。沒有再次收到邀請的情況下將無法重新加入。", @@ -236,7 +212,6 @@ "Unavailable": "無法取得", "Source URL": "來源網址", "Filter results": "過濾結果", - "No update available.": "沒有可用的更新。", "Tuesday": "星期二", "Preparing to send logs": "準備傳送除錯訊息", "Saturday": "星期六", @@ -249,7 +224,6 @@ "Search…": "搜尋…", "Logs sent": "記錄檔已經傳送", "Yesterday": "昨天", - "Error encountered (%(errorDetail)s).": "遇到錯誤 (%(errorDetail)s)。", "Low Priority": "低優先度", "Wednesday": "星期三", "Thank you!": "感謝您!", @@ -262,9 +236,6 @@ "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "清除您瀏覽器的儲存的東西也許可以修復問題,但會將您登出並造成任何已加密的聊天都無法讀取。", "Can't leave Server Notices room": "無法離開伺服器通知聊天室", "This room is used for important messages from the Homeserver, so you cannot leave it.": "這個聊天室是用於發佈從家伺服器而來的重要訊息,所以您不能離開它。", - "Terms and Conditions": "條款與細則", - "To continue using the %(homeserverDomain)s homeserver you must review and agree to our terms and conditions.": "要繼續使用 %(homeserverDomain)s 家伺服器,您必須審閱並同意我們的條款與細則。", - "Review terms and conditions": "審閱條款與細則", "No Audio Outputs detected": "未偵測到音訊輸出", "Audio Output": "音訊輸出", "Share Link to User": "分享使用者連結", @@ -303,12 +274,10 @@ "You've previously used %(brand)s on %(host)s with lazy loading of members enabled. In this version lazy loading is disabled. As the local cache is not compatible between these two settings, %(brand)s needs to resync your account.": "您之前曾在 %(host)s 上使用 %(brand)s 並啟用成員列表的延遲載入。在此版本中延遲載入已停用。由於本機快取在這兩個設定間不相容,%(brand)s 必須重新同步您的帳號。", "Incompatible local cache": "不相容的本機快取", "Clear cache and resync": "清除快取並重新同步", - "Please review and accept the policies of this homeserver:": "請審閱並接受此家伺服器的政策:", "Add some now": "現在新增一些嗎", "Unable to load! Check your network connectivity and try again.": "無法載入!請檢查您的網路連線狀態並再試一次。", "Delete Backup": "刪除備份", "Unable to load key backup status": "無法載入金鑰備份狀態", - "Please review and accept all of the homeserver's policies": "請審閱並接受家伺服器的所有政策", "To avoid losing your chat history, you must export your room keys before logging out. You will need to go back to the newer version of %(brand)s to do this": "為了避免遺失您的聊天歷史,您必須在登出前匯出您的聊天室金鑰。您必須回到較新版的 %(brand)s 才能執行此動作", "Incompatible Database": "不相容的資料庫", "Continue With Encryption Disabled": "在停用加密的情況下繼續", @@ -336,9 +305,6 @@ "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "找不到下列 Matrix ID 的簡介,您無論如何都想邀請他們嗎?", "Invite anyway and never warn me again": "無論如何都要邀請,而且不要再警告我", "Invite anyway": "無論如何都要邀請", - "Secure messages with this user are end-to-end encrypted and not able to be read by third parties.": "與此使用者的安全訊息有端對端加密,無法被第三方讀取。", - "Got It": "了解", - "Verify this user by confirming the following number appears on their screen.": "透過確認對方畫面上顯示的下列數字來確認使用者。", "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "我們已經傳送給您一封電子郵件以驗證您的地址。請遵照那裡的指示,然後點選下面的按鈕。", "Email Address": "電子郵件地址", "All keys backed up": "所有金鑰都已備份", @@ -348,15 +314,11 @@ "Profile picture": "大頭照", "Display Name": "顯示名稱", "Room information": "聊天室資訊", - "Room version": "聊天室版本", - "Room version:": "聊天室版本:", "General": "一般", "Room Addresses": "聊天室位址", "Email addresses": "電子郵件地址", "Phone numbers": "電話號碼", - "Language and region": "語言與區域", "Account management": "帳號管理", - "Encryption": "加密", "Ignored users": "忽略使用者", "Bulk options": "大量選項", "Missing media permissions, click the button below to request.": "尚未取得媒體權限,請點擊下方的按鈕來授權。", @@ -374,8 +336,6 @@ "Recovery Method Removed": "已移除復原方法", "If you didn't remove the recovery method, an attacker may be trying to access your account. Change your account password and set a new recovery method immediately in Settings.": "如果您沒有移除復原方法,攻擊者可能會試圖存取您的帳號。請立刻在設定中變更您帳號的密碼並設定新的復原方式。", "The file '%(fileName)s' exceeds this homeserver's size limit for uploads": "檔案 %(fileName)s 超過家伺服器的上傳限制", - "Verify this user by confirming the following emoji appear on their screen.": "透過確認對方畫面上顯示的下列表情符號來確認使用者。", - "Unable to find a supported verification method.": "找不到支援的驗證方式。", "Dog": "狗", "Cat": "貓", "Lion": "獅", @@ -460,7 +420,6 @@ "The user must be unbanned before they can be invited.": "使用者必須在被邀請前先解除封鎖。", "Accept all %(invitedRooms)s invites": "接受所有 %(invitedRooms)s 邀請", "Power level": "權限等級", - "Upgrade this room to the recommended room version": "升級此聊天室到建議的聊天室版本", "This room is running room version , which this homeserver has marked as unstable.": "此聊天室正在執行聊天室版本 ,此家伺服器已標記為不穩定。", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "升級此聊天室將會關閉聊天室目前的執行個體,並建立一個同名的升級版。", "Failed to revoke invite": "無法撤銷邀請", @@ -468,10 +427,6 @@ "Revoke invite": "撤銷邀請", "Invited by %(sender)s": "由 %(sender)s 邀請", "Remember my selection for this widget": "記住我對這個小工具的選擇", - "You have %(count)s unread notifications in a prior version of this room.": { - "other": "您在此聊天室的先前版本有 %(count)s 個未讀的通知。", - "one": "您在此聊天室的先前版本有 %(count)s 個未讀的通知。" - }, "The file '%(fileName)s' failed to upload.": "無法上傳檔案「%(fileName)s」。", "Notes": "註記", "Sign out and remove encryption keys?": "登出並移除加密金鑰?", @@ -494,7 +449,6 @@ "No homeserver URL provided": "未提供家伺服器網址", "Unexpected error resolving homeserver configuration": "解析家伺服器設定時發生錯誤", "The user's homeserver does not support the version of the room.": "使用者的家伺服器不支援此聊天室版本。", - "View older messages in %(roomName)s.": "檢視 %(roomName)s 中較舊的訊息。", "Join the conversation with an account": "加入與某個帳號的對話", "Sign Up": "註冊", "Reason: %(reason)s": "理由:%(reason)s", @@ -515,16 +469,6 @@ "Rotate Left": "向左旋轉", "Rotate Right": "向右旋轉", "Edit message": "編輯訊息", - "Use an email address to recover your account": "使用電子郵件地址來復原您的帳號", - "Enter email address (required on this homeserver)": "輸入電子郵件地址(此家伺服器必填)", - "Doesn't look like a valid email address": "不像是有效的電子郵件地址", - "Enter password": "輸入密碼", - "Password is allowed, but unsafe": "密碼可用,但不安全", - "Nice, strong password!": "很好,密碼強度夠高!", - "Passwords don't match": "密碼不相符", - "Other users can invite you to rooms using your contact details": "其他使用者可以使用您的聯絡人資訊邀請您到聊天室中", - "Enter phone number (required on this homeserver)": "輸入電話號碼(此家伺服器必填)", - "Enter username": "輸入使用者名稱", "Some characters not allowed": "不允許某些字元", "Add room": "新增聊天室", "Failed to get autodiscovery configuration from server": "無法從伺服器取得自動探索設定", @@ -629,7 +573,6 @@ "Show advanced": "顯示進階設定", "Close dialog": "關閉對話框", "Show image": "顯示圖片", - "Missing captcha public key in homeserver configuration. Please report this to your homeserver administrator.": "未於家伺服器設定中指定 Captcha 公鑰。請將此問題回報給您的家伺服器管理員。", "Your email address hasn't been verified yet": "您的電子郵件地址尚未被驗證", "Click the link in the email you received to verify and then click continue again.": "點擊您收到的電子郵件中的連結以驗證然後再次點擊繼續。", "Add Email Address": "新增電子郵件地址", @@ -658,31 +601,7 @@ "%(name)s cancelled": "%(name)s 已取消", "%(name)s wants to verify": "%(name)s 想要驗證", "You sent a verification request": "您已傳送了驗證請求", - "Ignored/Blocked": "已忽略/已封鎖", - "Error adding ignored user/server": "新增要忽略的使用者/伺服器錯誤", - "Something went wrong. Please try again or view your console for hints.": "有東西出問題了。請重試或檢視您的主控臺以取得更多資訊。", - "Error subscribing to list": "訂閱清單時發生錯誤", - "Error removing ignored user/server": "刪除要忽略的使用者/伺服器時發生錯誤", - "Error unsubscribing from list": "從清單取消訂閱時發生錯誤", - "Please try again or view your console for hints.": "請重試或檢視您的主控臺以取得更多資訊。", "None": "無", - "Ban list rules - %(roomName)s": "封鎖清單規則 - %(roomName)s", - "Server rules": "伺服器規則", - "User rules": "使用者規則", - "You have not ignored anyone.": "您尚未忽略任何人。", - "You are currently ignoring:": "您目前忽略了:", - "You are not subscribed to any lists": "您尚未訂閱任何清單", - "View rules": "檢視規則", - "You are currently subscribed to:": "您目前已訂閱:", - "⚠ These settings are meant for advanced users.": "⚠ 這些設定適用於進階使用者。", - "Add users and servers you want to ignore here. Use asterisks to have %(brand)s match any characters. For example, @bot:* would ignore all users that have the name 'bot' on any server.": "在此新增您想要忽略的使用者與伺服器。使用星號以讓 %(brand)s 核對所有字元。舉例來說,@bot:* 將會忽略在任何伺服器上,所有含有「bot」名稱的使用者。", - "Ignoring people is done through ban lists which contain rules for who to ban. Subscribing to a ban list means the users/servers blocked by that list will be hidden from you.": "忽略使用者的機制是透過維護含有封鎖規則的封鎖清單來達成的。也可以直接訂閱封鎖清單,讓您不用再看到被清單封鎖的使用者或伺服器。", - "Personal ban list": "個人封鎖清單", - "Server or user ID to ignore": "要忽略的伺服器或使用者 ID", - "eg: @bot:* or example.org": "例如:@bot:* 或 example.org", - "Subscribed lists": "訂閱清單", - "Subscribing to a ban list will cause you to join it!": "訂閱封鎖清單會讓您加入它!", - "If this isn't what you want, please use a different tool to ignore users.": "如果您不想這樣,請使用其他工具來忽略使用者。", "You have ignored this user, so their message is hidden. Show anyways.": "您已忽略這個使用者,所以他們的訊息會隱藏。無論如何都顯示。", "Messages in this room are end-to-end encrypted.": "此聊天室內的訊息有端對端加密。", "Any of the following data may be shared:": "可能會分享以下資料:", @@ -715,10 +634,6 @@ "You'll upgrade this room from to .": "您將要把此聊天室從 升級到 。", " wants to chat": " 想要聊天", "Start chatting": "開始聊天", - "Cross-signing public keys:": "交叉簽署的公開金鑰:", - "not found": "找不到", - "Cross-signing private keys:": "交叉簽署的私密金鑰:", - "in secret storage": "在秘密儲存空間中", "Secret storage public key:": "秘密儲存空間公鑰:", "in account data": "在帳號資料中", "not stored": "未儲存", @@ -734,7 +649,6 @@ "Show more": "顯示更多", "Recent Conversations": "最近的對話", "Direct Messages": "私人訊息", - "This bridge is managed by .": "此橋接由 管理。", "Failed to find the following users": "找不到以下使用者", "The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "以下使用者可能不存在或無效,且無法被邀請:%(csvNames)s", "Lock": "鎖定", @@ -758,10 +672,7 @@ "Session already verified!": "工作階段已驗證!", "WARNING: KEY VERIFICATION FAILED! The signing key for %(userId)s and session %(deviceId)s is \"%(fprint)s\" which does not match the provided key \"%(fingerprint)s\". This could mean your communications are being intercepted!": "警告:無法驗證金鑰!%(userId)s 與工作階段 %(deviceId)s 簽署的金鑰是「%(fprint)s」,並不符合提供的金鑰「%(fingerprint)s」。這可能代表您的通訊已被攔截!", "The signing key you provided matches the signing key you received from %(userId)s's session %(deviceId)s. Session marked as verified.": "您提供的簽署金鑰符合您從 %(userId)s 的工作階段收到的簽署金鑰 %(deviceId)s。工作階段標記為已驗證。", - "Waiting for %(displayName)s to verify…": "正在等待 %(displayName)s 驗證…", - "This bridge was provisioned by .": "此橋接是由 設定。", "Your account has a cross-signing identity in secret storage, but it is not yet trusted by this session.": "您的帳號在秘密儲存空間中有交叉簽署的身分,但尚未被此工作階段信任。", - "in memory": "在記憶體中", "Securely cache encrypted messages locally for them to appear in search results.": "將加密的訊息安全地在本機快取以出現在顯示結果中。", "%(brand)s is missing some components required for securely caching encrypted messages locally. If you'd like to experiment with this feature, build a custom %(brand)s Desktop with search components added.": "%(brand)s 缺少某些在本機快取已加密訊息所需的元件。如果您想要實驗此功能,請加入搜尋元件來自行建構 %(brand)s 桌面版。", "This session is not backing up your keys, but you do have an existing backup you can restore from and add to going forward.": "此工作階段並未備份您的金鑰,您可還原先前的備份後再繼續新增金鑰到備份內容中。", @@ -769,8 +680,6 @@ "Connect this session to Key Backup": "將此工作階段連結至金鑰備份", "This backup is trusted because it has been restored on this session": "此備份已受信任,因為它已在此工作階段上復原", "Your keys are not being backed up from this session.": "您並未備份此裝置的金鑰。", - "Session ID:": "工作階段 ID:", - "Session key:": "工作階段金鑰:", "Message search": "訊息搜尋", "This room is bridging messages to the following platforms. Learn more.": "此聊天室已橋接訊息到以下平臺。取得更多詳細資訊。", "Bridges": "橋接", @@ -809,7 +718,6 @@ "If you did this accidentally, you can setup Secure Messages on this session which will re-encrypt this session's message history with a new recovery method.": "如果您不小心這樣做了,您可以在此工作階段上設定安全訊息,這將會以新的復原方法重新加密此工作階段的訊息歷史。", "Setting up keys": "正在產生金鑰", "You have not verified this user.": "您尚未驗證此使用者。", - "Confirm your identity by entering your account password below.": "請在下方輸入您的帳號密碼來確認身份。", "Create key backup": "建立金鑰備份", "Cancel entering passphrase?": "取消輸入安全密語?", "Destroy cross-signing keys?": "摧毀交叉簽署金鑰?", @@ -822,9 +730,6 @@ "You declined": "您拒絕了", "%(name)s declined": "%(name)s 拒絕了", "Your homeserver does not support cross-signing.": "您的家伺服器不支援交叉簽署。", - "Homeserver feature support:": "家伺服器功能支援:", - "exists": "存在", - "Cancelling…": "正在取消…", "Accepting…": "正在接受…", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "要回報與 Matrix 有關的安全性問題,請閱讀 Matrix.org 的安全性揭露政策。", "Mark all as read": "全部標示為已讀", @@ -856,10 +761,6 @@ "Confirm by comparing the following with the User Settings in your other session:": "透過將下列內容與您其他工作階段中的「使用者設定」所顯示的內容來確認:", "Confirm this user's session by comparing the following with their User Settings:": "將以下內容與對方的「使用者設定」當中顯示的內容進行比對,來確認對方的工作階段:", "If they don't match, the security of your communication may be compromised.": "如果它們不相符,則可能會威脅到您的通訊安全。", - "Self signing private key:": "自行簽署私鑰:", - "cached locally": "已快取至本機", - "not found locally": "在本機找不到", - "User signing private key:": "使用者簽署私鑰:", "Individually verify each session used by a user to mark it as trusted, not trusting cross-signed devices.": "逐一手動驗證使用者的工作階段,將其標記為受信任階段,不透過裝置的交叉簽署機制來信任。", "In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "在加密聊天室中,您的訊息相當安全,只有您與接收者有獨特的金鑰可以將其解鎖。", "Verify all users in a room to ensure it's secure.": "請驗證聊天室中的所有使用者來確保安全。", @@ -906,8 +807,6 @@ "Confirm encryption setup": "確認加密設定", "Click the button below to confirm setting up encryption.": "點擊下方按鈕以確認設定加密。", "IRC display name width": "IRC 顯示名稱寬度", - "Please verify the room ID or address and try again.": "請確認聊天室 ID 或位址後,再試一次。", - "Room ID or address of ban list": "聊天室 ID 或位址的封鎖清單", "Error creating address": "建立位址錯誤", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "建立該位址時發生錯誤。伺服器可能不允許這麼做,或是有暫時性的問題。", "You don't have permission to delete the address.": "您沒有刪除位址的權限。", @@ -922,7 +821,6 @@ "Your homeserver has exceeded one of its resource limits.": "您的家伺服器已超過其中一種資源限制。", "Contact your server admin.": "聯絡您的伺服器管理員。", "Ok": "確定", - "New version available. Update now.": "有可用的新版本。立刻更新。", "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "您的伺服器管理員已停用在私密聊天室與私人訊息中預設的端對端加密。", "Switch theme": "切換佈景主題", "All settings": "所有設定", @@ -966,7 +864,6 @@ "A connection error occurred while trying to contact the server.": "在試圖與伺服器溝通時遇到連線錯誤。", "The server is not configured to indicate what the problem is (CORS).": "伺服器沒有設定好來指示出問題是什麼 (CORS)。", "Recent changes that have not yet been received": "尚未收到最新變更", - "Master private key:": "主控私鑰:", "Explore public rooms": "探索公開聊天室", "Preparing to download logs": "正在準備下載紀錄檔", "Unexpected server error trying to leave the room": "試圖離開聊天室時發生意外的伺服器錯誤", @@ -989,7 +886,6 @@ "Start a conversation with someone using their name or username (like ).": "使用某人的名字或使用者名稱(如 )以與他們開始對話。", "Invite someone using their name, username (like ) or share this room.": "使用某人的名字、使用者名稱(如 )或分享此聊天室來邀請人。", "Safeguard against losing access to encrypted messages & data": "避免失去對加密訊息與資料的存取權", - "not found in storage": "在儲存空間中找不到", "Widgets": "小工具", "Edit widgets, bridges & bots": "編輯小工具、橋接與聊天機器人", "Add widgets, bridges & bots": "新增小工具、橋接與聊天機器人", @@ -1280,10 +1176,7 @@ "Decline All": "全部拒絕", "This widget would like to:": "這個小工具想要:", "Approve widget permissions": "批准小工具權限", - "Enter phone number": "輸入電話號碼", - "Enter email address": "輸入電子郵件地址", "There was a problem communicating with the homeserver, please try again later.": "與家伺服器通訊時出現問題,請再試一次。", - "That phone number doesn't look quite right, please check and try again": "電話號碼看起來不太對,請檢查並再試一次", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "請注意,如果您不新增電子郵件且忘記密碼,您將永遠失去對您帳號的存取權。", "Continuing without email": "不使用電子郵件來繼續", "Server Options": "伺服器選項", @@ -1299,8 +1192,6 @@ "Dial pad": "撥號鍵盤", "There was an error looking up the phone number": "尋找電話號碼時發生錯誤", "Unable to look up phone number": "無法查詢電話號碼", - "Channel: ": "頻道:", - "Workspace: ": "工作區:", "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "此工作階段偵測到您的安全密語以及安全訊息金鑰已被移除。", "A new Security Phrase and key for Secure Messages have been detected.": "偵測到新的安全密語以及安全訊息金鑰。", "Confirm your Security Phrase": "確認您的安全密語", @@ -1327,11 +1218,9 @@ "Allow this widget to verify your identity": "允許此小工具驗證您的身分", "Use app for a better experience": "使用應用程式以取得更好的體驗", "Use app": "使用應用程式", - "Something went wrong in confirming your identity. Cancel and try again.": "確認您身分時出了一點問題。取消並再試一次。", "We asked the browser to remember which homeserver you use to let you sign in, but unfortunately your browser has forgotten it. Go to the sign in page and try again.": "我們要求瀏覽器記住它讓您登入時使用的家伺服器,但不幸的是,您的瀏覽器忘了它。到登入頁面然後重試。", "We couldn't log you in": "我們無法讓您登入", "Recently visited rooms": "最近造訪過的聊天室", - "Original event source": "原始活動來源", "%(count)s members": { "one": "%(count)s 位成員", "other": "%(count)s 位成員" @@ -1396,7 +1285,6 @@ "You most likely do not want to reset your event index store": "您很可能不想重設您的活動索引儲存", "Reset event store": "重設活動儲存", "Avatar": "大頭照", - "Verification requested": "已請求驗證", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "您是這裡唯一的人。如果您離開,包含您在內的任何人都無法加入。", "If you reset everything, you will restart with no trusted sessions, no trusted users, and might not be able to see past messages.": "如果您重設所有東西,您將會在沒有受信任的工作階段、沒有受信任的使用者的情況下重新啟動,且可能會看不到過去的訊息。", "Only do this if you have no other device to complete verification with.": "當您沒有其他裝置可以完成驗證時,才執行此動作。", @@ -1594,7 +1482,6 @@ "It looks like you don't have a Security Key or any other devices you can verify against. This device will not be able to access old encrypted messages. In order to verify your identity on this device, you'll need to reset your verification keys.": "您似乎沒有安全金鑰或其他可以驗證的裝置。此裝置將無法存取舊的加密訊息。為了在此裝置上驗證您的身分,您必須重設您的驗證金鑰。", "Skip verification for now": "暫時略過驗證", "Really reset verification keys?": "真的要重設驗證金鑰?", - "Create poll": "建立投票", "They won't be able to access whatever you're not an admin of.": "他們將無法存取您不是管理員的任何地方。", "Ban them from specific things I'm able to": "從我有權限的特定地方封鎖他們", "Unban them from specific things I'm able to": "從我有權限的特定地方取消封鎖他們", @@ -1637,13 +1524,6 @@ "This room is in some spaces you're not an admin of. In those spaces, the old room will still be shown, but people will be prompted to join the new one.": "這個聊天室位於您不是管理員的某些聊天空間中。在那些聊天空間中,舊的聊天室仍將會顯示,但系統會提示使用者加入新的聊天室。", "Copy link to thread": "複製討論串連結", "Thread options": "討論串選項", - "Add option": "新增選項", - "Write an option": "編寫選項", - "Option %(number)s": "選項 %(number)s", - "Create options": "建立選項", - "Question or topic": "問題或主題", - "What is your poll question or topic?": "您的投票問題或主題是什麼?", - "Create Poll": "建立投票", "You do not have permission to start polls in this room.": "您沒有權限在此聊天室發起投票。", "Reply in thread": "在討論串中回覆", "Rooms outside of a space": "聊天空間外的聊天室", @@ -1673,8 +1553,6 @@ "one": "%(spaceName)s 與 %(count)s 個其他的", "other": "%(spaceName)s 與 %(count)s 個其他的" }, - "Sorry, the poll you tried to create was not posted.": "抱歉,您嘗試建立的投票並未發佈。", - "Failed to post poll": "張貼投票失敗", "Sorry, your vote was not registered. Please try again.": "抱歉,您的投票未計入。請再試一次。", "Vote not registered": "投票未計入", "Developer": "開發者", @@ -1743,10 +1621,6 @@ "You cancelled verification on your other device.": "您在其他裝置上取消了驗證。", "Almost there! Is your other device showing the same shield?": "快好了!您的其他裝置是否顯示了相同的盾牌?", "To proceed, please accept the verification request on your other device.": "要繼續,請在您的其他裝置上接受驗證請求。", - "Waiting for you to verify on your other device…": "正在等待您在其他裝置上驗證…", - "Waiting for you to verify on your other device, %(deviceName)s (%(deviceId)s)…": "正在等待您在其他裝置上驗證,%(deviceName)s (%(deviceId)s)…", - "Verify this device by confirming the following number appears on its screen.": "透過確認螢幕上顯示的以下數字來驗證裝置。", - "Confirm the emoji below are displayed on both devices, in the same order:": "確認以下的表情符號以相同的順序顯示在兩台裝置上:", "Unknown (user, session) pair: (%(userId)s, %(deviceId)s)": "未知(使用者,工作階段)配對:(%(userId)s, %(deviceId)s)", "Unrecognised room address: %(roomAlias)s": "無法識別的聊天室位址:%(roomAlias)s", "From a thread": "來自討論串", @@ -1759,7 +1633,6 @@ "You were removed from %(roomName)s by %(memberName)s": "您已被 %(memberName)s 從 %(roomName)s 中移除", "Message pending moderation": "待審核的訊息", "Message pending moderation: %(reason)s": "待審核的訊息:%(reason)s", - "Internal room ID": "內部聊天室 ID", "Group all your rooms that aren't part of a space in one place.": "將所有不屬於某個聊天空間的聊天室集中在同一個地方。", "Group all your people in one place.": "將您所有的夥伴集中在同一個地方。", "Group all your favourite rooms and people in one place.": "將所有您最喜愛的聊天室與夥伴集中在同一個地方。", @@ -1777,15 +1650,9 @@ "Feedback sent! Thanks, we appreciate it!": "已傳送回饋!謝謝,我們感激不盡!", "%(space1Name)s and %(space2Name)s": "%(space1Name)s 與 %(space2Name)s", "Join %(roomAddress)s": "加入 %(roomAddress)s", - "Edit poll": "編輯投票", "Sorry, you can't edit a poll after votes have been cast.": "抱歉,您無法在有人投票後編輯投票。", "Can't edit poll": "無法編輯投票", "Search Dialog": "搜尋對話方塊", - "Results are only revealed when you end the poll": "結果僅在您結束投票後顯示", - "Voters see results as soon as they have voted": "投票者在投票後可以立刻看到投票結果", - "Open poll": "開放式投票", - "Closed poll": "秘密投票", - "Poll type": "投票類型", "Results will be visible when the poll is ended": "結果將在投票結束時可見", "Pinned": "已釘選", "Open thread": "開啟討論串", @@ -1833,8 +1700,6 @@ "Forget this space": "忘記此聊天空間", "You were removed by %(memberName)s": "您已被 %(memberName)s 移除", "Loading preview": "正在載入預覽", - "View older version of %(spaceName)s.": "檢視 %(spaceName)s 的較舊版本。", - "Upgrade this space to the recommended room version": "升級此聊天空間到建議的聊天室版本", "Failed to join": "無法加入", "The person who invited you has already left, or their server is offline.": "邀請您的人已離開,或是他們的伺服器已離線。", "The person who invited you has already left.": "邀請您的人已離開。", @@ -1910,13 +1775,7 @@ "Your message wasn't sent because this homeserver has been blocked by its administrator. Please contact your service administrator to continue using the service.": "您的訊息並未傳送,因為此家伺服器已被其管理員封鎖。請聯絡您的服務管理員以繼續使用服務。", "An error occurred whilst sharing your live location, please try again": "分享您的即時位置時發生錯誤,請再試一次", "An error occurred whilst sharing your live location": "分享您的即時位置時發生錯誤", - "Resent!": "已重新傳送!", - "Did not receive it? Resend it": "沒有收到?重新傳送", - "To create your account, open the link in the email we just sent to %(emailAddress)s.": "要建立您的帳號,請開啟我們剛剛寄到 %(emailAddress)s 的電子郵件中的連結。", "Unread email icon": "未讀電子郵件圖示", - "Check your email to continue": "檢查您的電子郵件以繼續", - "Click to read topic": "點擊以閱讀主題", - "Edit topic": "編輯主題", "Joining…": "正在加入…", "%(count)s people joined": { "one": "%(count)s 個人已加入", @@ -1969,7 +1828,6 @@ "Messages in this chat will be end-to-end encrypted.": "此聊天中的訊息將使用端對端加密。", "Saved Items": "已儲存的項目", "Choose a locale": "選擇語系", - "Spell check": "拼字檢查", "We're creating a room with %(names)s": "正在建立包含 %(names)s 的聊天室", "Sessions": "工作階段", "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "為了最佳的安全性,請驗證您的工作階段並登出任何您無法識別或不再使用的工作階段。", @@ -2051,10 +1909,6 @@ "WARNING: ": "警告: ", "We were unable to start a chat with the other user.": "我們無法與其他使用者開始聊天。", "Error starting verification": "開始驗證時發生錯誤", - "Feeling experimental? Try out our latest ideas in development. These features are not finalised; they may be unstable, may change, or may be dropped altogether. Learn more.": "想要做點實驗?歡迎測試我們開發中的最新創意功能。這些功能尚未完成設計;可能不穩定、可能會變動,也可能會被完全捨棄。取得更多資訊。", - "Early previews": "提早預覽", - "What's next for %(brand)s? Labs are the best way to get things early, test out new features and help shape them before they actually launch.": "%(brand)s 的下一步是什麼?實驗室是提早取得資訊、測試新功能,並在實際釋出前協助塑造它們的最佳方式。", - "Upcoming features": "即將推出的功能", "Change layout": "變更排列", "You have unverified sessions": "您有未驗證的工作階段", "Search users in this room…": "搜尋此聊天室中的使用者…", @@ -2075,9 +1929,6 @@ "Edit link": "編輯連結", "%(senderName)s started a voice broadcast": "%(senderName)s 開始了語音廣播", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", - "Registration token": "註冊權杖", - "Enter a registration token provided by the homeserver administrator.": "輸入由家伺服器管理員提供的註冊權杖。", - "Manage account": "管理帳號", "Your account details are managed separately at %(hostname)s.": "您的帳號詳細資訊在 %(hostname)s 中單獨管理。", "All messages and invites from this user will be hidden. Are you sure you want to ignore them?": "來自該使用者的所有訊息與邀請都將被隱藏。您確定要忽略它們嗎?", "Ignore %(user)s": "忽略 %(user)s", @@ -2093,28 +1944,22 @@ "Scan QR code": "掃描 QR Code", "Select '%(scanQRCode)s'": "選取「%(scanQRCode)s」", "Enable '%(manageIntegrations)s' in Settings to do this.": "在設定中啟用「%(manageIntegrations)s」來執行此動作。", - "Warning: upgrading a room will not automatically migrate room members to the new version of the room. We'll post a link to the new room in the old version of the room - room members will have to click this link to join the new room.": "警告:升級聊天室將不會自動將聊天室成員遷移至新版的聊天室。我們將會在舊版的聊天室張貼新聊天室的連結 - 聊天室成員將必須點擊此連結以加入新聊天室。", - "Your personal ban list holds all the users/servers you personally don't want to see messages from. After ignoring your first user/server, a new room will show up in your room list named '%(myBanList)s' - stay in this room to keep the ban list in effect.": "您的個人黑名單包含您個人不想看到的所有使用者/伺服器的訊息。在忽略您的第一個使用者/伺服器後,一個名為「%(myBanList)s」的新聊天室將出現在您的聊天室清單中 - 留在此聊天室以維持封鎖清單有效。", "WARNING: session already verified, but keys do NOT MATCH!": "警告:工作階段已驗證,但金鑰不相符!", "Enter a Security Phrase only you know, as it's used to safeguard your data. To be secure, you shouldn't re-use your account password.": "輸入僅有您知道的安全密語,因為其用於保護您的資料。為了安全起見,您不應重複使用您的帳號密碼。", "Starting backup…": "正在開始備份…", "Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "請僅在您確定遺失了您其他所有裝置與安全金鑰時才繼續。", - "Keep going…": "繼續前進…", "Connecting…": "連線中…", "Loading live location…": "正在載入即時位置…", "Fetching keys from server…": "正在取得來自伺服器的金鑰…", "Checking…": "正在檢查…", "Waiting for partner to confirm…": "正在等待夥伴確認…", "Adding…": "正在新增…", - "Write something…": "寫點東西…", "Rejecting invite…": "正在回絕邀請…", "Joining room…": "正在加入聊天室…", "Joining space…": "正在加入聊天空間…", "Encrypting your message…": "正在加密您的訊息…", "Sending your message…": "正在傳送您的訊息…", "Set a new account password…": "設定新帳號密碼…", - "Downloading update…": "正在下載更新…", - "Checking for an update…": "正在檢查更新…", "Backing up %(sessionsRemaining)s keys…": "正在備份 %(sessionsRemaining)s 把金鑰…", "Connecting to integration manager…": "正在連線至整合管理員…", "Saving…": "正在儲存…", @@ -2182,7 +2027,6 @@ "Error changing password": "變更密碼錯誤", "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s(HTTP 狀態 %(httpStatus)s)", "Unknown password change error (%(stringifiedError)s)": "未知密碼變更錯誤(%(stringifiedError)s)", - "Error while changing password: %(error)s": "變更密碼時發生錯誤:%(error)s", "Cannot invite user by email without an identity server. You can connect to one under \"Settings\".": "無法在未設定身分伺服器時,邀請使用者。您可以到「設定」畫面中連線到一組伺服器。", "Failed to download source media, no source url was found": "下載來源媒體失敗,找不到來源 URL", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "被邀請的使用者加入 %(brand)s 後,您就可以聊天,聊天室將會進行端到端加密", @@ -2535,7 +2379,15 @@ "sliding_sync_disable_warning": "要停用,您必須登出並重新登入,請小心使用!", "sliding_sync_proxy_url_optional_label": "代理伺服器網址(選填)", "sliding_sync_proxy_url_label": "代理伺服器網址", - "video_rooms_beta": "視訊聊天室是 Beta 測試功能" + "video_rooms_beta": "視訊聊天室是 Beta 測試功能", + "bridge_state_creator": "此橋接是由 設定。", + "bridge_state_manager": "此橋接由 管理。", + "bridge_state_workspace": "工作區:", + "bridge_state_channel": "頻道:", + "beta_section": "即將推出的功能", + "beta_description": "%(brand)s 的下一步是什麼?實驗室是提早取得資訊、測試新功能,並在實際釋出前協助塑造它們的最佳方式。", + "experimental_section": "提早預覽", + "experimental_description": "想要做點實驗?歡迎測試我們開發中的最新創意功能。這些功能尚未完成設計;可能不穩定、可能會變動,也可能會被完全捨棄。取得更多資訊。" }, "keyboard": { "home": "首頁", @@ -2871,7 +2723,26 @@ "record_session_details": "記錄客戶端名稱、版本與網址,以便在工作階段管理員當中能更輕鬆找出工作階段", "strict_encryption": "不要從此工作階段傳送加密訊息到未驗證的工作階段", "enable_message_search": "在已加密的聊天室中啟用訊息搜尋", - "manually_verify_all_sessions": "手動驗證所有遠端工作階段" + "manually_verify_all_sessions": "手動驗證所有遠端工作階段", + "cross_signing_public_keys": "交叉簽署的公開金鑰:", + "cross_signing_in_memory": "在記憶體中", + "cross_signing_not_found": "找不到", + "cross_signing_private_keys": "交叉簽署的私密金鑰:", + "cross_signing_in_4s": "在秘密儲存空間中", + "cross_signing_not_in_4s": "在儲存空間中找不到", + "cross_signing_master_private_Key": "主控私鑰:", + "cross_signing_cached": "已快取至本機", + "cross_signing_not_cached": "在本機找不到", + "cross_signing_self_signing_private_key": "自行簽署私鑰:", + "cross_signing_user_signing_private_key": "使用者簽署私鑰:", + "cross_signing_homeserver_support": "家伺服器功能支援:", + "cross_signing_homeserver_support_exists": "存在", + "export_megolm_keys": "匯出聊天室的端對端加密金鑰", + "import_megolm_keys": "匯入聊天室端對端加密金鑰", + "cryptography_section": "加密", + "session_id": "工作階段 ID:", + "session_key": "工作階段金鑰:", + "encryption_section": "加密" }, "preferences": { "room_list_heading": "聊天室清單", @@ -2986,6 +2857,12 @@ }, "security_recommendations": "安全建議", "security_recommendations_description": "透過以下的建議改善您的帳號安全性。" + }, + "general": { + "oidc_manage_button": "管理帳號", + "account_section": "帳號", + "language_section": "語言與區域", + "spell_check_section": "拼字檢查" } }, "devtools": { @@ -3087,7 +2964,8 @@ "low_bandwidth_mode": "低頻寬模式", "developer_mode": "開發者模式", "view_source_decrypted_event_source": "解密活動來源", - "view_source_decrypted_event_source_unavailable": "已解密的來源不可用" + "view_source_decrypted_event_source_unavailable": "已解密的來源不可用", + "original_event_source": "原始活動來源" }, "export_chat": { "html": "HTML", @@ -3727,6 +3605,17 @@ "url_preview_encryption_warning": "在加密的聊天室中(這個就是),會預設停用網址預覽以確保您的家伺服器(產生預覽資訊的地方)無法透過這個聊天室收集您看到的連結的相關資訊。", "url_preview_explainer": "當某人在他們的訊息中放置網址時,可以顯示如標題、描述與網頁上的圖片等等來給您更多關於該連結的資訊。", "url_previews_section": "網址預覽" + }, + "advanced": { + "unfederated": "此聊天室無法被遠端的 Matrix 伺服器存取", + "room_upgrade_warning": "警告:升級聊天室將不會自動將聊天室成員遷移至新版的聊天室。我們將會在舊版的聊天室張貼新聊天室的連結 - 聊天室成員將必須點擊此連結以加入新聊天室。", + "space_upgrade_button": "升級此聊天空間到建議的聊天室版本", + "room_upgrade_button": "升級此聊天室到建議的聊天室版本", + "space_predecessor": "檢視 %(spaceName)s 的較舊版本。", + "room_predecessor": "檢視 %(roomName)s 中較舊的訊息。", + "room_id": "內部聊天室 ID", + "room_version_section": "聊天室版本", + "room_version": "聊天室版本:" } }, "encryption": { @@ -3742,8 +3631,22 @@ "sas_prompt": "比較獨特的表情符號", "sas_description": "如果兩個裝置上都沒有相機的話,就比較一組獨特的表情符號", "qr_or_sas": "%(qrCode)s 或 %(emojiCompare)s", - "qr_or_sas_header": "透過完成以下的任何一個操作來驗證此裝置:" - } + "qr_or_sas_header": "透過完成以下的任何一個操作來驗證此裝置:", + "explainer": "與此使用者的安全訊息有端對端加密,無法被第三方讀取。", + "complete_action": "了解", + "sas_emoji_caption_self": "確認以下的表情符號以相同的順序顯示在兩台裝置上:", + "sas_emoji_caption_user": "透過確認對方畫面上顯示的下列表情符號來確認使用者。", + "sas_caption_self": "透過確認螢幕上顯示的以下數字來驗證裝置。", + "sas_caption_user": "透過確認對方畫面上顯示的下列數字來確認使用者。", + "unsupported_method": "找不到支援的驗證方式。", + "waiting_other_device_details": "正在等待您在其他裝置上驗證,%(deviceName)s (%(deviceId)s)…", + "waiting_other_device": "正在等待您在其他裝置上驗證…", + "waiting_other_user": "正在等待 %(displayName)s 驗證…", + "cancelling": "正在取消…" + }, + "old_version_detected_title": "偵測到舊的加密資料", + "old_version_detected_description": "偵測到來自舊版 %(brand)s 的資料。這將會造成舊版的端對端加密失敗。在此版本中使用最近在舊版本交換的金鑰可能無法解密訊息。這也會造成與此版本的訊息交換失敗。若您遇到問題,請登出並重新登入。要保留訊息歷史,請匯出並重新匯入您的金鑰。", + "verification_requested_toast_title": "已請求驗證" }, "emoji": { "category_frequently_used": "經常使用", @@ -3858,7 +3761,51 @@ "phone_optional_label": "電話(選擇性)", "email_help_text": "新增電子郵件以重設您的密碼。", "email_phone_discovery_text": "使用電子郵件或電話以選擇性地被既有的聯絡人探索。", - "email_discovery_text": "設定電子郵件地址後,即可選擇性被已有的聯絡人新增為好友。" + "email_discovery_text": "設定電子郵件地址後,即可選擇性被已有的聯絡人新增為好友。", + "session_logged_out_title": "已登出", + "session_logged_out_description": "因為安全因素,此工作階段已被登出。請重新登入。", + "change_password_error": "變更密碼時發生錯誤:%(error)s", + "change_password_mismatch": "新密碼不相符", + "change_password_empty": "密碼不能為空", + "set_email_prompt": "您想要設定電子郵件地址嗎?", + "change_password_confirm_label": "確認密碼", + "change_password_confirm_invalid": "密碼不相符", + "change_password_current_label": "舊密碼", + "change_password_new_label": "新密碼", + "change_password_action": "變更密碼", + "email_field_label": "電子郵件地址", + "email_field_label_required": "輸入電子郵件地址", + "email_field_label_invalid": "不像是有效的電子郵件地址", + "uia": { + "password_prompt": "請在下方輸入您的帳號密碼來確認身份。", + "recaptcha_missing_params": "未於家伺服器設定中指定 Captcha 公鑰。請將此問題回報給您的家伺服器管理員。", + "terms_invalid": "請審閱並接受家伺服器的所有政策", + "terms": "請審閱並接受此家伺服器的政策:", + "email_auth_header": "檢查您的電子郵件以繼續", + "email": "要建立您的帳號,請開啟我們剛剛寄到 %(emailAddress)s 的電子郵件中的連結。", + "email_resend_prompt": "沒有收到?重新傳送", + "email_resent": "已重新傳送!", + "msisdn_token_incorrect": "權杖不正確", + "msisdn": "文字訊息已傳送給 %(msisdn)s", + "msisdn_token_prompt": "請輸入其包含的代碼:", + "registration_token_prompt": "輸入由家伺服器管理員提供的註冊權杖。", + "registration_token_label": "註冊權杖", + "sso_failed": "確認您身分時出了一點問題。取消並再試一次。", + "fallback_button": "開始認證" + }, + "password_field_label": "輸入密碼", + "password_field_strong_label": "很好,密碼強度夠高!", + "password_field_weak_label": "密碼可用,但不安全", + "password_field_keep_going_prompt": "繼續前進…", + "username_field_required_invalid": "輸入使用者名稱", + "msisdn_field_required_invalid": "輸入電話號碼", + "msisdn_field_number_invalid": "電話號碼看起來不太對,請檢查並再試一次", + "msisdn_field_label": "電話", + "identifier_label": "登入使用", + "reset_password_email_field_description": "使用電子郵件地址來復原您的帳號", + "reset_password_email_field_required_invalid": "輸入電子郵件地址(此家伺服器必填)", + "msisdn_field_description": "其他使用者可以使用您的聯絡人資訊邀請您到聊天室中", + "registration_msisdn_field_required_invalid": "輸入電話號碼(此家伺服器必填)" }, "room_list": { "sort_unread_first": "先顯示有未讀訊息的聊天室", @@ -4052,7 +3999,13 @@ "see_changes_button": "有何新變動嗎?", "release_notes_toast_title": "新鮮事", "toast_title": "更新 %(brand)s", - "toast_description": "%(brand)s 的新版本已可使用" + "toast_description": "%(brand)s 的新版本已可使用", + "error_encountered": "遇到錯誤 (%(errorDetail)s)。", + "checking": "正在檢查更新…", + "no_update": "沒有可用的更新。", + "downloading": "正在下載更新…", + "new_version_available": "有可用的新版本。立刻更新。", + "check_action": "檢查更新" }, "threads": { "all_threads": "所有討論串", @@ -4105,7 +4058,35 @@ }, "labs_mjolnir": { "room_name": "我的封鎖清單", - "room_topic": "這是您已封鎖的的使用者/伺服器清單,不要離開聊天室!" + "room_topic": "這是您已封鎖的的使用者/伺服器清單,不要離開聊天室!", + "ban_reason": "已忽略/已封鎖", + "error_adding_ignore": "新增要忽略的使用者/伺服器錯誤", + "something_went_wrong": "有東西出問題了。請重試或檢視您的主控臺以取得更多資訊。", + "error_adding_list_title": "訂閱清單時發生錯誤", + "error_adding_list_description": "請確認聊天室 ID 或位址後,再試一次。", + "error_removing_ignore": "刪除要忽略的使用者/伺服器時發生錯誤", + "error_removing_list_title": "從清單取消訂閱時發生錯誤", + "error_removing_list_description": "請重試或檢視您的主控臺以取得更多資訊。", + "rules_title": "封鎖清單規則 - %(roomName)s", + "rules_server": "伺服器規則", + "rules_user": "使用者規則", + "personal_empty": "您尚未忽略任何人。", + "personal_section": "您目前忽略了:", + "no_lists": "您尚未訂閱任何清單", + "view_rules": "檢視規則", + "lists": "您目前已訂閱:", + "title": "忽略使用者", + "advanced_warning": "⚠ 這些設定適用於進階使用者。", + "explainer_1": "在此新增您想要忽略的使用者與伺服器。使用星號以讓 %(brand)s 核對所有字元。舉例來說,@bot:* 將會忽略在任何伺服器上,所有含有「bot」名稱的使用者。", + "explainer_2": "忽略使用者的機制是透過維護含有封鎖規則的封鎖清單來達成的。也可以直接訂閱封鎖清單,讓您不用再看到被清單封鎖的使用者或伺服器。", + "personal_heading": "個人封鎖清單", + "personal_description": "您的個人黑名單包含您個人不想看到的所有使用者/伺服器的訊息。在忽略您的第一個使用者/伺服器後,一個名為「%(myBanList)s」的新聊天室將出現在您的聊天室清單中 - 留在此聊天室以維持封鎖清單有效。", + "personal_new_label": "要忽略的伺服器或使用者 ID", + "personal_new_placeholder": "例如:@bot:* 或 example.org", + "lists_heading": "訂閱清單", + "lists_description_1": "訂閱封鎖清單會讓您加入它!", + "lists_description_2": "如果您不想這樣,請使用其他工具來忽略使用者。", + "lists_new_label": "聊天室 ID 或位址的封鎖清單" }, "create_space": { "name_required": "請輸入聊天空間名稱", @@ -4170,6 +4151,12 @@ "private_unencrypted_warning": "您的私密訊息會正常加密,但聊天室不會。一般來說這是因為使用了不支援的裝置或方法,例如電子郵件邀請。", "enable_encryption_prompt": "在設定中啟用加密。", "unencrypted_warning": "端對端加密未啟用" + }, + "edit_topic": "編輯主題", + "read_topic": "點擊以閱讀主題", + "unread_notifications_predecessor": { + "other": "您在此聊天室的先前版本有 %(count)s 個未讀的通知。", + "one": "您在此聊天室的先前版本有 %(count)s 個未讀的通知。" } }, "file_panel": { @@ -4184,9 +4171,31 @@ "intro": "要繼續,您必須同意本服務條款。", "column_service": "服務", "column_summary": "摘要", - "column_document": "文件" + "column_document": "文件", + "tac_title": "條款與細則", + "tac_description": "要繼續使用 %(homeserverDomain)s 家伺服器,您必須審閱並同意我們的條款與細則。", + "tac_button": "審閱條款與細則" }, "space_settings": { "title": "設定 - %(spaceName)s" + }, + "poll": { + "create_poll_title": "建立投票", + "create_poll_action": "建立投票", + "edit_poll_title": "編輯投票", + "failed_send_poll_title": "張貼投票失敗", + "failed_send_poll_description": "抱歉,您嘗試建立的投票並未發佈。", + "type_heading": "投票類型", + "type_open": "開放式投票", + "type_closed": "秘密投票", + "topic_heading": "您的投票問題或主題是什麼?", + "topic_label": "問題或主題", + "topic_placeholder": "寫點東西…", + "options_heading": "建立選項", + "options_label": "選項 %(number)s", + "options_placeholder": "編寫選項", + "options_add_button": "新增選項", + "disclosed_notes": "投票者在投票後可以立刻看到投票結果", + "notes": "結果僅在您結束投票後顯示" } } From 902aea8bc43a6dcebe53dc465b326502ae573b4f Mon Sep 17 00:00:00 2001 From: Richard van der Hoff <1389908+richvdh@users.noreply.github.com> Date: Thu, 21 Sep 2023 20:34:10 +0200 Subject: [PATCH 11/16] LogoutDialog: Remove usage of deprecated keybackup API (#11645) * tests for LogoutDialog * LogoutDialog: Remove usage of deprecated keybackup API --- src/components/views/dialogs/LogoutDialog.tsx | 246 +++++++++++------- .../views/dialogs/LogoutDialog-test.tsx | 84 ++++++ .../__snapshots__/LogoutDialog-test.tsx.snap | 237 +++++++++++++++++ 3 files changed, 468 insertions(+), 99 deletions(-) create mode 100644 test/components/views/dialogs/LogoutDialog-test.tsx create mode 100644 test/components/views/dialogs/__snapshots__/LogoutDialog-test.tsx.snap diff --git a/src/components/views/dialogs/LogoutDialog.tsx b/src/components/views/dialogs/LogoutDialog.tsx index 2086a33b8a..b96cc3fd06 100644 --- a/src/components/views/dialogs/LogoutDialog.tsx +++ b/src/components/views/dialogs/LogoutDialog.tsx @@ -16,7 +16,6 @@ limitations under the License. */ import React from "react"; -import { IKeyBackupInfo } from "matrix-js-sdk/src/crypto/keybackup"; import { logger } from "matrix-js-sdk/src/logger"; import type CreateKeyBackupDialog from "../../../async-components/views/dialogs/security/CreateKeyBackupDialog"; @@ -35,10 +34,28 @@ interface IProps { onFinished: (success: boolean) => void; } +enum BackupStatus { + /** we're trying to figure out if there is an active backup */ + LOADING, + + /** crypto is disabled in this client (so no need to back up) */ + NO_CRYPTO, + + /** Key backup is active and working */ + BACKUP_ACTIVE, + + /** there is a backup on the server but we are not backing up to it */ + SERVER_BACKUP_BUT_DISABLED, + + /** backup is not set up locally and there is no backup on the server */ + NO_BACKUP, + + /** there was an error fetching the state */ + ERROR, +} + interface IState { - shouldLoadBackupStatus: boolean; - loading: boolean; - backupInfo: IKeyBackupInfo | null; + backupStatus: BackupStatus; } export default class LogoutDialog extends React.Component { @@ -49,33 +66,40 @@ export default class LogoutDialog extends React.Component { public constructor(props: IProps) { super(props); - const cli = MatrixClientPeg.safeGet(); - const shouldLoadBackupStatus = cli.isCryptoEnabled() && !cli.getKeyBackupEnabled(); - this.state = { - shouldLoadBackupStatus: shouldLoadBackupStatus, - loading: shouldLoadBackupStatus, - backupInfo: null, + backupStatus: BackupStatus.LOADING, }; - if (shouldLoadBackupStatus) { - this.loadBackupStatus(); - } + // we can't call setState() immediately, so wait a beat + window.setTimeout(() => this.startLoadBackupStatus(), 0); + } + + /** kick off the asynchronous calls to populate `state.backupStatus` in the background */ + private startLoadBackupStatus(): void { + this.loadBackupStatus().catch((e) => { + logger.log("Unable to fetch key backup status", e); + this.setState({ + backupStatus: BackupStatus.ERROR, + }); + }); } private async loadBackupStatus(): Promise { - try { - const backupInfo = await MatrixClientPeg.safeGet().getKeyBackupVersion(); - this.setState({ - loading: false, - backupInfo, - }); - } catch (e) { - logger.log("Unable to fetch key backup status", e); - this.setState({ - loading: false, - }); + const client = MatrixClientPeg.safeGet(); + const crypto = client.getCrypto(); + if (!crypto) { + this.setState({ backupStatus: BackupStatus.NO_CRYPTO }); + return; } + + if ((await crypto.getActiveSessionBackupVersion()) !== null) { + this.setState({ backupStatus: BackupStatus.BACKUP_ACTIVE }); + return; + } + + // backup is not active. see if there is a backup version on the server we ought to back up to. + const backupInfo = await client.getKeyBackupVersion(); + this.setState({ backupStatus: backupInfo ? BackupStatus.SERVER_BACKUP_BUT_DISABLED : BackupStatus.NO_BACKUP }); } private onExportE2eKeysClicked = (): void => { @@ -98,7 +122,7 @@ export default class LogoutDialog extends React.Component { }; private onSetRecoveryMethodClick = (): void => { - if (this.state.backupInfo) { + if (this.state.backupStatus === BackupStatus.SERVER_BACKUP_BUT_DISABLED) { // A key backup exists for this account, but the creating device is not // verified, so restore the backup which will give us the keys from it and // allow us to trust it (ie. upload keys to it) @@ -132,82 +156,106 @@ export default class LogoutDialog extends React.Component { this.props.onFinished(true); }; - public render(): React.ReactNode { - if (this.state.shouldLoadBackupStatus) { - const description = ( -
    -

    - {_t( - "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.", - )} -

    -

    - {_t( - "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.", - )} -

    -

    {_t("Back up your keys before signing out to avoid losing them.")}

    -
    - ); + /** + * Show a dialog prompting the user to set up key backup. + * + * Either there is no backup at all ({@link BackupStatus.NO_BACKUP}), there is a backup on the server but + * we are not connected to it ({@link BackupStatus.SERVER_BACKUP_BUT_DISABLED}), or we were unable to pull the + * backup data ({@link BackupStatus.ERROR}). In all three cases, we should prompt the user to set up key backup. + */ + private renderSetupBackupDialog(): React.ReactNode { + const description = ( +
    +

    + {_t( + "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.", + )} +

    +

    + {_t( + "When you sign out, these keys will be deleted from this device, which means you won't be able to read encrypted messages unless you have the keys for them on your other devices, or backed them up to the server.", + )} +

    +

    {_t("Back up your keys before signing out to avoid losing them.")}

    +
    + ); - let dialogContent; - if (this.state.loading) { - dialogContent = ; - } else { - let setupButtonCaption; - if (this.state.backupInfo) { - setupButtonCaption = _t("Connect this session to Key Backup"); - } else { - // if there's an error fetching the backup info, we'll just assume there's - // no backup for the purpose of the button caption - setupButtonCaption = _t("Start using Key Backup"); - } - - dialogContent = ( -
    -
    - {description} -
    - - - -
    - {_t("Advanced")} -

    - -

    -
    -
    - ); - } - // Not quite a standard question dialog as the primary button cancels - // the action and does something else instead, whilst non-default button - // confirms the action. - return ( - - {dialogContent} - - ); + let setupButtonCaption; + if (this.state.backupStatus === BackupStatus.SERVER_BACKUP_BUT_DISABLED) { + setupButtonCaption = _t("Connect this session to Key Backup"); } else { - return ( - - ); + // if there's an error fetching the backup info, we'll just assume there's + // no backup for the purpose of the button caption + setupButtonCaption = _t("Start using Key Backup"); + } + + const dialogContent = ( +
    +
    + {description} +
    + + + +
    + {_t("Advanced")} +

    + +

    +
    +
    + ); + // Not quite a standard question dialog as the primary button cancels + // the action and does something else instead, whilst non-default button + // confirms the action. + return ( + + {dialogContent} + + ); + } + + public render(): React.ReactNode { + switch (this.state.backupStatus) { + case BackupStatus.LOADING: + // while we're deciding if we have backups, show a spinner + return ( + + ; + + ); + + case BackupStatus.NO_CRYPTO: + case BackupStatus.BACKUP_ACTIVE: + return ( + + ); + + case BackupStatus.NO_BACKUP: + case BackupStatus.SERVER_BACKUP_BUT_DISABLED: + case BackupStatus.ERROR: + return this.renderSetupBackupDialog(); } } } diff --git a/test/components/views/dialogs/LogoutDialog-test.tsx b/test/components/views/dialogs/LogoutDialog-test.tsx new file mode 100644 index 0000000000..c40c9ad894 --- /dev/null +++ b/test/components/views/dialogs/LogoutDialog-test.tsx @@ -0,0 +1,84 @@ +/* +Copyright 2023 The Matrix.org Foundation C.I.C. + +Licensed under the Apache License, Version 2.0 (the "License"); +you may not use this file except in compliance with the License. +You may obtain a copy of the License at + + http://www.apache.org/licenses/LICENSE-2.0 + +Unless required by applicable law or agreed to in writing, software +distributed under the License is distributed on an "AS IS" BASIS, +WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +See the License for the specific language governing permissions and +limitations under the License. +*/ + +import React from "react"; +import { mocked, MockedObject } from "jest-mock"; +import { MatrixClient } from "matrix-js-sdk/src/matrix"; +import { CryptoApi, KeyBackupInfo } from "matrix-js-sdk/src/crypto-api"; +import { render, RenderResult } from "@testing-library/react"; + +import { filterConsole, getMockClientWithEventEmitter, mockClientMethodsCrypto } from "../../../test-utils"; +import LogoutDialog from "../../../../src/components/views/dialogs/LogoutDialog"; + +describe("LogoutDialog", () => { + let mockClient: MockedObject; + let mockCrypto: MockedObject; + + beforeEach(() => { + mockClient = getMockClientWithEventEmitter({ + ...mockClientMethodsCrypto(), + getKeyBackupVersion: jest.fn(), + }); + + mockCrypto = mocked(mockClient.getCrypto()!); + Object.assign(mockCrypto, { + getActiveSessionBackupVersion: jest.fn().mockResolvedValue(null), + }); + }); + + function renderComponent(props: Partial> = {}): RenderResult { + const onFinished = jest.fn(); + return render(); + } + + it("shows a regular dialog when crypto is disabled", async () => { + mocked(mockClient.getCrypto).mockReturnValue(undefined); + const rendered = renderComponent(); + await rendered.findByText("Are you sure you want to sign out?"); + expect(rendered.container).toMatchSnapshot(); + }); + + it("shows a regular dialog if backups are working", async () => { + mockCrypto.getActiveSessionBackupVersion.mockResolvedValue("1"); + const rendered = renderComponent(); + await rendered.findByText("Are you sure you want to sign out?"); + }); + + it("Prompts user to connect backup if there is a backup on the server", async () => { + mockClient.getKeyBackupVersion.mockResolvedValue({} as KeyBackupInfo); + const rendered = renderComponent(); + await rendered.findByText("Connect this session to Key Backup"); + expect(rendered.container).toMatchSnapshot(); + }); + + it("Prompts user to set up backup if there is no backup on the server", async () => { + mockClient.getKeyBackupVersion.mockResolvedValue(null); + const rendered = renderComponent(); + await rendered.findByText("Start using Key Backup"); + expect(rendered.container).toMatchSnapshot(); + }); + + describe("when there is an error fetching backups", () => { + filterConsole("Unable to fetch key backup status"); + it("prompts user to set up backup", async () => { + mockClient.getKeyBackupVersion.mockImplementation(async () => { + throw new Error("beep"); + }); + const rendered = renderComponent(); + await rendered.findByText("Start using Key Backup"); + }); + }); +}); diff --git a/test/components/views/dialogs/__snapshots__/LogoutDialog-test.tsx.snap b/test/components/views/dialogs/__snapshots__/LogoutDialog-test.tsx.snap new file mode 100644 index 0000000000..0e4a2763a3 --- /dev/null +++ b/test/components/views/dialogs/__snapshots__/LogoutDialog-test.tsx.snap @@ -0,0 +1,237 @@ +// Jest Snapshot v1, https://goo.gl/fbAQLP + +exports[`LogoutDialog Prompts user to connect backup if there is a backup on the server 1`] = ` +
    +
    +
    {_t("Backup key stored:")}{backupKeyStored === true ? _t("in secret storage") : _t("not stored")} + {backupKeyStored === true + ? _t("settings|security|cross_signing_in_4s") + : _t("not stored")} +
    {_t("Backup key cached:")} - {backupKeyCached ? _t("cached locally") : _t("not found locally")} + {backupKeyCached + ? _t("settings|security|cross_signing_cached") + : _t("settings|security|cross_signing_not_cached")} {backupKeyWellFormedText}
    {_t("Secret storage public key:")}{secretStorageKeyInAccount ? _t("in account data") : _t("not found")} + {secretStorageKeyInAccount + ? _t("in account data") + : _t("settings|security|cross_signing_not_found")} +
    {_t("Secret storage:")}