diff --git a/cypress/e2e/read-receipts/read-receipts-utils.ts b/cypress/e2e/read-receipts/read-receipts-utils.ts index 9bd6196713..513fd75348 100644 --- a/cypress/e2e/read-receipts/read-receipts-utils.ts +++ b/cypress/e2e/read-receipts/read-receipts-utils.ts @@ -293,7 +293,9 @@ function findRoomByName(room: string): Chainable { export function openThread(rootMessage: string) { cy.log("Open thread", rootMessage); cy.get(".mx_RoomView_body", { log: false }).within(() => { - cy.contains(".mx_EventTile[data-scroll-tokens]", rootMessage, { log: false }) + cy.findAllByText(rootMessage) + .filter(".mx_EventTile_body") + .parents(".mx_EventTile[data-scroll-tokens]") .realHover() .findByRole("button", { name: "Reply in thread", log: false }) .click(); diff --git a/package.json b/package.json index 984d377a58..54d27efe97 100644 --- a/package.json +++ b/package.json @@ -84,7 +84,6 @@ "escape-html": "^1.0.3", "file-saver": "^2.0.5", "filesize": "10.0.12", - "focus-visible": "^5.2.0", "gfm.css": "^1.1.2", "glob-to-regexp": "^0.4.1", "graphemer": "^1.4.0", diff --git a/res/css/_common.pcss b/res/css/_common.pcss index c24ee60a82..d52378400d 100644 --- a/res/css/_common.pcss +++ b/res/css/_common.pcss @@ -230,7 +230,7 @@ textarea:focus { /* accessible (focusable) components. Not intended for buttons, but */ /* should be used on things like focusable containers where the outline */ /* is usually not helping anyone. */ -*:focus:not(.focus-visible) { +*:focus:not(:focus-visible) { outline: none; } @@ -585,7 +585,7 @@ legend { cursor: pointer; display: inline-block; - &:not(.focus-visible) { + &:not(:focus-visible) { outline: none; } } diff --git a/res/css/views/dialogs/_CreateRoomDialog.pcss b/res/css/views/dialogs/_CreateRoomDialog.pcss index 4e3d90cffe..dabddf01cf 100644 --- a/res/css/views/dialogs/_CreateRoomDialog.pcss +++ b/res/css/views/dialogs/_CreateRoomDialog.pcss @@ -28,7 +28,7 @@ limitations under the License. display: none; } - &:not(.focus-visible) { + &:not(:focus-visible) { outline: none; } } diff --git a/res/css/views/elements/_Slider.pcss b/res/css/views/elements/_Slider.pcss index 89d7edcd5c..7fd3520c8b 100644 --- a/res/css/views/elements/_Slider.pcss +++ b/res/css/views/elements/_Slider.pcss @@ -35,7 +35,7 @@ limitations under the License. --active-color: $slider-background-color; } - &:focus:not(.focus-visible) { + &:focus:not(:focus-visible) { outline: none; } diff --git a/res/css/views/elements/_StyledCheckbox.pcss b/res/css/views/elements/_StyledCheckbox.pcss index cbdcce6171..f2b0151bfa 100644 --- a/res/css/views/elements/_StyledCheckbox.pcss +++ b/res/css/views/elements/_StyledCheckbox.pcss @@ -70,7 +70,7 @@ limitations under the License. cursor: not-allowed; } - &.focus-visible { + &:focus-visible { & + label .mx_Checkbox_background { @mixin unreal-focus; } diff --git a/res/css/views/elements/_StyledRadioButton.pcss b/res/css/views/elements/_StyledRadioButton.pcss index 2f641a39af..5f67a36f81 100644 --- a/res/css/views/elements/_StyledRadioButton.pcss +++ b/res/css/views/elements/_StyledRadioButton.pcss @@ -78,7 +78,7 @@ limitations under the License. } } - &.focus-visible { + &:focus-visible { & + div { @mixin unreal-focus; } diff --git a/res/css/views/rooms/_EventTile.pcss b/res/css/views/rooms/_EventTile.pcss index d65dfa4f95..032daa4839 100644 --- a/res/css/views/rooms/_EventTile.pcss +++ b/res/css/views/rooms/_EventTile.pcss @@ -224,7 +224,7 @@ $left-gutter: 64px; } } - &.focus-visible:focus-within, + &:focus-visible:focus-within, &.mx_EventTile_actionBarFocused, &.mx_EventTile_isEditing, &.mx_EventTile_selected { @@ -870,7 +870,7 @@ $left-gutter: 64px; border: 1px solid transparent; .mx_EventTile:hover &, - .mx_EventTile.focus-visible:focus-within & { + .mx_EventTile:focus-visible:focus-within & { border: 1px solid $tertiary-content; } } @@ -993,7 +993,7 @@ $left-gutter: 64px; .mx_EventTile:hover .mx_MessageActionBar, .mx_EventTile.mx_EventTile_actionBarFocused .mx_MessageActionBar, [data-whatinput="keyboard"] .mx_EventTile:focus-within .mx_MessageActionBar, -.mx_EventTile.focus-visible:focus-within .mx_MessageActionBar { +.mx_EventTile:focus-visible:focus-within .mx_MessageActionBar { visibility: visible; } @@ -1002,7 +1002,7 @@ $left-gutter: 64px; /* animation for when it's shown which means duplicating the style definition in */ /* multiple places. */ .mx_EventTile:not(:hover):not(.mx_EventTile_actionBarFocused):not([data-whatinput="keyboard"] :focus-within) { - &:not(.focus-visible:focus-within) .mx_MessageActionBar .mx_Indicator { + &:not(:focus-visible:focus-within) .mx_MessageActionBar .mx_Indicator { animation: none; } } diff --git a/res/css/views/rooms/_LinkPreviewGroup.pcss b/res/css/views/rooms/_LinkPreviewGroup.pcss index 3edb0722e4..2857db5a30 100644 --- a/res/css/views/rooms/_LinkPreviewGroup.pcss +++ b/res/css/views/rooms/_LinkPreviewGroup.pcss @@ -27,7 +27,7 @@ limitations under the License. } &:hover .mx_LinkPreviewGroup_hide img, - .mx_LinkPreviewGroup_hide.focus-visible:focus img { + .mx_LinkPreviewGroup_hide:focus-visible:focus img { visibility: visible; } diff --git a/res/css/views/rooms/_TopUnreadMessagesBar.pcss b/res/css/views/rooms/_TopUnreadMessagesBar.pcss index 9cced9022f..258adb759a 100644 --- a/res/css/views/rooms/_TopUnreadMessagesBar.pcss +++ b/res/css/views/rooms/_TopUnreadMessagesBar.pcss @@ -28,7 +28,7 @@ limitations under the License. content: ""; position: absolute; top: -8px; - left: 10.5px; + left: 11px; width: 4px; height: 4px; border-radius: 16px; diff --git a/res/css/views/settings/_ThemeChoicePanel.pcss b/res/css/views/settings/_ThemeChoicePanel.pcss index 1194c6110d..8616668224 100644 --- a/res/css/views/settings/_ThemeChoicePanel.pcss +++ b/res/css/views/settings/_ThemeChoicePanel.pcss @@ -21,6 +21,7 @@ limitations under the License. flex-wrap: wrap; > .mx_StyledRadioButton { + align-items: center; padding: $font-16px; box-sizing: border-box; border-radius: 10px; diff --git a/src/Lifecycle.ts b/src/Lifecycle.ts index 2f0b7e7ac4..0b34e02409 100644 --- a/src/Lifecycle.ts +++ b/src/Lifecycle.ts @@ -501,11 +501,41 @@ export interface IStoredSession { isUrl: string; hasAccessToken: boolean; accessToken: string | IEncryptedPayload; + hasRefreshToken: boolean; + refreshToken?: string | IEncryptedPayload; userId: string; deviceId: string; isGuest: boolean; } +/** + * Retrieve a token, as stored by `persistCredentials` + * Attempts to migrate token from localStorage to idb + * @param storageKey key used to store the token, eg ACCESS_TOKEN_STORAGE_KEY + * @returns Promise that resolves to token or undefined + */ +async function getStoredToken(storageKey: string): Promise { + let token: string | undefined; + try { + token = await StorageManager.idbLoad("account", storageKey); + } catch (e) { + logger.error(`StorageManager.idbLoad failed for account:${storageKey}`, e); + } + if (!token) { + token = localStorage.getItem(storageKey) ?? undefined; + if (token) { + try { + // try to migrate access token to IndexedDB if we can + await StorageManager.idbSave("account", storageKey, token); + localStorage.removeItem(storageKey); + } catch (e) { + logger.error(`migration of token ${storageKey} to IndexedDB failed`, e); + } + } + } + return token; +} + /** * Retrieves information about the stored session from the browser's storage. The session * may not be valid, as it is not tested for consistency here. @@ -514,27 +544,14 @@ export interface IStoredSession { export async function getStoredSessionVars(): Promise> { const hsUrl = localStorage.getItem(HOMESERVER_URL_KEY) ?? undefined; const isUrl = localStorage.getItem(ID_SERVER_URL_KEY) ?? undefined; - let accessToken: string | undefined; - try { - accessToken = await StorageManager.idbLoad("account", ACCESS_TOKEN_STORAGE_KEY); - } catch (e) { - logger.error("StorageManager.idbLoad failed for account:mx_access_token", e); - } - if (!accessToken) { - accessToken = localStorage.getItem(ACCESS_TOKEN_STORAGE_KEY) ?? undefined; - if (accessToken) { - try { - // try to migrate access token to IndexedDB if we can - await StorageManager.idbSave("account", ACCESS_TOKEN_STORAGE_KEY, accessToken); - localStorage.removeItem(ACCESS_TOKEN_STORAGE_KEY); - } catch (e) { - logger.error("migration of access token to IndexedDB failed", e); - } - } - } + + const accessToken = await getStoredToken(ACCESS_TOKEN_STORAGE_KEY); + const refreshToken = await getStoredToken(REFRESH_TOKEN_STORAGE_KEY); + // if we pre-date storing "mx_has_access_token", but we retrieved an access // token, then we should say we have an access token const hasAccessToken = localStorage.getItem(HAS_ACCESS_TOKEN_STORAGE_KEY) === "true" || !!accessToken; + const hasRefreshToken = localStorage.getItem(HAS_REFRESH_TOKEN_STORAGE_KEY) === "true" || !!refreshToken; const userId = localStorage.getItem("mx_user_id") ?? undefined; const deviceId = localStorage.getItem("mx_device_id") ?? undefined; @@ -546,7 +563,7 @@ export async function getStoredSessionVars(): Promise> { isGuest = localStorage.getItem("matrix-is-guest") === "true"; } - return { hsUrl, isUrl, hasAccessToken, accessToken, userId, deviceId, isGuest }; + return { hsUrl, isUrl, hasAccessToken, accessToken, refreshToken, hasRefreshToken, userId, deviceId, isGuest }; } // The pickle key is a string of unspecified length and format. For AES, we @@ -585,6 +602,36 @@ async function abortLogin(): Promise { } } +const isEncryptedPayload = (token?: IEncryptedPayload | string | undefined): token is IEncryptedPayload => { + return !!token && typeof token !== "string"; +}; +/** + * Try to decrypt a token retrieved from storage + * Where token is not encrypted (plain text) returns the plain text token + * Where token is encrypted, attempts decryption. Returns successfully decrypted token, else undefined. + * @param pickleKey pickle key used during encryption of token, or undefined + * @param token + * @param tokenIv initialization vector used during encryption of token eg ACCESS_TOKEN_IV + * @returns the decrypted token, or the plain text token. Returns undefined when token cannot be decrypted + */ +async function tryDecryptToken( + pickleKey: string | undefined, + token: IEncryptedPayload | string | undefined, + tokenIv: string, +): Promise { + if (pickleKey && isEncryptedPayload(token)) { + const encrKey = await pickleKeyToAesKey(pickleKey); + const decryptedToken = await decryptAES(token, encrKey, tokenIv); + encrKey.fill(0); + return decryptedToken; + } + // if the token wasn't encrypted (plain string) just return it back + if (typeof token === "string") { + return token; + } + // otherwise return undefined +} + // returns a promise which resolves to true if a session is found in // localstorage // @@ -602,7 +649,8 @@ export async function restoreFromLocalStorage(opts?: { ignoreGuest?: boolean }): return false; } - const { hsUrl, isUrl, hasAccessToken, accessToken, userId, deviceId, isGuest } = await getStoredSessionVars(); + const { hsUrl, isUrl, hasAccessToken, accessToken, refreshToken, userId, deviceId, isGuest } = + await getStoredSessionVars(); if (hasAccessToken && !accessToken) { await abortLogin(); @@ -614,18 +662,14 @@ export async function restoreFromLocalStorage(opts?: { ignoreGuest?: boolean }): return false; } - let decryptedAccessToken = accessToken; - const pickleKey = await PlatformPeg.get()?.getPickleKey(userId, deviceId ?? ""); + const pickleKey = (await PlatformPeg.get()?.getPickleKey(userId, deviceId ?? "")) ?? undefined; if (pickleKey) { logger.log("Got pickle key"); - if (typeof accessToken !== "string") { - const encrKey = await pickleKeyToAesKey(pickleKey); - decryptedAccessToken = await decryptAES(accessToken, encrKey, ACCESS_TOKEN_IV); - encrKey.fill(0); - } } else { logger.log("No pickle key available"); } + const decryptedAccessToken = await tryDecryptToken(pickleKey, accessToken, ACCESS_TOKEN_IV); + const decryptedRefreshToken = await tryDecryptToken(pickleKey, refreshToken, REFRESH_TOKEN_IV); const freshLogin = sessionStorage.getItem("mx_fresh_login") === "true"; sessionStorage.removeItem("mx_fresh_login"); @@ -635,7 +679,8 @@ export async function restoreFromLocalStorage(opts?: { ignoreGuest?: boolean }): { userId: userId, deviceId: deviceId, - accessToken: decryptedAccessToken as string, + accessToken: decryptedAccessToken!, + refreshToken: decryptedRefreshToken, homeserverUrl: hsUrl, identityServerUrl: isUrl, guest: isGuest, diff --git a/src/async-components/views/dialogs/security/CreateKeyBackupDialog.tsx b/src/async-components/views/dialogs/security/CreateKeyBackupDialog.tsx index 88e69032a2..453a9dc84c 100644 --- a/src/async-components/views/dialogs/security/CreateKeyBackupDialog.tsx +++ b/src/async-components/views/dialogs/security/CreateKeyBackupDialog.tsx @@ -130,7 +130,7 @@ export default class CreateKeyBackupDialog extends React.PureComponent -

{_t("Your keys are being backed up (the first backup could take a few minutes).")}

+

{_t("settings|key_backup|backup_in_progress")}

); @@ -139,11 +139,11 @@ export default class CreateKeyBackupDialog extends React.PureComponent -

{_t("Unable to create key backup")}

+

{_t("settings|key_backup|cannot_create_backup")}

- {_t("Generate a Security Key")} -
-
- {_t( - "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.", - )} + {_t("settings|key_backup|setup_secure_backup|generate_security_key_title")}
+
{_t("settings|key_backup|setup_secure_backup|generate_security_key_description")}
); } @@ -564,11 +560,9 @@ export default class CreateSecretStorageDialog extends React.PureComponent
- {_t("Enter a Security Phrase")} -
-
- {_t("Use a secret phrase only you know, and optionally save a Security Key to use for backup.")} + {_t("settings|key_backup|setup_secure_backup|enter_phrase_title")}
+
{_t("settings|key_backup|setup_secure_backup|use_phrase_only_you_know")}
); } @@ -583,9 +577,7 @@ export default class CreateSecretStorageDialog extends React.PureComponent

- {_t( - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.", - )} + {_t("settings|key_backup|setup_secure_backup|description")}

{optionKey} @@ -607,7 +599,7 @@ export default class CreateSecretStorageDialog extends React.PureComponent -
{_t("Enter your account password to confirm the upgrade:")}
+
{_t("settings|key_backup|setup_secure_backup|requires_password_confirmation")}
-
{_t("Restore your key backup to upgrade your encryption")}
+
{_t("settings|key_backup|setup_secure_backup|requires_key_restore")}
); nextCaption = _t("action|restore"); } else { - authPrompt =

{_t("You'll need to authenticate with the server to confirm the upgrade.")}

; + authPrompt =

{_t("settings|key_backup|setup_secure_backup|requires_server_authentication")}

; } return (
-

- {_t( - "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.", - )} -

+

{_t("settings|key_backup|setup_secure_backup|session_upgrade_description")}

{authPrompt}
-

- {_t( - "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.", - )} -

+

{_t("settings|key_backup|setup_secure_backup|enter_phrase_description")}

@@ -697,8 +681,8 @@ export default class CreateSecretStorageDialog extends React.PureComponent -

{_t("Enter your Security Phrase a second time to confirm it.")}

+

{_t("settings|key_backup|setup_secure_backup|enter_phrase_to_confirm")}

@@ -772,11 +756,7 @@ export default class CreateSecretStorageDialog extends React.PureComponent -

- {_t( - "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.", - )} -

+

{_t("settings|key_backup|setup_secure_backup|security_key_safety_reminder")}

@@ -792,7 +772,7 @@ export default class CreateSecretStorageDialog extends React.PureComponent - {_t("%(downloadButton)s or %(copyButton)s", { + {_t("settings|key_backup|setup_secure_backup|download_or_copy", { downloadButton: "", copyButton: "", })} @@ -824,7 +804,9 @@ export default class CreateSecretStorageDialog extends React.PureComponent -

{_t("Your keys are now being backed up from this device.")}

+

+ {_t("settings|key_backup|setup_secure_backup|backup_setup_success_description")} +

this.props.onFinished(true)} @@ -837,7 +819,7 @@ export default class CreateSecretStorageDialog extends React.PureComponent -

{_t("Unable to query secret storage status")}

+

{_t("settings|key_backup|setup_secure_backup|secret_storage_query_failure")}

-

- {_t("If you cancel now, you may lose encrypted messages & data if you lose access to your logins.")} -

-

{_t("You can also set up Secure Backup & manage your keys in Settings.")}

+

{_t("settings|key_backup|setup_secure_backup|cancel_warning")}

+

{_t("settings|key_backup|setup_secure_backup|settings_reminder")}

-

{_t("Unable to set up secret storage")}

+

{_t("settings|key_backup|setup_secure_backup|unable_to_setup")}

-

- {_t( - "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.", - )} -

-

- {_t( - "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.", - )} -

+

{_t("settings|key_export_import|export_description_1")}

+

{_t("settings|key_export_import|export_description_2")}

{this.state.errStr}
) => this.onPassphraseChange(e, "passphrase1") @@ -196,9 +188,9 @@ export default class ExportE2eKeysDialog extends React.Component
) => this.onPassphraseChange(e, "passphrase2") diff --git a/src/async-components/views/dialogs/security/ImportE2eKeysDialog.tsx b/src/async-components/views/dialogs/security/ImportE2eKeysDialog.tsx index c88045169a..42ba0b7c6b 100644 --- a/src/async-components/views/dialogs/security/ImportE2eKeysDialog.tsx +++ b/src/async-components/views/dialogs/security/ImportE2eKeysDialog.tsx @@ -140,25 +140,19 @@ export default class ImportE2eKeysDialog extends React.Component
-

- {_t( - "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.", - )} -

-

- {_t( - "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.", - )} -

+

{_t("settings|key_export_import|import_description_1")}

+

{_t("settings|key_export_import|import_description_2")}

{this.state.errStr}
- +
}; public render(): React.ReactNode { - const title = {_t("New Recovery Method")}; - - const newMethodDetected =

{_t("A new Security Phrase and key for Secure Messages have been detected.")}

; - - const hackWarning = ( -

- {_t( - "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.", - )} -

+ const title = ( + + {_t("encryption|new_recovery_method_detected|title")} + ); + const newMethodDetected =

{_t("encryption|new_recovery_method_detected|description_1")}

; + + const hackWarning =

{_t("encryption|new_recovery_method_detected|warning")}

; + let content: JSX.Element | undefined; if (MatrixClientPeg.safeGet().getKeyBackupEnabled()) { content = (
{newMethodDetected} -

{_t("This session is encrypting history using the new recovery method.")}

+

{_t("encryption|new_recovery_method_detected|description_2")}

{hackWarning}
@@ -88,9 +86,9 @@ export default class NewRecoveryMethodDialog extends React.PureComponent {newMethodDetected} {hackWarning}
diff --git a/src/async-components/views/dialogs/security/RecoveryMethodRemovedDialog.tsx b/src/async-components/views/dialogs/security/RecoveryMethodRemovedDialog.tsx index f91d650469..4dafcfa518 100644 --- a/src/async-components/views/dialogs/security/RecoveryMethodRemovedDialog.tsx +++ b/src/async-components/views/dialogs/security/RecoveryMethodRemovedDialog.tsx @@ -46,30 +46,20 @@ export default class RecoveryMethodRemovedDialog extends React.PureComponent{_t("Recovery Method Removed")}; + const title = ( + {_t("encryption|recovery_method_removed|title")} + ); return (
-

- {_t( - "This session has detected that your Security Phrase and key for Secure Messages have been removed.", - )} -

-

- {_t( - "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.", - )} -

-

- {_t( - "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.", - )} -

+

{_t("encryption|recovery_method_removed|description_1")}

+

{_t("encryption|recovery_method_removed|description_2")}

+

{_t("encryption|recovery_method_removed|warning")}

diff --git a/src/autocomplete/RoomProvider.tsx b/src/autocomplete/RoomProvider.tsx index f190bad750..a710b71231 100644 --- a/src/autocomplete/RoomProvider.tsx +++ b/src/autocomplete/RoomProvider.tsx @@ -134,7 +134,7 @@ export default class RoomProvider extends AutocompleteProvider { } public getName(): string { - return _t("Rooms"); + return _t("common|rooms"); } public renderCompletions(completions: React.ReactNode[]): React.ReactNode { diff --git a/src/components/structures/LeftPanel.tsx b/src/components/structures/LeftPanel.tsx index 985850cbc5..7341417de8 100644 --- a/src/components/structures/LeftPanel.tsx +++ b/src/components/structures/LeftPanel.tsx @@ -345,7 +345,7 @@ export default class LeftPanel extends React.Component { ); } diff --git a/src/components/structures/MatrixChat.tsx b/src/components/structures/MatrixChat.tsx index 7dd885503e..1559aed266 100644 --- a/src/components/structures/MatrixChat.tsx +++ b/src/components/structures/MatrixChat.tsx @@ -35,8 +35,6 @@ import { CryptoEvent } from "matrix-js-sdk/src/crypto"; import { DecryptionError } from "matrix-js-sdk/src/crypto/algorithms"; import { IKeyBackupInfo } from "matrix-js-sdk/src/crypto/keybackup"; -// focus-visible is a Polyfill for the :focus-visible CSS pseudo-attribute used by various components -import "focus-visible"; // what-input helps improve keyboard accessibility import "what-input"; diff --git a/src/components/structures/SpaceHierarchy.tsx b/src/components/structures/SpaceHierarchy.tsx index bf3831e92c..070971f3bb 100644 --- a/src/components/structures/SpaceHierarchy.tsx +++ b/src/components/structures/SpaceHierarchy.tsx @@ -384,7 +384,7 @@ export const showRoom = (cli: MatrixClient, hierarchy: RoomHierarchy, roomId: st oob_data: { avatarUrl: room?.avatar_url, // XXX: This logic is duplicated from the JS SDK which would normally decide what the name is. - name: room?.name || roomAlias || _t("Unnamed room"), + name: room?.name || roomAlias || _t("common|unnamed_room"), roomType, } as IOOBData, metricsTrigger: "RoomDirectory", diff --git a/src/components/structures/SpaceRoomView.tsx b/src/components/structures/SpaceRoomView.tsx index db3f692b3e..c36747d071 100644 --- a/src/components/structures/SpaceRoomView.tsx +++ b/src/components/structures/SpaceRoomView.tsx @@ -124,7 +124,7 @@ const SpaceLandingAddButton: React.FC<{ space: Room }> = ({ space }) => { {canCreateRoom && ( <> => { e.preventDefault(); @@ -139,7 +139,7 @@ const SpaceLandingAddButton: React.FC<{ space: Room }> = ({ space }) => { /> {videoRoomsEnabled && ( => { e.preventDefault(); @@ -164,7 +164,7 @@ const SpaceLandingAddButton: React.FC<{ space: Room }> = ({ space }) => { )} { e.preventDefault(); @@ -175,7 +175,7 @@ const SpaceLandingAddButton: React.FC<{ space: Room }> = ({ space }) => { /> {canCreateSpace && ( { e.preventDefault(); diff --git a/src/components/structures/auth/SessionLockStolenView.tsx b/src/components/structures/auth/SessionLockStolenView.tsx index 0c0bc01849..de93624df1 100644 --- a/src/components/structures/auth/SessionLockStolenView.tsx +++ b/src/components/structures/auth/SessionLockStolenView.tsx @@ -29,7 +29,7 @@ export function SessionLockStolenView(): JSX.Element { return (

{_t("common|error")}

-

{_t("%(brand)s has been opened in another tab.", { brand })}

+

{_t("error_app_open_in_another_tab", { brand })}

); } diff --git a/src/components/structures/auth/SetupEncryptionBody.tsx b/src/components/structures/auth/SetupEncryptionBody.tsx index f8781cdb0f..96422cf44e 100644 --- a/src/components/structures/auth/SetupEncryptionBody.tsx +++ b/src/components/structures/auth/SetupEncryptionBody.tsx @@ -159,15 +159,11 @@ export default class SetupEncryptionBody extends React.Component if (lostKeys) { return (
-

- {_t( - "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.", - )} -

+

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

- {_t("Proceed with reset")} + {_t("encryption|verification|reset_proceed_prompt")}
@@ -176,9 +172,9 @@ export default class SetupEncryptionBody extends React.Component const store = SetupEncryptionStore.sharedInstance(); let recoveryKeyPrompt; if (store.keyInfo && keyHasPassphrase(store.keyInfo)) { - recoveryKeyPrompt = _t("Verify with Security Key or Phrase"); + recoveryKeyPrompt = _t("encryption|verification|verify_using_key_or_phrase"); } else if (store.keyInfo) { - recoveryKeyPrompt = _t("Verify with Security Key"); + recoveryKeyPrompt = _t("encryption|verification|verify_using_key"); } let useRecoveryKeyButton; @@ -194,16 +190,14 @@ export default class SetupEncryptionBody extends React.Component if (store.hasDevicesToVerifyAgainst) { verifyButton = ( - {_t("Verify with another device")} + {_t("encryption|verification|verify_using_device")} ); } return (
-

- {_t("Verify your identity to access encrypted messages and prove your identity to others.")} -

+

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

{verifyButton} @@ -228,15 +222,9 @@ export default class SetupEncryptionBody extends React.Component } else if (phase === Phase.Done) { let message: JSX.Element; if (this.state.backupInfo) { - message = ( -

- {_t( - "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.", - )} -

- ); + message =

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

; } else { - message =

{_t("Your new device is now verified. Other users will see it as trusted.")}

; + message =

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

; } return (
@@ -252,14 +240,10 @@ export default class SetupEncryptionBody extends React.Component } else if (phase === Phase.ConfirmSkip) { return (
-

- {_t( - "Without verifying, you won't have access to all your messages and may appear as untrusted to others.", - )} -

+

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

- {_t("I'll verify later")} + {_t("encryption|verification|verify_later")} {_t("action|go_back")} @@ -270,20 +254,12 @@ export default class SetupEncryptionBody extends React.Component } else if (phase === Phase.ConfirmReset) { return (
-

- {_t( - "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.", - )} -

-

- {_t( - "Please only proceed if you're sure you've lost all of your other devices and your Security Key.", - )} -

+

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

+

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

- {_t("Proceed with reset")} + {_t("encryption|verification|reset_proceed_prompt")} {_t("action|go_back")} diff --git a/src/components/structures/auth/SoftLogout.tsx b/src/components/structures/auth/SoftLogout.tsx index 8acb3ef630..65736fd6b9 100644 --- a/src/components/structures/auth/SoftLogout.tsx +++ b/src/components/structures/auth/SoftLogout.tsx @@ -155,7 +155,7 @@ export default class SoftLogout extends React.Component { try { credentials = await sendLoginRequest(hsUrl, isUrl, loginType, loginParams); } catch (e) { - let errorText = _t("Failed to re-authenticate due to a homeserver problem"); + let errorText = _t("auth|failed_soft_logout_homeserver"); if ( e instanceof MatrixError && e.errcode === "M_FORBIDDEN" && @@ -311,12 +311,8 @@ export default class SoftLogout extends React.Component {

{_t("action|sign_in")}

{this.renderSignInSection()}
-

{_t("Clear personal data")}

-

- {_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.", - )} -

+

{_t("auth|soft_logout_subheading")}

+

{_t("auth|soft_logout_warning")}

{_t("Clear all data")} diff --git a/src/components/structures/auth/forgot-password/EnterEmail.tsx b/src/components/structures/auth/forgot-password/EnterEmail.tsx index 7756571e38..fbb08c7d46 100644 --- a/src/components/structures/auth/forgot-password/EnterEmail.tsx +++ b/src/components/structures/auth/forgot-password/EnterEmail.tsx @@ -46,7 +46,7 @@ export const EnterEmail: React.FC = ({ onLoginClick, onSubmitForm, }) => { - const submitButtonChild = loading ? : _t("Send email"); + const submitButtonChild = loading ? : _t("auth|forgot_password_send_email"); const emailFieldRef = useRef(null); diff --git a/src/components/views/auth/LoginWithQR.tsx b/src/components/views/auth/LoginWithQR.tsx index 7c7175b967..2cc9300119 100644 --- a/src/components/views/auth/LoginWithQR.tsx +++ b/src/components/views/auth/LoginWithQR.tsx @@ -153,9 +153,11 @@ export default class LoginWithQR extends React.Component { private generateCode = async (): Promise => { let rendezvous: MSC3906Rendezvous; try { + const fallbackRzServer = this.props.client.getClientWellKnown()?.["io.element.rendezvous"]?.server; const transport = new MSC3886SimpleHttpRendezvousTransport({ onFailure: this.onFailure, client: this.props.client, + fallbackRzServer, }); const channel = new MSC3903ECDHv2RendezvousChannel( diff --git a/src/components/views/context_menus/RoomContextMenu.tsx b/src/components/views/context_menus/RoomContextMenu.tsx index f2ac9b5c18..c313430229 100644 --- a/src/components/views/context_menus/RoomContextMenu.tsx +++ b/src/components/views/context_menus/RoomContextMenu.tsx @@ -164,7 +164,7 @@ const RoomContextMenu: React.FC = ({ room, onFinished, ...props }) => { onTagRoom(e, DefaultTagID.LowPriority)} active={isLowPriority} - label={_t("Low priority")} + label={_t("common|low_priority")} iconClassName="mx_RoomTile_iconArrowDown" /> ); @@ -174,11 +174,11 @@ const RoomContextMenu: React.FC = ({ room, onFinished, ...props }) => { let iconClassName: string | undefined; switch (echoChamber.notificationVolume) { case RoomNotifState.AllMessages: - notificationLabel = _t("Default"); + notificationLabel = _t("notifications|default"); iconClassName = "mx_RoomTile_iconNotificationsDefault"; break; case RoomNotifState.AllMessagesLoud: - notificationLabel = _t("All messages"); + notificationLabel = _t("notifications|all_messages"); iconClassName = "mx_RoomTile_iconNotificationsAllMessages"; break; case RoomNotifState.MentionsOnly: diff --git a/src/components/views/context_menus/RoomNotificationContextMenu.tsx b/src/components/views/context_menus/RoomNotificationContextMenu.tsx index 7ecf81d9db..dfa8cf8135 100644 --- a/src/components/views/context_menus/RoomNotificationContextMenu.tsx +++ b/src/components/views/context_menus/RoomNotificationContextMenu.tsx @@ -61,7 +61,7 @@ export const RoomNotificationContextMenu: React.FC = ({ room, onFinished const allMessagesOption: JSX.Element = ( setNotificationState(RoomNotifState.AllMessagesLoud))} diff --git a/src/components/views/context_menus/SpaceContextMenu.tsx b/src/components/views/context_menus/SpaceContextMenu.tsx index 4528d797bb..a1e89ebf63 100644 --- a/src/components/views/context_menus/SpaceContextMenu.tsx +++ b/src/components/views/context_menus/SpaceContextMenu.tsx @@ -187,7 +187,7 @@ const SpaceContextMenu: React.FC = ({ space, hideHeader, onFinished, ... diff --git a/src/components/views/dialogs/AddExistingToSpaceDialog.tsx b/src/components/views/dialogs/AddExistingToSpaceDialog.tsx index 7a0fc902b1..48934d70b6 100644 --- a/src/components/views/dialogs/AddExistingToSpaceDialog.tsx +++ b/src/components/views/dialogs/AddExistingToSpaceDialog.tsx @@ -387,7 +387,7 @@ const defaultRendererFactory =
); -export const defaultRoomsRenderer = defaultRendererFactory(_td("Rooms")); +export const defaultRoomsRenderer = defaultRendererFactory(_td("common|rooms")); export const defaultSpacesRenderer = defaultRendererFactory(_td("common|spaces")); export const defaultDmsRenderer = defaultRendererFactory(_td("Direct Messages")); diff --git a/src/components/views/dialogs/ConfirmUserActionDialog.tsx b/src/components/views/dialogs/ConfirmUserActionDialog.tsx index 376b7783ab..c46c9f3682 100644 --- a/src/components/views/dialogs/ConfirmUserActionDialog.tsx +++ b/src/components/views/dialogs/ConfirmUserActionDialog.tsx @@ -95,7 +95,7 @@ export default class ConfirmUserActionDialog extends React.Component diff --git a/src/components/views/dialogs/CreateRoomDialog.tsx b/src/components/views/dialogs/CreateRoomDialog.tsx index c2d08880f8..a1fdc13f29 100644 --- a/src/components/views/dialogs/CreateRoomDialog.tsx +++ b/src/components/views/dialogs/CreateRoomDialog.tsx @@ -353,9 +353,7 @@ export default class CreateRoomDialog extends React.Component { microcopy = _t("create_room|encryption_forced"); } } else { - microcopy = _t( - "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.", - ); + microcopy = _t("settings|security|e2ee_default_disabled_warning"); } e2eeSection = ( @@ -420,7 +418,7 @@ export default class CreateRoomDialog extends React.Component { labelKnock={ this.askToJoinEnabled ? _t("room_settings|security|join_rule_knock") : undefined } - labelPublic={_t("Public room")} + labelPublic={_t("common|public_room")} labelRestricted={ this.supportsRestricted ? _t("create_room|join_rule_restricted") : undefined } diff --git a/src/components/views/dialogs/CreateSubspaceDialog.tsx b/src/components/views/dialogs/CreateSubspaceDialog.tsx index 01b02333ee..345b1fddce 100644 --- a/src/components/views/dialogs/CreateSubspaceDialog.tsx +++ b/src/components/views/dialogs/CreateSubspaceDialog.tsx @@ -163,7 +163,7 @@ const CreateSubspaceDialog: React.FC = ({ space, onAddExistingSpaceClick
diff --git a/src/components/views/dialogs/IntegrationsDisabledDialog.tsx b/src/components/views/dialogs/IntegrationsDisabledDialog.tsx index 184bf6a356..83ac2e7032 100644 --- a/src/components/views/dialogs/IntegrationsDisabledDialog.tsx +++ b/src/components/views/dialogs/IntegrationsDisabledDialog.tsx @@ -47,7 +47,7 @@ export default class IntegrationsDisabledDialog extends React.Component

{_t("Enable '%(manageIntegrations)s' in Settings to do this.", { - manageIntegrations: _t("Manage integrations"), + manageIntegrations: _t("integration_manager|manage_title"), })}

diff --git a/src/components/views/dialogs/InteractiveAuthDialog.tsx b/src/components/views/dialogs/InteractiveAuthDialog.tsx index 550bea3730..4a5059ef9e 100644 --- a/src/components/views/dialogs/InteractiveAuthDialog.tsx +++ b/src/components/views/dialogs/InteractiveAuthDialog.tsx @@ -143,7 +143,7 @@ export default class InteractiveAuthDialog extends React.Component our props > defaults. - let title = this.state.authError ? "Error" : this.props.title || _t("Authentication"); + let title = this.state.authError ? "Error" : this.props.title || _t("common|authentication"); let body = this.state.authError ? null : this.props.body; let continueText: string | undefined; let continueKind: string | undefined; diff --git a/src/components/views/dialogs/ReportEventDialog.tsx b/src/components/views/dialogs/ReportEventDialog.tsx index c204c8da98..357abfc44f 100644 --- a/src/components/views/dialogs/ReportEventDialog.tsx +++ b/src/components/views/dialogs/ReportEventDialog.tsx @@ -417,7 +417,7 @@ export default class ReportEventDialog extends React.Component { { { tabs.push( new Tab( RoomSettingsTab.Voip, - _td("Voice & Video"), + _td("settings|voip|title"), "mx_RoomSettingsDialog_voiceIcon", , ), @@ -197,7 +197,7 @@ class RoomSettingsDialog extends React.Component { tabs.push( new Tab( RoomSettingsTab.Bridges, - _td("Bridges"), + _td("room_settings|bridges|title"), "mx_RoomSettingsDialog_bridgesIcon", , "RoomSettingsBridges", diff --git a/src/components/views/dialogs/SetEmailDialog.tsx b/src/components/views/dialogs/SetEmailDialog.tsx index e563266979..2470f6d333 100644 --- a/src/components/views/dialogs/SetEmailDialog.tsx +++ b/src/components/views/dialogs/SetEmailDialog.tsx @@ -67,8 +67,8 @@ export default class SetEmailDialog extends React.Component { const emailAddress = this.state.emailAddress; if (!Email.looksValid(emailAddress)) { Modal.createDialog(ErrorDialog, { - title: _t("Invalid Email Address"), - description: _t("This doesn't appear to be a valid email address"), + title: _t("settings|general|error_invalid_email"), + description: _t("settings|general|error_invalid_email_detail"), }); return; } @@ -88,7 +88,7 @@ export default class SetEmailDialog extends React.Component { this.setState({ emailBusy: false }); logger.error("Unable to add email address " + emailAddress + " " + err); Modal.createDialog(ErrorDialog, { - title: _t("Unable to add email address"), + title: _t("settings|general|error_add_email"), description: extractErrorMessageFromError(err, _t("invite|failed_generic")), }); }, @@ -123,7 +123,7 @@ export default class SetEmailDialog extends React.Component { if (underlyingError instanceof MatrixError && underlyingError.errcode === "M_THREEPID_AUTH_FAILED") { const message = - _t("Unable to verify email address.") + + _t("settings|general|error_email_verification") + " " + _t( "Please check your email and click on the link it contains. Once this is done, click continue.", @@ -137,7 +137,7 @@ export default class SetEmailDialog extends React.Component { } else { logger.error("Unable to verify email address: " + err); Modal.createDialog(ErrorDialog, { - title: _t("Unable to verify email address."), + title: _t("settings|general|error_email_verification"), description: extractErrorMessageFromError(err, _t("invite|failed_generic")), }); } diff --git a/src/components/views/dialogs/UserSettingsDialog.tsx b/src/components/views/dialogs/UserSettingsDialog.tsx index 3422790af9..e8e33a1913 100644 --- a/src/components/views/dialogs/UserSettingsDialog.tsx +++ b/src/components/views/dialogs/UserSettingsDialog.tsx @@ -133,7 +133,7 @@ export default class UserSettingsDialog extends React.Component tabs.push( new Tab( UserTab.Voice, - _td("Voice & Video"), + _td("settings|voip|title"), "mx_UserSettingsDialog_voiceIcon", , "UserSettingsVoiceVideo", diff --git a/src/components/views/dialogs/spotlight/PublicRoomResultDetails.tsx b/src/components/views/dialogs/spotlight/PublicRoomResultDetails.tsx index 74f85a45b5..82cd7d8a44 100644 --- a/src/components/views/dialogs/spotlight/PublicRoomResultDetails.tsx +++ b/src/components/views/dialogs/spotlight/PublicRoomResultDetails.tsx @@ -33,7 +33,9 @@ interface Props { export function PublicRoomResultDetails({ room, labelId, descriptionId, detailsId }: Props): JSX.Element { let name = - room.name || getDisplayAliasForAliasSet(room.canonical_alias ?? "", room.aliases ?? []) || _t("Unnamed room"); + room.name || + getDisplayAliasForAliasSet(room.canonical_alias ?? "", room.aliases ?? []) || + _t("common|unnamed_room"); if (name.length > MAX_NAME_LENGTH) { name = `${name.substring(0, MAX_NAME_LENGTH)}...`; } diff --git a/src/components/views/dialogs/spotlight/RoomResultContextMenus.tsx b/src/components/views/dialogs/spotlight/RoomResultContextMenus.tsx index e4c2df0e54..996b7aab1a 100644 --- a/src/components/views/dialogs/spotlight/RoomResultContextMenus.tsx +++ b/src/components/views/dialogs/spotlight/RoomResultContextMenus.tsx @@ -92,7 +92,7 @@ export function RoomResultContextMenus({ room }: Props): JSX.Element { const target = ev.target as HTMLElement; setGeneralMenuPosition(target.getBoundingClientRect()); }} - title={room.isSpaceRoom() ? _t("space|context_menu|options") : _t("Room options")} + title={room.isSpaceRoom() ? _t("space|context_menu|options") : _t("room|context_menu|title")} isExpanded={generalMenuPosition !== null} /> )} diff --git a/src/components/views/dialogs/spotlight/SpotlightDialog.tsx b/src/components/views/dialogs/spotlight/SpotlightDialog.tsx index a98b64b094..393ca19e27 100644 --- a/src/components/views/dialogs/spotlight/SpotlightDialog.tsx +++ b/src/components/views/dialogs/spotlight/SpotlightDialog.tsx @@ -788,7 +788,7 @@ const SpotlightDialog: React.FC = ({ initialText = "", initialFilter = n role="group" aria-labelledby="mx_SpotlightDialog_section_rooms" > -

{_t("Rooms")}

+

{_t("common|rooms")}

{results[Section.Rooms].slice(0, SECTION_LIMIT).map(resultMapper)}
); diff --git a/src/components/views/right_panel/UserInfo.tsx b/src/components/views/right_panel/UserInfo.tsx index 81cce860b2..e65976d638 100644 --- a/src/components/views/right_panel/UserInfo.tsx +++ b/src/components/views/right_panel/UserInfo.tsx @@ -409,7 +409,7 @@ export const UserOptionsSection: React.FC<{ kind="link" className={classNames("mx_UserInfo_field", { mx_UserInfo_destructive: !isIgnored })} > - {isIgnored ? _t("Unignore") : _t("action|ignore")} + {isIgnored ? _t("action|unignore") : _t("action|ignore")}
); diff --git a/src/components/views/rooms/LegacyRoomHeader.tsx b/src/components/views/rooms/LegacyRoomHeader.tsx index 2972f99991..c2afad6872 100644 --- a/src/components/views/rooms/LegacyRoomHeader.tsx +++ b/src/components/views/rooms/LegacyRoomHeader.tsx @@ -212,9 +212,12 @@ const VideoCallButton: FC = ({ room, busy, setBusy, behavi menu = ( - + @@ -412,13 +415,13 @@ const CallLayoutSelector: FC = ({ call }) => { @@ -436,7 +439,7 @@ const CallLayoutSelector: FC = ({ call }) => { "mx_LegacyRoomHeader_layoutButton--spotlight": layout === Layout.Spotlight, })} onClick={onClick} - title={_t("Change layout")} + title={_t("room|header|video_call_ec_change_layout")} alignment={Alignment.Bottom} key="layout" /> @@ -589,7 +592,7 @@ export default class RoomHeader extends React.Component { , @@ -603,7 +606,11 @@ export default class RoomHeader extends React.Component { mx_LegacyRoomHeader_appsButton_highlight: this.props.appsShown, })} onClick={this.props.onAppsClick} - title={this.props.appsShown ? _t("Hide Widgets") : _t("Show Widgets")} + title={ + this.props.appsShown + ? _t("room|header|hide_widgets_button") + : _t("room|header|show_widgets_button") + } aria-checked={this.props.appsShown} alignment={Alignment.Bottom} key="apps" @@ -643,7 +650,7 @@ export default class RoomHeader extends React.Component { , ); @@ -652,7 +659,7 @@ export default class RoomHeader extends React.Component { , @@ -718,7 +725,7 @@ export default class RoomHeader extends React.Component { className="mx_LegacyRoomHeader_name" onClick={this.onContextMenuOpenClick} isExpanded={!!this.state.contextMenuPosition} - title={_t("Room options")} + title={_t("room|context_menu|title")} alignment={Alignment.Bottom} > {roomName} @@ -762,7 +769,7 @@ export default class RoomHeader extends React.Component { const buttons = this.props.showButtons ? this.renderButtons(isVideoRoom) : null; - let oobName = _t("Unnamed room"); + let oobName = _t("common|unnamed_room"); if (this.props.oobData && this.props.oobData.name) { oobName = this.props.oobData.name; } diff --git a/src/components/views/rooms/LinkPreviewGroup.tsx b/src/components/views/rooms/LinkPreviewGroup.tsx index bc031a8c62..0b82b8729a 100644 --- a/src/components/views/rooms/LinkPreviewGroup.tsx +++ b/src/components/views/rooms/LinkPreviewGroup.tsx @@ -59,7 +59,7 @@ const LinkPreviewGroup: React.FC = ({ links, mxEvent, onCancelClick, onH {expanded ? _t("action|collapse") - : _t("Show %(count)s other previews", { count: previews.length - showPreviews.length })} + : _t("timeline|url_preview|show_n_more", { count: previews.length - showPreviews.length })} ); } @@ -72,7 +72,7 @@ const LinkPreviewGroup: React.FC = ({ links, mxEvent, onCancelClick, onH { let inviteButton: JSX.Element | undefined; if (room?.getMyMembership() === "join" && shouldShowComponent(UIComponent.InviteUsers)) { - let inviteButtonText = _t("Invite to this room"); + let inviteButtonText = _t("room|invite_this_room"); if (room.isSpaceRoom()) { - inviteButtonText = _t("Invite to this space"); + inviteButtonText = _t("space|invite_this_space"); } if (this.state.canInvite) { @@ -371,7 +371,7 @@ export default class MemberList extends React.Component { className="mx_MemberList_invite" onClick={null} disabled - tooltip={_t("You do not have permission to invite users")} + tooltip={_t("member_list|invite_button_no_perms_tooltip")} > {inviteButtonText} @@ -382,7 +382,7 @@ export default class MemberList extends React.Component { let invitedHeader; let invitedSection; if (this.getChildCountInvited() > 0) { - invitedHeader =

{_t("Invited")}

; + invitedHeader =

{_t("member_list|invited_list_heading")}

; invitedSection = ( { const footer = ( diff --git a/src/components/views/rooms/MemberTile.tsx b/src/components/views/rooms/MemberTile.tsx index f3080d4c01..300cc15e85 100644 --- a/src/components/views/rooms/MemberTile.tsx +++ b/src/components/views/rooms/MemberTile.tsx @@ -173,7 +173,7 @@ export default class MemberTile extends React.Component { } private getPowerLabel(): string { - return _t("%(userName)s (power %(powerLevelNumber)s)", { + return _t("member_list|power_label", { userName: UserIdentifierCustomisations.getDisplayUserIdentifier(this.props.member.userId, { roomId: this.props.member.roomId, }), diff --git a/src/components/views/rooms/MessageComposer.tsx b/src/components/views/rooms/MessageComposer.tsx index 8ef680df3a..ac1fa3e5d5 100644 --- a/src/components/views/rooms/MessageComposer.tsx +++ b/src/components/views/rooms/MessageComposer.tsx @@ -535,7 +535,7 @@ export class MessageComposer extends React.Component { className="mx_MessageComposer_roomReplaced_link" onClick={this.onTombstoneClick} > - {_t("The conversation continues here.")} + {_t("composer|room_upgraded_link")} ) : ( "" @@ -551,7 +551,7 @@ export class MessageComposer extends React.Component { src={require("../../../../res/img/room_replaced.svg").default} /> - {_t("This room has been replaced and is no longer active.")} + {_t("composer|room_upgraded_notice")}
{continuesLink} @@ -561,7 +561,7 @@ export class MessageComposer extends React.Component { } else { controls.push(
- {_t("You do not have permission to post to this room")} + {_t("composer|no_perms_notice")}
, ); } @@ -649,7 +649,9 @@ export class MessageComposer extends React.Component { )}
diff --git a/src/components/views/rooms/MessageComposerButtons.tsx b/src/components/views/rooms/MessageComposerButtons.tsx index ed7bf92549..d9d364a211 100644 --- a/src/components/views/rooms/MessageComposerButtons.tsx +++ b/src/components/views/rooms/MessageComposerButtons.tsx @@ -258,7 +258,7 @@ function showStickersButton(props: IProps): ReactElement | null { className="mx_MessageComposer_button" iconClassName="mx_MessageComposer_stickers" onClick={() => props.setStickerPickerOpen(!props.isStickerPickerOpen)} - title={props.isStickerPickerOpen ? _t("Hide stickers") : _t("common|sticker")} + title={props.isStickerPickerOpen ? _t("composer|close_sticker_picker") : _t("common|sticker")} /> ) : null; } @@ -283,7 +283,7 @@ function voiceRecordingButton(props: IProps, narrow: boolean): ReactElement | nu className="mx_MessageComposer_button" iconClassName="mx_MessageComposer_voiceMessage" onClick={props.onRecordStartEndClick} - title={_t("Voice Message")} + title={_t("composer|voice_message_button")} /> ); } @@ -309,8 +309,8 @@ class PollButton extends React.PureComponent { ); if (!canSend) { Modal.createDialog(ErrorDialog, { - title: _t("Permission Required"), - description: _t("You do not have permission to start polls in this room."), + title: _t("composer|poll_button_no_perms_title"), + description: _t("composer|poll_button_no_perms_description"), }); } else { const threadId = @@ -338,7 +338,7 @@ class PollButton extends React.PureComponent { className="mx_MessageComposer_button" iconClassName="mx_MessageComposer_poll" onClick={this.onCreateClick} - title={_t("Poll")} + title={_t("composer|poll_button")} /> ); } @@ -364,7 +364,7 @@ interface WysiwygToggleButtonProps { } function ComposerModeButton({ isRichTextEnabled, onClick }: WysiwygToggleButtonProps): JSX.Element { - const title = isRichTextEnabled ? _t("Hide formatting") : _t("Show formatting"); + const title = isRichTextEnabled ? _t("composer|mode_plain") : _t("composer|mode_rich_text"); return ( + this.props.onAction(Formatting.Bold)} @@ -61,7 +61,7 @@ export default class MessageComposerFormatBar extends React.PureComponent this.props.onAction(Formatting.Italics)} icon="Italic" shortcut={this.props.shortcuts.italics} @@ -88,7 +88,7 @@ export default class MessageComposerFormatBar extends React.PureComponent this.props.onAction(Formatting.InsertLink)} icon="InsertLink" shortcut={this.props.shortcuts.insert_link} diff --git a/src/components/views/rooms/NewRoomIntro.tsx b/src/components/views/rooms/NewRoomIntro.tsx index e1f4776a76..4cc9028d48 100644 --- a/src/components/views/rooms/NewRoomIntro.tsx +++ b/src/components/views/rooms/NewRoomIntro.tsx @@ -215,7 +215,7 @@ const NewRoomIntro: React.FC = () => { defaultDispatcher.dispatch({ action: "view_invite", roomId }); }} > - {_t("Invite to this room")} + {_t("room|invite_this_room")}
); diff --git a/src/components/views/rooms/NotificationBadge.tsx b/src/components/views/rooms/NotificationBadge.tsx index 7c094366f2..ee5b9ffb61 100644 --- a/src/components/views/rooms/NotificationBadge.tsx +++ b/src/components/views/rooms/NotificationBadge.tsx @@ -122,7 +122,7 @@ export default class NotificationBadge extends React.PureComponent; } diff --git a/src/components/views/rooms/ReadReceiptGroup.tsx b/src/components/views/rooms/ReadReceiptGroup.tsx index cb5b1374f5..8453dcf67d 100644 --- a/src/components/views/rooms/ReadReceiptGroup.tsx +++ b/src/components/views/rooms/ReadReceiptGroup.tsx @@ -100,7 +100,9 @@ export function ReadReceiptGroup({ const [{ showTooltip, hideTooltip }, tooltip] = useTooltip({ label: ( <> -
{_t("Seen by %(count)s people", { count: readReceipts.length })}
+
+ {_t("timeline|read_receipt_title", { count: readReceipts.length })} +
{tooltipText}
), @@ -176,7 +178,7 @@ export function ReadReceiptGroup({ - {_t("Seen by %(count)s people", { count: readReceipts.length })} + {_t("timeline|read_receipt_title", { count: readReceipts.length })} {readReceipts.map((receipt) => ( -
+
{
- {_t("Replying")} + {_t("composer|replying_title")} cancelQuoting(this.context.timelineRenderingType)} diff --git a/src/components/views/rooms/RoomBreadcrumbs.tsx b/src/components/views/rooms/RoomBreadcrumbs.tsx index 26132176ea..94a10c05ff 100644 --- a/src/components/views/rooms/RoomBreadcrumbs.tsx +++ b/src/components/views/rooms/RoomBreadcrumbs.tsx @@ -50,7 +50,7 @@ const RoomBreadcrumbTile: React.FC<{ room: Room; onClick: (ev: ButtonEvent) => v // NOTE: The CSSTransition timeout MUST match the timeout in our CSS! return ( - + {tiles.slice(this.state.skipFirst ? 1 : 0)} @@ -131,7 +131,7 @@ export default class RoomBreadcrumbs extends React.PureComponent } else { return (
-
{_t("No recently visited rooms")}
+
{_t("room_list|breadcrumbs_empty")}
); } diff --git a/src/components/views/rooms/RoomHeader.tsx b/src/components/views/rooms/RoomHeader.tsx index 2b16c1a0f8..2635366816 100644 --- a/src/components/views/rooms/RoomHeader.tsx +++ b/src/components/views/rooms/RoomHeader.tsx @@ -131,12 +131,12 @@ export default function RoomHeader({ room }: { room: Room }): JSX.Element { {roomName} {!isDirectMessage && roomState.getJoinRule() === JoinRule.Public && ( - + )} @@ -153,12 +153,12 @@ export default function RoomHeader({ room }: { room: Room }): JSX.Element { )} {isDirectMessage && e2eStatus === E2EStatus.Warning && ( - + )} diff --git a/src/components/views/rooms/RoomInfoLine.tsx b/src/components/views/rooms/RoomInfoLine.tsx index 50eede9df4..ffecaeeb2d 100644 --- a/src/components/views/rooms/RoomInfoLine.tsx +++ b/src/components/views/rooms/RoomInfoLine.tsx @@ -51,13 +51,13 @@ const RoomInfoLine: FC = ({ room }) => { let roomType: string; if (isVideoRoom) { iconClass = "mx_RoomInfoLine_video"; - roomType = _t("Video room"); + roomType = _t("common|video_room"); } else if (joinRule === JoinRule.Public) { iconClass = "mx_RoomInfoLine_public"; - roomType = room.isSpaceRoom() ? _t("Public space") : _t("Public room"); + roomType = room.isSpaceRoom() ? _t("common|public_space") : _t("common|public_room"); } else { iconClass = "mx_RoomInfoLine_private"; - roomType = room.isSpaceRoom() ? _t("Private space") : _t("Private room"); + roomType = room.isSpaceRoom() ? _t("common|private_space") : _t("common|private_room"); } let members: JSX.Element | undefined; diff --git a/src/components/views/rooms/RoomList.tsx b/src/components/views/rooms/RoomList.tsx index 6c5bef15b9..374cb38039 100644 --- a/src/components/views/rooms/RoomList.tsx +++ b/src/components/views/rooms/RoomList.tsx @@ -81,7 +81,6 @@ interface IState { export const TAG_ORDER: TagID[] = [ DefaultTagID.Invite, - DefaultTagID.SavedItems, DefaultTagID.Favourite, DefaultTagID.DM, DefaultTagID.Untagged, @@ -132,7 +131,7 @@ const DmAuxButton: React.FC = ({ tabIndex, dispatcher = default {showCreateRooms && ( { e.preventDefault(); @@ -148,7 +147,7 @@ const DmAuxButton: React.FC = ({ tabIndex, dispatcher = default )} {showInviteUsers && ( { e.preventDefault(); @@ -172,8 +171,8 @@ const DmAuxButton: React.FC = ({ tabIndex, dispatcher = default onClick={openMenu} className="mx_RoomSublist_auxButton" tooltipClassName="mx_RoomSublist_addRoomTooltip" - aria-label={_t("Add people")} - title={_t("Add people")} + aria-label={_t("action|add_people")} + title={_t("action|add_people")} isExpanded={menuDisplayed} inputRef={handle} /> @@ -222,7 +221,7 @@ const UntaggedAuxButton: React.FC = ({ tabIndex }) => { contextMenuContent = ( { e.preventDefault(); @@ -239,7 +238,7 @@ const UntaggedAuxButton: React.FC = ({ tabIndex }) => { {showCreateRoom ? ( <> { e.preventDefault(); @@ -253,7 +252,7 @@ const UntaggedAuxButton: React.FC = ({ tabIndex }) => { /> {videoRoomsEnabled && ( { e.preventDefault(); @@ -271,7 +270,7 @@ const UntaggedAuxButton: React.FC = ({ tabIndex }) => { )} { e.preventDefault(); @@ -292,7 +291,7 @@ const UntaggedAuxButton: React.FC = ({ tabIndex }) => { {showCreateRoom && ( <> { e.preventDefault(); @@ -304,7 +303,7 @@ const UntaggedAuxButton: React.FC = ({ tabIndex }) => { /> {videoRoomsEnabled && ( { e.preventDefault(); @@ -325,7 +324,7 @@ const UntaggedAuxButton: React.FC = ({ tabIndex }) => { )} {showExploreRooms ? ( { e.preventDefault(); @@ -357,8 +356,8 @@ const UntaggedAuxButton: React.FC = ({ tabIndex }) => { onClick={openMenu} className="mx_RoomSublist_auxButton" tooltipClassName="mx_RoomSublist_addRoomTooltip" - aria-label={_t("Add room")} - title={_t("Add room")} + aria-label={_t("room_list|add_room_label")} + title={_t("room_list|add_room_label")} isExpanded={menuDisplayed} inputRef={handle} /> @@ -382,11 +381,6 @@ const TAG_AESTHETICS: TagAestheticsMap = { isInvite: false, defaultHidden: false, }, - [DefaultTagID.SavedItems]: { - sectionLabel: _td("Saved Items"), - isInvite: false, - defaultHidden: false, - }, [DefaultTagID.DM]: { sectionLabel: _td("common|people"), isInvite: false, @@ -394,13 +388,13 @@ const TAG_AESTHETICS: TagAestheticsMap = { AuxButtonComponent: DmAuxButton, }, [DefaultTagID.Untagged]: { - sectionLabel: _td("Rooms"), + sectionLabel: _td("common|rooms"), isInvite: false, defaultHidden: false, AuxButtonComponent: UntaggedAuxButton, }, [DefaultTagID.LowPriority]: { - sectionLabel: _td("Low priority"), + sectionLabel: _td("common|low_priority"), isInvite: false, defaultHidden: false, }, @@ -412,13 +406,13 @@ const TAG_AESTHETICS: TagAestheticsMap = { // TODO: Replace with archived view: https://github.com/vector-im/element-web/issues/14038 [DefaultTagID.Archived]: { - sectionLabel: _td("Historical"), + sectionLabel: _td("common|historical"), isInvite: false, defaultHidden: true, }, [DefaultTagID.Suggested]: { - sectionLabel: _td("Suggested Rooms"), + sectionLabel: _td("room_list|suggested_rooms_heading"), isInvite: false, defaultHidden: false, }, @@ -654,7 +648,7 @@ export default class RoomList extends React.PureComponent { onKeyDown={onKeyDownHandler} className="mx_RoomList" role="tree" - aria-label={_t("Rooms")} + aria-label={_t("common|rooms")} ref={this.treeRef} > {sublists} diff --git a/src/components/views/rooms/RoomListHeader.tsx b/src/components/views/rooms/RoomListHeader.tsx index 6cf180995f..6734b2e536 100644 --- a/src/components/views/rooms/RoomListHeader.tsx +++ b/src/components/views/rooms/RoomListHeader.tsx @@ -203,7 +203,7 @@ const RoomListHeader: React.FC = ({ onVisibilityChange }) => { <> { e.preventDefault(); e.stopPropagation(); @@ -215,7 +215,7 @@ const RoomListHeader: React.FC = ({ onVisibilityChange }) => { {videoRoomsEnabled && ( { e.preventDefault(); e.stopPropagation(); @@ -243,7 +243,7 @@ const RoomListHeader: React.FC = ({ onVisibilityChange }) => { {inviteOption} {newRoomOptions} { e.preventDefault(); @@ -258,7 +258,7 @@ const RoomListHeader: React.FC = ({ onVisibilityChange }) => { }} /> { e.preventDefault(); @@ -271,7 +271,7 @@ const RoomListHeader: React.FC = ({ onVisibilityChange }) => { /> {canCreateSpaces && ( { e.preventDefault(); @@ -296,7 +296,7 @@ const RoomListHeader: React.FC = ({ onVisibilityChange }) => { newRoomOpts = ( <> { e.preventDefault(); @@ -307,7 +307,7 @@ const RoomListHeader: React.FC = ({ onVisibilityChange }) => { }} /> { e.preventDefault(); @@ -319,7 +319,7 @@ const RoomListHeader: React.FC = ({ onVisibilityChange }) => { /> {videoRoomsEnabled && ( { e.preventDefault(); @@ -340,7 +340,7 @@ const RoomListHeader: React.FC = ({ onVisibilityChange }) => { if (canExploreRooms) { joinRoomOpt = ( { e.preventDefault(); @@ -379,9 +379,9 @@ const RoomListHeader: React.FC = ({ onVisibilityChange }) => { .map(([type, keys]) => { switch (type) { case PendingActionType.JoinRoom: - return _t("Currently joining %(count)s rooms", { count: keys.size }); + return _t("room_list|joining_rooms_status", { count: keys.size }); case PendingActionType.BulkRedact: - return _t("Currently removing messages in %(count)s rooms", { count: keys.size }); + return _t("room_list|redacting_messages_status", { count: keys.size }); } }) .join("\n"); @@ -400,11 +400,11 @@ const RoomListHeader: React.FC = ({ onVisibilityChange }) => { contextMenuButton = ( ); } else { - contextMenuButton = ; + contextMenuButton = ; } } diff --git a/src/components/views/rooms/RoomPreviewBar.tsx b/src/components/views/rooms/RoomPreviewBar.tsx index ee1a9a69fb..a4f8b4de3b 100644 --- a/src/components/views/rooms/RoomPreviewBar.tsx +++ b/src/components/views/rooms/RoomPreviewBar.tsx @@ -169,7 +169,7 @@ export default class RoomPreviewBar extends React.Component { identityAccessToken!, ); if (!("mxid" in result)) { - throw new UserFriendlyError("Unable to find user by email"); + throw new UserFriendlyError("room|error_3pid_invite_email_lookup"); } this.setState({ invitedEmailMxid: result.mxid }); } catch (err) { @@ -329,9 +329,9 @@ export default class RoomPreviewBar extends React.Component { switch (messageCase) { case MessageCase.Joining: { if (this.props.oobData?.roomType || isSpace) { - title = isSpace ? _t("Joining space…") : _t("Joining room…"); + title = isSpace ? _t("room|joining_space") : _t("room|joining_room"); } else { - title = _t("Joining…"); + title = _t("room|joining"); } showSpinner = true; @@ -343,7 +343,7 @@ export default class RoomPreviewBar extends React.Component { break; } case MessageCase.Rejecting: { - title = _t("Rejecting invite…"); + title = _t("room|rejecting"); showSpinner = true; break; } @@ -353,15 +353,15 @@ export default class RoomPreviewBar extends React.Component { ModuleRunner.instance.invoke(RoomViewLifecycle.PreviewRoomNotLoggedIn, opts, this.props.roomId); } if (opts.canJoin) { - title = _t("Join the room to participate"); + title = _t("room|join_title"); primaryActionLabel = _t("action|join"); primaryActionHandler = () => { ModuleRunner.instance.invoke(RoomViewLifecycle.JoinFromRoomPreview, this.props.roomId); }; } else { - title = _t("Join the conversation with an account"); + title = _t("room|join_title_account"); if (SettingsStore.getValue(UIFeature.Registration)) { - primaryActionLabel = _t("Sign Up"); + primaryActionLabel = _t("room|join_button_account"); primaryActionHandler = this.onRegisterClick; } secondaryActionLabel = _t("action|sign_in"); @@ -371,7 +371,7 @@ export default class RoomPreviewBar extends React.Component { footer = (
- {_t("Loading preview")} + {_t("room|loading_preview")}
); } @@ -380,16 +380,16 @@ export default class RoomPreviewBar extends React.Component { case MessageCase.Kicked: { const { memberName, reason } = this.getKickOrBanInfo(); if (roomName) { - title = _t("You were removed from %(roomName)s by %(memberName)s", { memberName, roomName }); + title = _t("room|kicked_from_room_by", { memberName, roomName }); } else { - title = _t("You were removed by %(memberName)s", { memberName }); + title = _t("room|kicked_by", { memberName }); } - subTitle = reason ? _t("Reason: %(reason)s", { reason }) : undefined; + subTitle = reason ? _t("room|kick_reason", { reason }) : undefined; if (isSpace) { - primaryActionLabel = _t("Forget this space"); + primaryActionLabel = _t("room|forget_space"); } else { - primaryActionLabel = _t("Forget this room"); + primaryActionLabel = _t("room|forget_room"); } primaryActionHandler = this.props.onForgetClick; @@ -397,22 +397,20 @@ export default class RoomPreviewBar extends React.Component { secondaryActionLabel = primaryActionLabel; secondaryActionHandler = primaryActionHandler; - primaryActionLabel = _t("Re-join"); + primaryActionLabel = _t("room|rejoin_button"); primaryActionHandler = this.props.onJoinClick; } break; } case MessageCase.RequestDenied: { - title = _t("You have been denied access"); + title = _t("room|knock_denied_title"); - subTitle = _t( - "As you have been denied access, you cannot rejoin unless you are invited by the admin or moderator of the group.", - ); + subTitle = _t("room|knock_denied_subtitle"); if (isSpace) { - primaryActionLabel = _t("Forget this space"); + primaryActionLabel = _t("room|forget_space"); } else { - primaryActionLabel = _t("Forget this room"); + primaryActionLabel = _t("room|forget_room"); } primaryActionHandler = this.props.onForgetClick; break; @@ -420,44 +418,43 @@ export default class RoomPreviewBar extends React.Component { case MessageCase.Banned: { const { memberName, reason } = this.getKickOrBanInfo(); if (roomName) { - title = _t("You were banned from %(roomName)s by %(memberName)s", { memberName, roomName }); + title = _t("room|banned_from_room_by", { memberName, roomName }); } else { - title = _t("You were banned by %(memberName)s", { memberName }); + title = _t("room|banned_by", { memberName }); } - subTitle = reason ? _t("Reason: %(reason)s", { reason }) : undefined; + subTitle = reason ? _t("room|kick_reason", { reason }) : undefined; if (isSpace) { - primaryActionLabel = _t("Forget this space"); + primaryActionLabel = _t("room|forget_space"); } else { - primaryActionLabel = _t("Forget this room"); + primaryActionLabel = _t("room|forget_room"); } primaryActionHandler = this.props.onForgetClick; break; } case MessageCase.OtherThreePIDError: { if (roomName) { - title = _t("Something went wrong with your invite to %(roomName)s", { roomName }); + title = _t("room|3pid_invite_error_title_room", { roomName }); } else { - title = _t("Something went wrong with your invite."); + title = _t("room|3pid_invite_error_title"); } const joinRule = this.joinRule(); - const errCodeMessage = _t( - "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: this.state.threePidFetchError?.errcode || _t("unknown error code") }, - ); + const errCodeMessage = _t("room|3pid_invite_error_description", { + errcode: this.state.threePidFetchError?.errcode || _t("unknown error code"), + }); switch (joinRule) { case "invite": - subTitle = [_t("You can only join it with a working invite."), errCodeMessage]; - primaryActionLabel = _t("Try to join anyway"); + subTitle = [_t("room|3pid_invite_error_invite_subtitle"), errCodeMessage]; + primaryActionLabel = _t("room|3pid_invite_error_invite_action"); primaryActionHandler = this.props.onJoinClick; break; case "public": - subTitle = _t("You can still join here."); - primaryActionLabel = _t("Join the discussion"); + subTitle = _t("room|3pid_invite_error_public_subtitle"); + primaryActionLabel = _t("room|join_the_discussion"); primaryActionHandler = this.props.onJoinClick; break; default: subTitle = errCodeMessage; - primaryActionLabel = _t("Try to join anyway"); + primaryActionLabel = _t("room|3pid_invite_error_invite_action"); primaryActionHandler = this.props.onJoinClick; break; } @@ -465,56 +462,50 @@ export default class RoomPreviewBar extends React.Component { } case MessageCase.InvitedEmailNotFoundInAccount: { if (roomName) { - title = _t( - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account", - { - roomName, - email: this.props.invitedEmail, - }, - ); + title = _t("room|3pid_invite_email_not_found_account_room", { + roomName, + email: this.props.invitedEmail, + }); } else { - title = _t("This invite was sent to %(email)s which is not associated with your account", { + title = _t("room|3pid_invite_email_not_found_account", { email: this.props.invitedEmail, }); } - subTitle = _t( - "Link this email with your account in Settings to receive invites directly in %(brand)s.", - { brand }, - ); - primaryActionLabel = _t("Join the discussion"); + subTitle = _t("room|link_email_to_receive_3pid_invite", { brand }); + primaryActionLabel = _t("room|join_the_discussion"); primaryActionHandler = this.props.onJoinClick; break; } case MessageCase.InvitedEmailNoIdentityServer: { if (roomName) { - title = _t("This invite to %(roomName)s was sent to %(email)s", { + title = _t("room|invite_sent_to_email_room", { roomName, email: this.props.invitedEmail, }); } else { - title = _t("This invite was sent to %(email)s", { email: this.props.invitedEmail }); + title = _t("room|invite_sent_to_email", { email: this.props.invitedEmail }); } - subTitle = _t("Use an identity server in Settings to receive invites directly in %(brand)s.", { + subTitle = _t("room|3pid_invite_no_is_subtitle", { brand, }); - primaryActionLabel = _t("Join the discussion"); + primaryActionLabel = _t("room|join_the_discussion"); primaryActionHandler = this.props.onJoinClick; break; } case MessageCase.InvitedEmailMismatch: { if (roomName) { - title = _t("This invite to %(roomName)s was sent to %(email)s", { + title = _t("room|invite_sent_to_email_room", { roomName, email: this.props.invitedEmail, }); } else { - title = _t("This invite was sent to %(email)s", { email: this.props.invitedEmail }); + title = _t("room|invite_sent_to_email", { email: this.props.invitedEmail }); } - subTitle = _t("Share this email in Settings to receive invites directly in %(brand)s.", { brand }); - primaryActionLabel = _t("Join the discussion"); + subTitle = _t("room|invite_email_mismatch_suggestion", { brand }); + primaryActionLabel = _t("room|join_the_discussion"); primaryActionHandler = this.props.onJoinClick; break; } @@ -536,14 +527,14 @@ export default class RoomPreviewBar extends React.Component { const isDM = this.isDMInvite(); if (isDM) { - title = _t("Do you want to chat with %(user)s?", { + title = _t("room|dm_invite_title", { user: inviteMember?.name ?? this.props.inviterName, }); - subTitle = [avatar, _t(" wants to chat", {}, { userName: () => inviterElement })]; - primaryActionLabel = _t("Start chatting"); + subTitle = [avatar, _t("room|dm_invite_subtitle", {}, { userName: () => inviterElement })]; + primaryActionLabel = _t("room|dm_invite_action"); } else { - title = _t("Do you want to join %(roomName)s?", { roomName }); - subTitle = [avatar, _t(" invited you", {}, { userName: () => inviterElement })]; + title = _t("room|invite_title", { roomName }); + subTitle = [avatar, _t("room|invite_subtitle", {}, { userName: () => inviterElement })]; primaryActionLabel = _t("action|accept"); } @@ -567,7 +558,7 @@ export default class RoomPreviewBar extends React.Component { if (this.props.onRejectAndIgnoreClick) { extraComponents.push( - {_t("Reject & Ignore user")} + {_t("room|invite_reject_ignore")} , ); } @@ -575,35 +566,35 @@ export default class RoomPreviewBar extends React.Component { } case MessageCase.ViewingRoom: { if (this.props.canPreview) { - title = _t("You're previewing %(roomName)s. Want to join it?", { roomName }); + title = _t("room|peek_join_prompt", { roomName }); } else if (roomName) { - title = _t("%(roomName)s can't be previewed. Do you want to join it?", { roomName }); + title = _t("room|no_peek_join_prompt", { roomName }); } else { - title = _t("There's no preview, would you like to join?"); + title = _t("room|no_peek_no_name_join_prompt"); } - primaryActionLabel = _t("Join the discussion"); + primaryActionLabel = _t("room|join_the_discussion"); primaryActionHandler = this.props.onJoinClick; break; } case MessageCase.RoomNotFound: { if (roomName) { - title = _t("%(roomName)s does not exist.", { roomName }); + title = _t("room|not_found_title_name", { roomName }); } else { - title = _t("This room or space does not exist."); + title = _t("room|not_found_title"); } - subTitle = _t("Are you sure you're at the right place?"); + subTitle = _t("room|not_found_subtitle"); break; } case MessageCase.OtherError: { if (roomName) { - title = _t("%(roomName)s is not accessible at this time.", { roomName }); + title = _t("room|inaccessible_name", { roomName }); } else { - title = _t("This room or space is not accessible at this time."); + title = _t("room|inaccessible"); } subTitle = [ - _t("Try again later, or ask a room or space admin to check if you have access."), + _t("room|inaccessible_subtitle_1"), _t( - "%(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.", + "room|inaccessible_subtitle_2", { errcode: String(this.props.error?.errcode) }, { issueLink: (label) => ( @@ -622,18 +613,13 @@ export default class RoomPreviewBar extends React.Component { } case MessageCase.PromptAskToJoin: { if (roomName) { - title = _t("Ask to join %(roomName)s?", { roomName }); + title = _t("room|knock_prompt_name", { roomName }); } else { - title = _t("Ask to join?"); + title = _t("room|knock_prompt"); } const avatar = ; - subTitle = [ - avatar, - _t( - "You need to be granted access to this room in order to view or participate in the conversation. You can send a request to join below.", - ), - ]; + subTitle = [avatar, _t("room|knock_subtitle")]; reasonElement = ( { className="mx_RoomPreviewBar_fullWidth" element="textarea" onChange={this.onChangeReason} - placeholder={_t("Message (optional)")} + placeholder={_t("room|knock_message_field_placeholder")} type="text" value={this.state.reason ?? ""} /> @@ -649,22 +635,22 @@ export default class RoomPreviewBar extends React.Component { primaryActionHandler = () => this.props.onSubmitAskToJoin && this.props.onSubmitAskToJoin(this.state.reason); - primaryActionLabel = _t("Request access"); + primaryActionLabel = _t("room|knock_send_action"); break; } case MessageCase.Knocked: { - title = _t("Request to join sent"); + title = _t("room|knock_sent"); subTitle = [ <> - {_t("Your request to join is pending.")} + {_t("room|knock_sent_subtitle")} , ]; secondaryActionHandler = this.props.onCancelAskToJoin; - secondaryActionLabel = _t("Cancel request"); + secondaryActionLabel = _t("room|knock_cancel_action"); break; } diff --git a/src/components/views/rooms/RoomPreviewCard.tsx b/src/components/views/rooms/RoomPreviewCard.tsx index 6fb4939c48..5fa5bbe611 100644 --- a/src/components/views/rooms/RoomPreviewCard.tsx +++ b/src/components/views/rooms/RoomPreviewCard.tsx @@ -173,14 +173,14 @@ const RoomPreviewCard: FC = ({ room, onJoinButtonClicked, onRejectButton let notice: string | null = null; if (cannotJoin) { - notice = _t("To view %(roomName)s, you need an invite", { + notice = _t("room|join_failed_needs_invite", { roomName: room.name, }); } else if (isVideoRoom && !videoRoomsEnabled) { notice = myMembership === "join" - ? _t("To view, please enable video rooms in Labs first") - : _t("To join, please enable video rooms in Labs first"); + ? _t("room|view_failed_enable_video_rooms") + : _t("room|join_failed_enable_video_rooms"); joinButtons = ( diff --git a/src/components/views/rooms/RoomSublist.tsx b/src/components/views/rooms/RoomSublist.tsx index d9bb7ac8d1..3215680488 100644 --- a/src/components/views/rooms/RoomSublist.tsx +++ b/src/components/views/rooms/RoomSublist.tsx @@ -559,7 +559,7 @@ export default class RoomSublist extends React.Component { } private renderMenu(): ReactNode { - if (this.props.tagId === DefaultTagID.Suggested || this.props.tagId === DefaultTagID.SavedItems) return null; // not sortable + if (this.props.tagId === DefaultTagID.Suggested) return null; // not sortable let contextMenu: JSX.Element | undefined; if (this.state.contextMenuPosition) { diff --git a/src/components/views/rooms/RoomTile.tsx b/src/components/views/rooms/RoomTile.tsx index 465a3d0a93..fd2156cbf6 100644 --- a/src/components/views/rooms/RoomTile.tsx +++ b/src/components/views/rooms/RoomTile.tsx @@ -342,7 +342,7 @@ export class RoomTile extends React.PureComponent { {this.state.generalMenuPosition && ( diff --git a/src/components/views/rooms/RoomTileCallSummary.tsx b/src/components/views/rooms/RoomTileCallSummary.tsx index 3208790579..ed4a05134e 100644 --- a/src/components/views/rooms/RoomTileCallSummary.tsx +++ b/src/components/views/rooms/RoomTileCallSummary.tsx @@ -36,7 +36,7 @@ export const RoomTileCallSummary: FC = ({ call }) => { active = false; break; case ConnectionState.Connecting: - text = _t("Joining…"); + text = _t("room|joining"); active = true; break; case ConnectionState.Connected: diff --git a/src/components/views/settings/SecureBackupPanel.tsx b/src/components/views/settings/SecureBackupPanel.tsx index 884d7c74db..3800959180 100644 --- a/src/components/views/settings/SecureBackupPanel.tsx +++ b/src/components/views/settings/SecureBackupPanel.tsx @@ -311,7 +311,11 @@ export default class SecureBackupPanel extends React.PureComponent<{}, IState> { {_t("settings|security|key_backup_active_version")} - {this.state.activeBackupVersion === null ? _t("None") : this.state.activeBackupVersion} + + {this.state.activeBackupVersion === null + ? _t("settings|security|key_backup_active_version_none") + : this.state.activeBackupVersion} + ); diff --git a/src/components/views/settings/SetIdServer.tsx b/src/components/views/settings/SetIdServer.tsx index 428ad4800c..bdf4ee837e 100644 --- a/src/components/views/settings/SetIdServer.tsx +++ b/src/components/views/settings/SetIdServer.tsx @@ -47,7 +47,7 @@ const REACHABILITY_TIMEOUT = 10000; // ms async function checkIdentityServerUrl(u: string): Promise { const parsedUrl = parseUrl(u); - if (parsedUrl.protocol !== "https:") return _t("Identity server URL must be HTTPS"); + if (parsedUrl.protocol !== "https:") return _t("identity_server|url_not_https"); // XXX: duplicated logic from js-sdk but it's quite tied up in the validation logic in the // js-sdk so probably as easy to duplicate it than to separate it out so we can reuse it @@ -56,12 +56,12 @@ async function checkIdentityServerUrl(u: string): Promise { if (response.ok) { return null; } else if (response.status < 200 || response.status >= 300) { - return _t("Not a valid identity server (status code %(code)s)", { code: response.status }); + return _t("identity_server|error_invalid", { code: response.status }); } else { - return _t("Could not connect to identity server"); + return _t("identity_server|error_connection"); } } catch (e) { - return _t("Could not connect to identity server"); + return _t("identity_server|error_connection"); } } @@ -133,7 +133,7 @@ export default class SetIdServer extends React.Component { return (
- {_t("Checking server")} + {_t("identity_server|checking")}
); } else if (this.state.error) { @@ -191,9 +191,9 @@ export default class SetIdServer extends React.Component { // 3PIDs that would be left behind. if (save && currentClientIdServer && fullUrl !== currentClientIdServer) { const [confirmed] = await this.showServerChangeWarning({ - title: _t("Change identity server"), + title: _t("identity_server|change"), unboundMessage: _t( - "Disconnect from the identity server and connect to instead?", + "identity_server|change_prompt", {}, { current: (sub) => {abbreviateUrl(currentClientIdServer)}, @@ -210,7 +210,7 @@ export default class SetIdServer extends React.Component { } } catch (e) { logger.error(e); - errStr = _t("Terms of service not accepted or the identity server is invalid."); + errStr = _t("identity_server|error_invalid_or_terms"); } } this.setState({ @@ -226,9 +226,7 @@ export default class SetIdServer extends React.Component { title: _t("terms|identity_server_no_terms_title"), description: (
- - {_t("The identity server you have chosen does not have any terms of service.")} - + {_t("identity_server|no_terms")}  {_t("terms|identity_server_no_terms_description_2")}
), @@ -241,9 +239,9 @@ export default class SetIdServer extends React.Component { this.setState({ disconnectBusy: true }); try { const [confirmed] = await this.showServerChangeWarning({ - title: _t("Disconnect identity server"), + title: _t("identity_server|disconnect"), unboundMessage: _t( - "Disconnect from the identity server ?", + "identity_server|disconnect_server", {}, { idserver: (sub) => {abbreviateUrl(this.state.currentClientIdServer)} }, ), @@ -294,54 +292,34 @@ export default class SetIdServer extends React.Component { if (!currentServerReachable) { message = (
-

- {_t( - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.", - {}, - messageElements, - )} -

-

{_t("You should:")}

+

{_t("identity_server|disconnect_offline_warning", {}, messageElements)}

+

{_t("identity_server|suggestions")}

    +
  • {_t("identity_server|suggestions_1")}
  • {_t( - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)", - )} -
  • -
  • - {_t( - "contact the administrators of identity server ", + "identity_server|suggestions_2", {}, { idserver: messageElements.idserver, }, )}
  • -
  • {_t("wait and try again later")}
  • +
  • {_t("identity_server|suggestions_3")}
); danger = true; - button = _t("Disconnect anyway"); + button = _t("identity_server|disconnect_anyway"); } else if (boundThreepids.length) { message = (
-

- {_t( - "You are still sharing your personal data on the identity server .", - {}, - messageElements, - )} -

-

- {_t( - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.", - )} -

+

{_t("identity_server|disconnect_personal_data_warning_1", {}, messageElements)}

+

{_t("identity_server|disconnect_personal_data_warning_2")}

); danger = true; - button = _t("Disconnect anyway"); + button = _t("identity_server|disconnect_anyway"); } else { message = unboundMessage; } @@ -382,37 +360,31 @@ export default class SetIdServer extends React.Component { let sectionTitle; let bodyText; if (idServerUrl) { - sectionTitle = _t("Identity server (%(server)s)", { server: abbreviateUrl(idServerUrl) }); + sectionTitle = _t("identity_server|url", { server: abbreviateUrl(idServerUrl) }); bodyText = _t( - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.", + "identity_server|description_connected", {}, { server: (sub) => {abbreviateUrl(idServerUrl)} }, ); if (this.props.missingTerms) { bodyText = _t( - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.", + "identity_server|change_server_prompt", {}, { server: (sub) => {abbreviateUrl(idServerUrl)} }, ); } } else { sectionTitle = _t("common|identity_server"); - bodyText = _t( - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.", - ); + bodyText = _t("identity_server|description_disconnected"); } let discoSection; if (idServerUrl) { let discoButtonContent: React.ReactNode = _t("action|disconnect"); - let discoBodyText = _t( - "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.", - ); + let discoBodyText = _t("identity_server|disconnect_warning"); if (this.props.missingTerms) { - discoBodyText = _t( - "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.", - ); - discoButtonContent = _t("Do not use an identity server"); + discoBodyText = _t("identity_server|description_optional"); + discoButtonContent = _t("identity_server|do_not_use"); } if (this.state.disconnectBusy) { discoButtonContent = ; @@ -431,7 +403,7 @@ export default class SetIdServer extends React.Component {
(%(serverName)s) to manage bots, widgets, and sticker packs.", + "integration_manager|use_im_default", { serverName: currentManager.name }, { b: (sub) => {sub} }, ); } else { - bodyText = _t("Use an integration manager to manage bots, widgets, and sticker packs."); + bodyText = _t("integration_manager|use_im"); } return ( @@ -79,7 +79,7 @@ export default class SetIntegrationManager extends React.Component
- {_t("Manage integrations")} + {_t("integration_manager|manage_title")} {managerName}
{bodyText} - - {_t( - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.", - )} - + {_t("integration_manager|explainer")} ); } diff --git a/src/components/views/settings/account/EmailAddresses.tsx b/src/components/views/settings/account/EmailAddresses.tsx index a09a67bcd6..ef98707c1b 100644 --- a/src/components/views/settings/account/EmailAddresses.tsx +++ b/src/components/views/settings/account/EmailAddresses.tsx @@ -88,7 +88,7 @@ export class ExistingEmailAddress extends React.Component { logger.error("Unable to remove contact information: " + err); Modal.createDialog(ErrorDialog, { - title: _t("Unable to remove contact information"), + title: _t("settings|general|error_remove_3pid"), description: err && err.message ? err.message : _t("invite|failed_generic"), }); }); @@ -99,7 +99,7 @@ export class ExistingEmailAddress extends React.Component - {_t("Remove %(email)s?", { email: this.props.email.address })} + {_t("settings|general|remove_email_prompt", { email: this.props.email.address })} { // TODO: Inline field validation if (!Email.looksValid(email)) { Modal.createDialog(ErrorDialog, { - title: _t("Invalid Email Address"), - description: _t("This doesn't appear to be a valid email address"), + title: _t("settings|general|error_invalid_email"), + description: _t("settings|general|error_invalid_email_detail"), }); return; } @@ -199,7 +199,7 @@ export default class EmailAddresses extends React.Component { logger.error("Unable to add email address " + email + " " + err); this.setState({ verifying: false, continueDisabled: false, addTask: null }); Modal.createDialog(ErrorDialog, { - title: _t("Unable to add email address"), + title: _t("settings|general|error_add_email"), description: extractErrorMessageFromError(err, _t("invite|failed_generic")), }); }); @@ -239,14 +239,12 @@ export default class EmailAddresses extends React.Component { if (underlyingError instanceof MatrixError && underlyingError.errcode === "M_THREEPID_AUTH_FAILED") { Modal.createDialog(ErrorDialog, { - title: _t("Your email address hasn't been verified yet"), - description: _t( - "Click the link in the email you received to verify and then click continue again.", - ), + title: _t("settings|general|email_not_verified"), + description: _t("settings|general|email_verification_instructions"), }); } else { Modal.createDialog(ErrorDialog, { - title: _t("Unable to verify email address."), + title: _t("settings|general|error_email_verification"), description: extractErrorMessageFromError(err, _t("invite|failed_generic")), }); } @@ -273,11 +271,7 @@ export default class EmailAddresses extends React.Component { if (this.state.verifying) { addButton = (
-
- {_t( - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.", - )} -
+
{_t("settings|general|add_email_instructions")}
{ { logger.error("Unable to remove contact information: " + err); Modal.createDialog(ErrorDialog, { - title: _t("Unable to remove contact information"), + title: _t("settings|general|error_remove_3pid"), description: extractErrorMessageFromError(err, _t("invite|failed_generic")), }); }); @@ -95,7 +95,7 @@ export class ExistingPhoneNumber extends React.Component - {_t("Remove %(phone)s?", { phone: this.props.msisdn.address })} + {_t("settings|general|remove_msisdn_prompt", { phone: this.props.msisdn.address })} { if (underlyingError.errcode !== "M_THREEPID_AUTH_FAILED") { Modal.createDialog(ErrorDialog, { - title: _t("Unable to verify phone number."), + title: _t("settings|general|error_msisdn_verification"), description: extractErrorMessageFromError(err, _t("invite|failed_generic")), }); } else { - this.setState({ verifyError: _t("Incorrect verification code") }); + this.setState({ verifyError: _t("settings|general|incorrect_msisdn_verification") }); } }); }; @@ -279,17 +279,14 @@ export default class PhoneNumbers extends React.Component { addVerifySection = (
- {_t( - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.", - { msisdn: msisdn }, - )} + {_t("settings|general|add_msisdn_instructions", { msisdn: msisdn })}
{this.state.verifyError}
{
void }> = ({ devic await saveDeviceName(deviceName); stopEditing(); } catch (error) { - setError(_t("Failed to set display name")); + setError(_t("settings|sessions|error_set_name")); setIsLoading(false); } }; diff --git a/src/components/views/settings/devices/LoginWithQRSection.tsx b/src/components/views/settings/devices/LoginWithQRSection.tsx index 3d63729ed1..5db5246bb4 100644 --- a/src/components/views/settings/devices/LoginWithQRSection.tsx +++ b/src/components/views/settings/devices/LoginWithQRSection.tsx @@ -20,6 +20,7 @@ import { IServerVersions, UNSTABLE_MSC3882_CAPABILITY, Capabilities, + IClientWellKnown, } from "matrix-js-sdk/src/matrix"; import { _t } from "../../../../languageHandler"; @@ -30,6 +31,7 @@ interface IProps { onShowQr: () => void; versions?: IServerVersions; capabilities?: Capabilities; + wellKnown?: IClientWellKnown; } export default class LoginWithQRSection extends React.Component { @@ -43,7 +45,9 @@ export default class LoginWithQRSection extends React.Component { const capability = UNSTABLE_MSC3882_CAPABILITY.findIn(this.props.capabilities); const msc3882Supported = !!this.props.versions?.unstable_features?.["org.matrix.msc3882"] || !!capability?.enabled; - const msc3886Supported = !!this.props.versions?.unstable_features?.["org.matrix.msc3886"]; + const msc3886Supported = + !!this.props.versions?.unstable_features?.["org.matrix.msc3886"] || + this.props.wellKnown?.["io.element.rendezvous"]?.server; const offerShowQr = msc3882Supported && msc3886Supported; // don't show anything if no method is available diff --git a/src/components/views/settings/devices/deleteDevices.tsx b/src/components/views/settings/devices/deleteDevices.tsx index ff96af5d89..c07757f7a9 100644 --- a/src/components/views/settings/devices/deleteDevices.tsx +++ b/src/components/views/settings/devices/deleteDevices.tsx @@ -71,7 +71,7 @@ export const deleteDevicesWithInteractiveAuth = async ( }, }; Modal.createDialog(InteractiveAuthDialog, { - title: _t("Authentication"), + title: _t("common|authentication"), matrixClient: matrixClient, authData: error.data as IAuthData, onFinished, diff --git a/src/components/views/settings/devices/useOwnDevices.ts b/src/components/views/settings/devices/useOwnDevices.ts index 24c5cb25fc..9adb5bf287 100644 --- a/src/components/views/settings/devices/useOwnDevices.ts +++ b/src/components/views/settings/devices/useOwnDevices.ts @@ -194,8 +194,8 @@ export const useOwnDevices = (): DevicesState => { await matrixClient.setDeviceDetails(deviceId, { display_name: deviceName }); await refreshDevices(); } catch (error) { - logger.error("Error setting session display name", error); - throw new Error(_t("Failed to set display name")); + logger.error("Error setting device name", error); + throw new Error(_t("settings|sessions|error_set_name")); } }, [matrixClient, devices, refreshDevices], @@ -217,7 +217,7 @@ export const useOwnDevices = (): DevicesState => { } } catch (error) { logger.error("Error setting pusher state", error); - throw new Error(_t("Failed to set pusher state")); + throw new Error(_t("settings|sessions|error_pusher_state")); } finally { await refreshDevices(); } diff --git a/src/components/views/settings/discovery/EmailAddresses.tsx b/src/components/views/settings/discovery/EmailAddresses.tsx index 45f69a5b28..58f1eaac7f 100644 --- a/src/components/views/settings/discovery/EmailAddresses.tsx +++ b/src/components/views/settings/discovery/EmailAddresses.tsx @@ -116,7 +116,7 @@ export class EmailAddress extends React.Component - {_t("Verify the link in your inbox")} + {_t("settings|general|discovery_email_verification_instructions")} { return ( {content} diff --git a/src/components/views/settings/discovery/PhoneNumbers.tsx b/src/components/views/settings/discovery/PhoneNumbers.tsx index 617b0b9772..a462273314 100644 --- a/src/components/views/settings/discovery/PhoneNumbers.tsx +++ b/src/components/views/settings/discovery/PhoneNumbers.tsx @@ -117,7 +117,7 @@ export class PhoneNumber extends React.Component - {_t("Please enter verification code sent via text.")} + {_t("settings|general|msisdn_verification_instructions")}
{this.state.verifyError}
{ }); } - const description = - (!content && _t("Discovery options will appear once you have added a phone number above.")) || undefined; + const description = (!content && _t("settings|general|discovery_msisdn_empty")) || undefined; return ( diff --git a/src/components/views/settings/notifications/NotificationPusherSettings.tsx b/src/components/views/settings/notifications/NotificationPusherSettings.tsx index f16938a4f4..7ba8021818 100644 --- a/src/components/views/settings/notifications/NotificationPusherSettings.tsx +++ b/src/components/views/settings/notifications/NotificationPusherSettings.tsx @@ -51,7 +51,7 @@ export function NotificationPusherSettings(): JSX.Element { () => ({ kind: "email", app_id: "m.email", - app_display_name: _t("Email Notifications"), + app_display_name: _t("notifications|email_pusher_app_display_name"), lang: navigator.language, data: { brand: SdkConfig.get().brand, @@ -91,17 +91,16 @@ export function NotificationPusherSettings(): JSX.Element { return ( <> - + - {_t("Receive an email summary of missed notifications")} + {_t("settings|notifications|email_description")}
- {_t( - "Select which emails you want to send summaries to. Manage your emails in .", - {}, - { button: generalTabButton }, - )} + {_t("settings|notifications|email_select", {}, { button: generalTabButton })}
diff --git a/src/components/views/settings/notifications/NotificationSettings2.tsx b/src/components/views/settings/notifications/NotificationSettings2.tsx index 978fa2c8e3..752532ebd2 100644 --- a/src/components/views/settings/notifications/NotificationSettings2.tsx +++ b/src/components/views/settings/notifications/NotificationSettings2.tsx @@ -58,21 +58,6 @@ function toDefaultLevels(levels: NotificationSettings["defaultLevels"]): Notific } } -const NotificationOptions = [ - { - value: NotificationDefaultLevels.AllMessages, - label: _t("All messages"), - }, - { - value: NotificationDefaultLevels.PeopleMentionsKeywords, - label: _t("People, Mentions and Keywords"), - }, - { - value: NotificationDefaultLevels.MentionsKeywords, - label: _t("Mentions and Keywords only"), - }, -]; - function boldText(text: string): JSX.Element { return {text}; } @@ -101,6 +86,21 @@ export default function NotificationSettings2(): JSX.Element { const [updatingUnread, setUpdatingUnread] = useState(false); const hasUnreadNotifications = useHasUnreadNotifications(); + const NotificationOptions = [ + { + value: NotificationDefaultLevels.AllMessages, + label: _t("notifications|all_messages"), + }, + { + value: NotificationDefaultLevels.PeopleMentionsKeywords, + label: _t("settings|notifications|people_mentions_keywords"), + }, + { + value: NotificationDefaultLevels.MentionsKeywords, + label: _t("settings|notifications|mentions_keywords_only"), + }, + ]; + return (
{hasPendingChanges && model !== null && ( @@ -110,7 +110,7 @@ export default function NotificationSettings2(): JSX.Element { onAction={() => reconcile(model!)} > {_t( - "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", + "settings|notifications|labs_notice_prompt", {}, { strong: boldText, @@ -140,7 +140,7 @@ export default function NotificationSettings2(): JSX.Element { } /> SettingsStore.setValue("notificationBodyEnabled", null, SettingLevel.DEVICE, value) @@ -155,8 +155,8 @@ export default function NotificationSettings2(): JSX.Element { />
{ @@ -214,7 +214,7 @@ export default function NotificationSettings2(): JSX.Element { }} /> { @@ -228,9 +228,9 @@ export default function NotificationSettings2(): JSX.Element { }} /> - + { @@ -244,7 +244,7 @@ export default function NotificationSettings2(): JSX.Element { }} /> { @@ -258,7 +258,7 @@ export default function NotificationSettings2(): JSX.Element { }} /> { @@ -273,9 +273,9 @@ export default function NotificationSettings2(): JSX.Element { /> when keywords are used in a room.", + "settings|notifications|keywords", {}, { badge: , @@ -283,7 +283,7 @@ export default function NotificationSettings2(): JSX.Element { )} > { @@ -297,7 +297,7 @@ export default function NotificationSettings2(): JSX.Element { }} /> { @@ -348,7 +348,7 @@ export default function NotificationSettings2(): JSX.Element { /> - + {hasUnreadNotifications && ( - {_t("Mark all messages as read")} + {_t("settings|notifications|quick_actions_mark_all_read")} )} - {_t("Reset to default settings")} + {_t("settings|notifications|quick_actions_reset")} diff --git a/src/components/views/settings/tabs/room/AdvancedRoomSettingsTab.tsx b/src/components/views/settings/tabs/room/AdvancedRoomSettingsTab.tsx index a1c7827231..98b0a6bb97 100644 --- a/src/components/views/settings/tabs/room/AdvancedRoomSettingsTab.tsx +++ b/src/components/views/settings/tabs/room/AdvancedRoomSettingsTab.tsx @@ -156,7 +156,13 @@ export default class AdvancedRoomSettingsTab extends React.Component - +
{_t("room_settings|advanced|room_id")} this.props.room.roomId}> diff --git a/src/components/views/settings/tabs/room/BridgeSettingsTab.tsx b/src/components/views/settings/tabs/room/BridgeSettingsTab.tsx index 03d5208902..cfe6b3ccd3 100644 --- a/src/components/views/settings/tabs/room/BridgeSettingsTab.tsx +++ b/src/components/views/settings/tabs/room/BridgeSettingsTab.tsx @@ -63,7 +63,7 @@ export default class BridgeSettingsTab extends React.Component {

{_t( - "This room is bridging messages to the following platforms. Learn more.", + "room_settings|bridges|description", {}, { // TODO: We don't have this link yet: this will prevent the translators @@ -85,7 +85,7 @@ export default class BridgeSettingsTab extends React.Component { content = (

{_t( - "This room isn't bridging messages to any platforms. Learn more.", + "room_settings|bridges|empty", {}, { // TODO: We don't have this link yet: this will prevent the translators @@ -103,7 +103,7 @@ export default class BridgeSettingsTab extends React.Component { return ( - {content} + {content} ); } diff --git a/src/components/views/settings/tabs/room/GeneralRoomSettingsTab.tsx b/src/components/views/settings/tabs/room/GeneralRoomSettingsTab.tsx index 8db0dd1cc3..8e990d7d33 100644 --- a/src/components/views/settings/tabs/room/GeneralRoomSettingsTab.tsx +++ b/src/components/views/settings/tabs/room/GeneralRoomSettingsTab.tsx @@ -89,7 +89,7 @@ export default class GeneralRoomSettingsTab extends React.Component - + - + {urlPreviewSettings} {leaveSection} diff --git a/src/components/views/settings/tabs/room/NotificationSettingsTab.tsx b/src/components/views/settings/tabs/room/NotificationSettingsTab.tsx index fbe2466991..1c536ed6d6 100644 --- a/src/components/views/settings/tabs/room/NotificationSettingsTab.tsx +++ b/src/components/views/settings/tabs/room/NotificationSettingsTab.tsx @@ -163,7 +163,7 @@ export default class NotificationsSettingsTab extends React.Component - {_t("Uploaded sound")}: {this.state.uploadedFile.name} + {_t("room_settings|notifications|uploaded_sound")}: {this.state.uploadedFile.name}

); @@ -181,10 +181,10 @@ export default class NotificationsSettingsTab extends React.Component - {_t("Default")} + {_t("notifications|default")}
{_t( - "Get notifications as set up in your settings", + "room_settings|notifications|settings_link", {}, { a: (sub) => ( @@ -206,9 +206,9 @@ export default class NotificationsSettingsTab extends React.Component - {_t("All messages")} + {_t("notifications|all_messages")}
- {_t("Get notified for every message")} + {_t("notifications|all_messages_description")}
), @@ -218,10 +218,10 @@ export default class NotificationsSettingsTab extends React.Component - {_t("@mentions & keywords")} + {_t("notifications|mentions_and_keywords")}
{_t( - "Get notified only with mentions and keywords as set up in your settings", + "notifications|mentions_and_keywords_description", {}, { a: (sub) => ( @@ -245,7 +245,7 @@ export default class NotificationsSettingsTab extends React.Component {_t("common|off")}
- {_t("You won't get any notifications")} + {_t("notifications|mute_description")}
), @@ -256,11 +256,12 @@ export default class NotificationsSettingsTab extends React.Component
- +
- {_t("Notification sound")}: {this.state.currentSound} + {_t("room_settings|notifications|notification_sound")}:{" "} + {this.state.currentSound}
-

{_t("Set a new custom sound")}

+

{_t("room_settings|notifications|custom_sound_prompt")}

@@ -295,7 +296,7 @@ export default class NotificationsSettingsTab extends React.Component - {_t("Browse")} + {_t("room_settings|notifications|browse_button")} = ({ roomMember }) => {

{shouldTruncate && ( setSeeMore(!seeMore)}> - {seeMore ? _t("See less") : _t("See more")} + {seeMore ? _t("room_settings|people|see_less") : _t("room_settings|people|see_more")} )} @@ -151,7 +151,7 @@ export const PeopleRoomSettingsTab: VFC<{ room: Room }> = ({ room }) => { return ( - + {knockMembers.length ? ( knockMembers.map((knockMember) => ( = ({ room }) => { /> )) ) : ( -

{_t("No requests")}

+

{_t("room_settings|people|knock_empty")}

)}
diff --git a/src/components/views/settings/tabs/room/RolesRoomSettingsTab.tsx b/src/components/views/settings/tabs/room/RolesRoomSettingsTab.tsx index 64f19f122c..7bce2ccb17 100644 --- a/src/components/views/settings/tabs/room/RolesRoomSettingsTab.tsx +++ b/src/components/views/settings/tabs/room/RolesRoomSettingsTab.tsx @@ -95,7 +95,7 @@ export class BannedUser extends React.Component { logger.error("Failed to unban: " + err); Modal.createDialog(ErrorDialog, { title: _t("common|error"), - description: _t("Failed to unban"), + description: _t("room_settings|permissions|error_unbanning"), }); }); }; @@ -119,9 +119,11 @@ export class BannedUser extends React.Component { return (
  • {unbanButton} - + {this.props.member.name} {userId} - {this.props.reason ? " " + _t("Reason") + ": " + this.props.reason : ""} + {this.props.reason + ? " " + _t("room_settings|permissions|ban_reason") + ": " + this.props.reason + : ""}
  • ); @@ -205,10 +207,8 @@ export default class RolesRoomSettingsTab extends React.Component { logger.error(e); Modal.createDialog(ErrorDialog, { - title: _t("Error changing power level requirement"), - description: _t( - "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.", - ), + title: _t("room_settings|permissions|error_changing_pl_reqs_title"), + description: _t("room_settings|permissions|error_changing_pl_reqs_description"), }); }); }; @@ -230,10 +230,8 @@ export default class RolesRoomSettingsTab extends React.Component { logger.error(e); Modal.createDialog(ErrorDialog, { - title: _t("Error changing power level"), - description: _t( - "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.", - ), + title: _t("room_settings|permissions|error_changing_pl_title"), + description: _t("room_settings|permissions|error_changing_pl_description"), }); }); }; diff --git a/src/components/views/settings/tabs/room/SecurityRoomSettingsTab.tsx b/src/components/views/settings/tabs/room/SecurityRoomSettingsTab.tsx index 253720a03a..bc573ec839 100644 --- a/src/components/views/settings/tabs/room/SecurityRoomSettingsTab.tsx +++ b/src/components/views/settings/tabs/room/SecurityRoomSettingsTab.tsx @@ -301,8 +301,8 @@ export default class SecurityRoomSettingsTab extends React.Component { Modal.createDialog(ErrorDialog, { - title: _t("Failed to update the join rules"), - description: error.message ?? _t("Unknown failure"), + title: _t("room_settings|security|error_join_rule_change_title"), + description: error.message ?? _t("room_settings|security|error_join_rule_change_unknown"), }); }; diff --git a/src/components/views/settings/tabs/room/VoipRoomSettingsTab.tsx b/src/components/views/settings/tabs/room/VoipRoomSettingsTab.tsx index 212a18364f..734f4b6adf 100644 --- a/src/components/views/settings/tabs/room/VoipRoomSettingsTab.tsx +++ b/src/components/views/settings/tabs/room/VoipRoomSettingsTab.tsx @@ -81,14 +81,14 @@ const ElementCallSwitch: React.FC = ({ room }) => { return ( ); }; @@ -100,8 +100,8 @@ interface Props { export const VoipRoomSettingsTab: React.FC = ({ room }) => { return ( - - + + diff --git a/src/components/views/settings/tabs/user/GeneralUserSettingsTab.tsx b/src/components/views/settings/tabs/user/GeneralUserSettingsTab.tsx index 7a20b12fac..40acfb31da 100644 --- a/src/components/views/settings/tabs/user/GeneralUserSettingsTab.tsx +++ b/src/components/views/settings/tabs/user/GeneralUserSettingsTab.tsx @@ -282,16 +282,16 @@ export default class GeneralUserSettingsTab extends React.Component { - const description = _t("Your password was successfully changed."); + const description = _t("settings|general|password_change_success"); // TODO: Figure out a design that doesn't involve replacing the current dialog Modal.createDialog(ErrorDialog, { title: _t("common|success"), @@ -346,7 +346,7 @@ export default class GeneralUserSettingsTab extends React.Component @@ -354,7 +354,7 @@ export default class GeneralUserSettingsTab extends React.Component @@ -368,7 +368,7 @@ export default class GeneralUserSettingsTab extends React.Component - {_t("Set a new account password…")} + {_t("settings|general|password_change_section")} {_t( - "Your account details are managed separately at %(hostname)s.", + "settings|general|external_account_management", { hostname }, { code: (sub) => {sub} }, )} @@ -457,10 +457,7 @@ export default class GeneralUserSettingsTab extends React.Component - {_t( - "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.", - { serverName: this.state.idServerName }, - )} + {_t("settings|general|discovery_needs_terms", { serverName: this.state.idServerName })} ); return ( @@ -504,14 +501,14 @@ export default class GeneralUserSettingsTab extends React.Component + - {_t("Deactivate Account")} + {_t("settings|general|deactivate_section")} @@ -549,7 +546,7 @@ export default class GeneralUserSettingsTab extends React.Component {discoWarning} - {_t("Discovery")} + {_t("settings|general|discovery_section")} ); discoverySection = ( diff --git a/src/components/views/settings/tabs/user/MjolnirUserSettingsTab.tsx b/src/components/views/settings/tabs/user/MjolnirUserSettingsTab.tsx index 700773f237..0b34532218 100644 --- a/src/components/views/settings/tabs/user/MjolnirUserSettingsTab.tsx +++ b/src/components/views/settings/tabs/user/MjolnirUserSettingsTab.tsx @@ -143,7 +143,7 @@ export default class MjolnirUserSettingsTab extends React.Component<{}, IState> const name = room ? room.name : list.roomId; const renderRules = (rules: ListRule[]): JSX.Element => { - if (rules.length === 0) return {_t("None")}; + if (rules.length === 0) return {_t("labs_mjolnir|rules_empty")}; const tiles: JSX.Element[] = []; for (const rule of rules) { diff --git a/src/components/views/settings/tabs/user/SecurityUserSettingsTab.tsx b/src/components/views/settings/tabs/user/SecurityUserSettingsTab.tsx index d5a3a24f4b..74511dfa4a 100644 --- a/src/components/views/settings/tabs/user/SecurityUserSettingsTab.tsx +++ b/src/components/views/settings/tabs/user/SecurityUserSettingsTab.tsx @@ -63,7 +63,7 @@ export class IgnoredUser extends React.Component { aria-describedby={id} disabled={this.props.inProgress} > - {_t("Unignore")} + {_t("action|unignore")}
    {this.props.userId}
    @@ -225,7 +225,7 @@ export default class SecurityUserSettingsTab extends React.Component { return ( + {userIds} ); @@ -301,9 +301,7 @@ export default class SecurityUserSettingsTab extends React.Component - {_t( - "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.", - )} + {_t("settings|security|e2ee_default_disabled_warning")}
    ); } @@ -320,9 +318,7 @@ export default class SecurityUserSettingsTab extends React.Component {_t("action|learn_more")} diff --git a/src/components/views/settings/tabs/user/SessionManagerTab.tsx b/src/components/views/settings/tabs/user/SessionManagerTab.tsx index 5db27f143a..cc88cb27e8 100644 --- a/src/components/views/settings/tabs/user/SessionManagerTab.tsx +++ b/src/components/views/settings/tabs/user/SessionManagerTab.tsx @@ -14,7 +14,7 @@ See the License for the specific language governing permissions and limitations under the License. */ -import React, { useCallback, useContext, useEffect, useRef, useState } from "react"; +import React, { useCallback, useContext, useEffect, useMemo, useRef, useState } from "react"; import { MatrixClient } from "matrix-js-sdk/src/matrix"; import { logger } from "matrix-js-sdk/src/logger"; @@ -180,6 +180,7 @@ const SessionManagerTab: React.FC = () => { const currentUserMember = (userId && matrixClient?.getUser(userId)) || undefined; const clientVersions = useAsyncMemo(() => matrixClient.getVersions(), [matrixClient]); const capabilities = useAsyncMemo(async () => matrixClient?.getCapabilities(), [matrixClient]); + const wellKnown = useMemo(() => matrixClient?.getClientWellKnown(), [matrixClient]); const onDeviceExpandToggle = (deviceId: ExtendedDevice["device_id"]): void => { if (expandedDeviceIds.includes(deviceId)) { @@ -302,9 +303,7 @@ const SessionManagerTab: React.FC = () => { disabled={!!signingOutDeviceIds.length} /> } - description={_t( - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.", - )} + description={_t("settings|sessions|best_security_note")} data-testid="other-sessions-section" stretchContent > @@ -331,7 +330,12 @@ const SessionManagerTab: React.FC = () => { /> )} - + ); diff --git a/src/components/views/settings/tabs/user/SidebarUserSettingsTab.tsx b/src/components/views/settings/tabs/user/SidebarUserSettingsTab.tsx index 5c1d3af878..4d6cf9a40f 100644 --- a/src/components/views/settings/tabs/user/SidebarUserSettingsTab.tsx +++ b/src/components/views/settings/tabs/user/SidebarUserSettingsTab.tsx @@ -67,9 +67,7 @@ const SidebarUserSettingsTab: React.FC = () => { { if (!this.state.mediaDevices) { requestButton = (
    -

    {_t("Missing media permissions, click the button below to request.")}

    +

    {_t("settings|voip|missing_permissions_prompt")}

    - {_t("Request media permissions")} + {_t("settings|voip|request_permissions")}
    ); } else if (this.state.mediaDevices) { - speakerDropdown = this.renderDropdown(MediaDeviceKindEnum.AudioOutput, _t("Audio Output")) || ( -

    {_t("No Audio Outputs detected")}

    - ); + speakerDropdown = this.renderDropdown( + MediaDeviceKindEnum.AudioOutput, + _t("settings|voip|audio_output"), + ) ||

    {_t("settings|voip|audio_output_empty")}

    ; microphoneDropdown = this.renderDropdown(MediaDeviceKindEnum.AudioInput, _t("common|microphone")) || ( -

    {_t("No Microphones detected")}

    +

    {_t("settings|voip|audio_input_empty")}

    ); webcamDropdown = this.renderDropdown(MediaDeviceKindEnum.VideoInput, _t("common|camera")) || ( -

    {_t("No Webcams detected")}

    +

    {_t("settings|voip|video_input_empty")}

    ); } return ( - + {requestButton} - + {speakerDropdown} {microphoneDropdown} { await MediaDeviceHandler.setAudioAutoGainControl(v); this.setState({ audioAutoGainControl: MediaDeviceHandler.getAudioAutoGainControl() }); }} - label={_t("Automatically adjust the microphone volume")} + label={_t("settings|voip|voice_agc")} data-testid="voice-auto-gain" /> - + {webcamDropdown} - + => { @@ -221,7 +222,7 @@ export default class VoiceUserSettingsTab extends React.Component<{}, IState> { data-testid="voice-echo-cancellation" /> - + = ({ matrixClient: cli, space let addressesSection: JSX.Element | undefined; if (space.getJoinRule() === JoinRule.Public) { addressesSection = ( - + room?.name || oobName * @returns {string} the room name */ export function useRoomName(room?: Room, oobData?: IOOBData): string { - let oobName = _t("Unnamed room"); + let oobName = _t("common|unnamed_room"); if (oobData && oobData.name) { oobName = oobData.name; } diff --git a/src/i18n/strings/ar.json b/src/i18n/strings/ar.json index 03efca5186..b88315f8ab 100644 --- a/src/i18n/strings/ar.json +++ b/src/i18n/strings/ar.json @@ -1,13 +1,10 @@ { "Create new room": "إنشاء غرفة جديدة", - "Failed to change password. Is your password correct?": "فشلت عملية تعديل الكلمة السرية. هل كلمتك السرية صحيحة ؟", "Send": "إرسال", "Unavailable": "غير متوفر", "All Rooms": "كل الغُرف", - "All messages": "كل الرسائل", "Changelog": "سِجل التغييرات", "Thank you!": "شكرًا !", - "Permission Required": "التصريح مطلوب", "Sun": "الأحد", "Mon": "الإثنين", "Tue": "الثلاثاء", @@ -33,11 +30,9 @@ "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s، ‏%(day)s %(monthName)s %(fullYear)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s، ‏%(day)s %(monthName)s %(fullYear)s ‏%(time)s", - "Default": "المبدئي", "Restricted": "مقيد", "Moderator": "مشرف", "Logs sent": "تم ارسال سجل الاحداث", - "Reason": "السبب", "You signed in to a new session without verifying it:": "قمت بتسجيل الدخول لجلسة جديدة من غير التحقق منها:", "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 تم تسجيل الدخول لجلسة جديدة من غير التحقق منها:", @@ -137,105 +132,28 @@ "This room is running room version , which this homeserver has marked as unstable.": "هذه الغرفة تشغل إصدار الغرفة ، والذي عده الخادم الوسيط هذا بأنه غير مستقر .", "This room has already been upgraded.": "سبق وأن تمت ترقية هذه الغرفة.", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "ستؤدي ترقية هذه الغرفة إلى إغلاق النسخة الحالية للغرفة وإنشاء غرفة تمت ترقيتها بنفس الاسم.", - "Room options": "خيارات الغرفة", - "%(roomName)s is not accessible at this time.": "لا يمكن الوصول إلى %(roomName)s في الوقت الحالي.", - "%(roomName)s does not exist.": "الغرفة %(roomName)s ليست موجودة.", - "%(roomName)s can't be previewed. Do you want to join it?": "لا يمكن معاينة %(roomName)s. هل تريد الانضمام إليها؟", - "You're previewing %(roomName)s. Want to join it?": "أنت تعاين %(roomName)s. تريد الانضمام إليها؟", - "Reject & Ignore user": "رفض الدعوة وتجاهل الداعي", - " invited you": " دعاك", - "Do you want to join %(roomName)s?": "هل تريد أن تنضم إلى %(roomName)s؟", - "Start chatting": "ابدأ المحادثة", - " wants to chat": " يريد محادثتك", - "Do you want to chat with %(user)s?": "هل تريد محادثة %(user)s؟", - "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.", - "This invite to %(roomName)s was sent to %(email)s": "الدعوة إلى %(roomName)s أرسلت إلى %(email)s", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "اربط هذا البريد الإلكتروني بحسابك في الإعدادات لتلقي الدعوات مباشرةً في%(brand)s.", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "تم إرسال الدعوة إلى %(roomName)s إلى %(email)s الذي لا يرتبط بحسابك", - "Join the discussion": "انضم للنقاش", - "Try to join anyway": "حاول الانضمام على أي حال", - "You can only join it with a working invite.": "لا يمكن الإنضمام إليها إلا بدعوة صالحة.", "unknown error code": "رمز خطأٍ غير معروف", - "Something went wrong with your invite to %(roomName)s": "حدث خطأ في دعوتك إلى %(roomName)s", - "You were banned from %(roomName)s by %(memberName)s": "لقد حُظِرت من غرفة %(roomName)s من قِبَل %(memberName)s", - "Re-join": "أعِد الانضمام", - "Forget this room": "انسَ هذه الغرفة", - "Reason: %(reason)s": "السبب: %(reason)s", - "Sign Up": "سجل", - "Join the conversation with an account": "انضم للمحادثة بحساب", - "Historical": "تاريخي", - "Low priority": "أولوية منخفضة", - "Explore public rooms": "استكشف الغرف العامة", - "Add room": "أضف غرفة", - "Rooms": "الغرف", - "Show Widgets": "إظهار عناصر الواجهة", - "Hide Widgets": "إخفاء عناصر الواجهة", - "Forget room": "انسَ الغرفة", "Join Room": "انضم للغرفة", "(~%(count)s results)": { "one": "(~%(count)s نتيجة)", "other": "(~%(count)s نتائج)" }, "Unnamed room": "غرفة بلا اسم", - "No recently visited rooms": "لا توجد غرف تمت زيارتها مؤخرًا", - "Room %(name)s": "الغرفة %(name)s", - "Replying": "الرد", "%(duration)sd": "%(duration)sي", "%(duration)sh": "%(duration)sس", "%(duration)sm": "%(duration)sد", "%(duration)ss": "%(duration)sث", - "Italics": "مائل", - "You do not have permission to post to this room": "ليس لديك إذن للنشر في هذه الغرفة", - "This room has been replaced and is no longer active.": "تم استبدال هذه الغرفة ولم تعد نشطة.", - "The conversation continues here.": "تستمر المحادثة هنا.", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (قوة %(powerLevelNumber)s)", - "Filter room members": "تصفية أعضاء الغرفة", - "Invited": "مدعو", - "Invite to this room": "ادع لهذه الغرفة", "and %(count)s others...": { "one": "وواحدة أخرى...", "other": "و %(count)s أخر..." }, - "Close preview": "إغلاق المعاينة", "Scroll to most recent messages": "انتقل إلى أحدث الرسائل", "The authenticity of this encrypted message can't be guaranteed on this device.": "لا يمكن ضمان موثوقية هذه الرسالة المشفرة على هذا الجهاز.", "Encrypted by a deleted session": "مشفرة باتصال محذوف", "Unencrypted": "غير مشفر", "Encrypted by an unverified session": "مشفرة باتصال لم يتم التحقق منه", - "Ignored users": "المستخدمون المتجاهَلون", - "None": "لا شيء", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "للإبلاغ عن مشكلة أمنية متعلقة بMatrix ، يرجى قراءة سياسة الإفصاح الأمني في Matrix.org.", - "Discovery": "الاكتشاف", "Deactivate account": "تعطيل الحساب", - "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 لتكون قابلاً للاكتشاف عن طريق عنوان البريد الإلكتروني أو رقم الهاتف.", - "Phone numbers": "أرقام الهواتف", - "Email addresses": "عنوان البريد الإلكتروني", - "Manage integrations": "إدارة التكاملات", - "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.": "استخدام خادم الهوية اختياري. إذا اخترت عدم استخدام خادم هوية ، فلن يتمكن المستخدمون الآخرون من اكتشافك ولن تتمكن من دعوة الآخرين عبر البريد الإلكتروني أو الهاتف.", - "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.": "أنت لا تستخدم حاليًا خادم هوية. لاكتشاف جهات الاتصال الحالية التي تعرفها وتكون قابلاً للاكتشاف ، أضف واحداً أدناه.", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "إذا كنت لا تريد استخدام لاكتشاف جهات الاتصال الموجودة التي تعرفها وتكون قابلاً للاكتشاف ، فأدخل خادم هوية آخر أدناه.", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "أنت تستخدم حاليًا لاكتشاف جهات الاتصال الحالية التي تعرفها وتجعل نفسك قابلاً للاكتشاف. يمكنك تغيير خادم الهوية الخاص بك أدناه.", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "نوصي بإزالة عناوين البريد الإلكتروني وأرقام الهواتف من خادم الهوية قبل قطع الاتصال.", - "You are still sharing your personal data on the identity server .": "لا زالت بياناتك الشخصية مشاعة على خادم الهوية .", - "Disconnect anyway": "افصل على أي حال", - "wait and try again later": "انتظر وعاوِد لاحقًا", - "contact the administrators of identity server ": "اتصل بمديري خادم الهوية ", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "تحقق من المكونات الإضافية للمتصفح الخاص بك بحثًا عن أي شيء قد يحظر خادم الهوية (مثل Privacy Badger)", - "You should:": "يجب عليك:", - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "لابد من محو بيانات الشخصية من خادم الهوية قبل الانفصال. لسوء الحظ ، خادم الهوية حاليًّا خارج الشبكة أو لا يمكن الوصول إليه.", - "Disconnect from the identity server ?": "انفصل عن خادم الهوية ؟", - "Disconnect identity server": "افصل خادم الهوية", - "The identity server you have chosen does not have any terms of service.": "خادم الهوية الذي اخترت ليس له شروط خدمة.", - "Terms of service not accepted or the identity server is invalid.": "شروط الخدمة لم تُقبل أو أن خادم الهوية مردود.", - "Disconnect from the identity server and connect to instead?": "انفصل عن خادم الهوية واتصل بآخر بدلاً منه؟", - "Change identity server": "تغيير خادم الهوية", - "Checking server": "فحص خادم", "Back up your keys before signing out to avoid losing them.": "أضف مفاتيحك للاحتياطي قبل تسجيل الخروج لتتجنب ضياعها.", "Backup version:": "نسخة الاحتياطي:", "This backup is trusted because it has been restored on this session": "هذا الاحتياطي موثوق به لأنه تمت استعادته في هذا الاتصال", @@ -304,8 +222,6 @@ "Room avatar": "صورة الغرفة", "Room Topic": "موضوع الغرفة", "Room Name": "اسم الغرفة", - "Failed to set display name": "تعذر تعيين الاسم الظاهر", - "Authentication": "المصادقة", "Set up": "تأسيس", "Warning!": "إنذار!", "Show more": "أظهر أكثر", @@ -319,53 +235,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.": "هذا المستخدم لم يتحقق من جميع اتصالاته.", - "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؟", - "Email Address": "عنوان بريد الكتروني", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "لقد أرسلنا إليك بريدًا إلكترونيًا للتحقق من عنوانك. يرجى اتباع التعليمات الموجودة هناك ثم نقر الزر أدناه.", - "Unable to add email address": "تعذرت إضافة عنوان البريد الإلكتروني", - "This doesn't appear to be a valid email address": "لا يبدو عنوان البريد الإلكتروني هذا صالحاً", - "Invalid Email Address": "عنوان البريد الإلكتروني غير صالح", - "Remove %(email)s?": "حذف %(email)s؟", - "Unable to remove contact information": "غير قادر على إزالة معلومات التواصل", - "Discovery options will appear once you have added a phone number above.": "ستظهر خيارات الاكتشاف بمجرد إضافة رقم هاتف أعلاه.", - "Verification code": "رمز التحقق", - "Please enter verification code sent via text.": "الرجاء إدخال رمز التحقق المرسل عبر النص.", - "Incorrect verification code": "رمز التحقق غير صحيح", - "Unable to verify phone number.": "تعذر التحقق من رقم الهاتف.", - "Unable to share phone number": "تعذرت مشاركة رقم الهاتف", - "Unable to revoke sharing for phone number": "تعذر إبطال مشاركة رقم الهاتف", - "Discovery options will appear once you have added an email above.": "ستظهر خيارات الاكتشاف بمجرد إضافة بريد إلكتروني أعلاه.", - "Verify the link in your inbox": "تحقق من الرابط في بريدك الوارد", - "Unable to verify email address.": "تعذر التحقق من عنوان البريد الإلكتروني.", - "Click the link in the email you received to verify and then click continue again.": "انقر الرابط الواصل لبريدك الإلكتروني للتحقق ثم انقر \"متابعة\" مرة أخرى.", - "Your email address hasn't been verified yet": "لم يتم التحقق من عنوان بريدك الإلكتروني حتى الآن", - "Unable to share email address": "تعذرت مشاركة البريد الإلتكروني", - "Unable to revoke sharing for email address": "تعذر إبطال مشاركة عنوان البريد الإلكتروني", - "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.": "تعذر تغيير مستوى قوة الغرفة. تأكد من أن لديك صلاحيات كافية وحاول مرة أخرى.", - "Error changing power level requirement": "تعذر تغيير متطلبات مستوى القوة", - "Banned by %(displayName)s": "حظره %(displayName)s", - "Failed to unban": "تعذر فك الحظر", - "Browse": "تصفح", - "Set a new custom sound": "تعيين صوت مخصص جديد", - "Notification sound": "صوت الإشعار", - "Sounds": "الأصوات", - "Uploaded sound": "صوت تمام الرفع", - "Room Addresses": "عناوين الغرف", - "Bridges": "الجسور", - "This room is bridging messages to the following platforms. Learn more.": "تعمل هذه الغرفة على توصيل الرسائل بالمنصات التالية. اعرف المزيد. ", - "Room information": "معلومات الغرفة", - "Voice & Video": "الصوت والفيديو", - "Audio Output": "مخرج الصوت", - "No Webcams detected": "لم يتم الكشف عن كاميرات الويب", - "No Microphones detected": "لم يتم الكشف عن أجهزة ميكروفون", - "No Audio Outputs detected": "لم يتم الكشف عن مخرجات الصوت", - "Request media permissions": "اطلب الإذن للوسائط", - "Missing media permissions, click the button below to request.": "إذن الوسائط مفقود ، انقر الزر أدناه لطلب الإذن.", - "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "قام مسؤول الخادم بتعطيل التشفير من طرف إلى طرف أصلاً في الغرف الخاصة والرسائل الخاصّة.", "Ok": "حسنا", "Your homeserver has exceeded one of its resource limits.": "لقد تجاوز خادمك أحد حدود موارده.", "Your homeserver has exceeded its user limit.": "لقد تجاوز خادمك حد عدد المستخدمين.", @@ -428,14 +297,6 @@ "American Samoa": "ساموا الأمريكية", "Algeria": "الجزائر", "Åland Islands": "جزر آلاند", - "Explore rooms": "استكشِف الغرف", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "يتلقى مديرو التكامل بيانات الضبط، ويمكنهم تعديل عناصر واجهة المستخدم، وإرسال دعوات الغرف، وتعيين مستويات القوة نيابة عنك.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "استخدم مدير التكامل لإدارة البوتات وعناصر الواجهة وحزم الملصقات.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "استخدم مدير التكامل (%(serverName)s) لإدارة البوتات وعناصر الواجهة وحزم الملصقات.", - "Identity server (%(server)s)": "خادوم الهوية (%(server)s)", - "Could not connect to identity server": "تعذر الاتصال بخادوم الهوية", - "Not a valid identity server (status code %(code)s)": "ليس خادوم هوية صالح (رمز الحالة %(code)s)", - "Identity server URL must be HTTPS": "يجب أن يستعمل رابط (URL) خادوم الهوية ميفاق HTTPS", "Paraguay": "باراغواي", "Netherlands": "هولندا", "Greece": "اليونان", @@ -585,7 +446,11 @@ "general": "عام", "profile": "الملف الشخصي", "display_name": "الاسم الظاهر", - "user_avatar": "الصورة الشخصية" + "user_avatar": "الصورة الشخصية", + "authentication": "المصادقة", + "rooms": "الغرف", + "low_priority": "أولوية منخفضة", + "historical": "تاريخي" }, "action": { "continue": "واصِل", @@ -640,7 +505,9 @@ "review": "مراجعة", "manage": "إدارة", "mention": "إشارة", - "unban": "فك الحظر" + "unban": "فك الحظر", + "explore_rooms": "استكشِف الغرف", + "explore_public_rooms": "استكشف الغرف العامة" }, "labs": { "pinning": "تثبيت الرسالة", @@ -669,7 +536,13 @@ "placeholder_reply_encrypted": "أرسل جواباً مشفراً …", "placeholder_reply": "أرسل جواباً …", "placeholder_encrypted": "أرسل رسالة مشفرة …", - "placeholder": "أرسل رسالة …" + "placeholder": "أرسل رسالة …", + "room_upgraded_link": "تستمر المحادثة هنا.", + "room_upgraded_notice": "تم استبدال هذه الغرفة ولم تعد نشطة.", + "no_perms_notice": "ليس لديك إذن للنشر في هذه الغرفة", + "poll_button_no_perms_title": "التصريح مطلوب", + "format_italics": "مائل", + "replying_title": "الرد" }, "power_level": { "default": "المبدئي", @@ -755,7 +628,14 @@ "inline_url_previews_room_account": "تمكين معاينة الروابط لهذه الغرفة (يؤثر عليك فقط)", "inline_url_previews_room": "تمكين معاينة الروابط أصلاً لأي مشارك في هذه الغرفة", "voip": { - "mirror_local_feed": "محاكاة تغذية الفيديو المحلية" + "mirror_local_feed": "محاكاة تغذية الفيديو المحلية", + "missing_permissions_prompt": "إذن الوسائط مفقود ، انقر الزر أدناه لطلب الإذن.", + "request_permissions": "اطلب الإذن للوسائط", + "audio_output": "مخرج الصوت", + "audio_output_empty": "لم يتم الكشف عن مخرجات الصوت", + "audio_input_empty": "لم يتم الكشف عن أجهزة ميكروفون", + "video_input_empty": "لم يتم الكشف عن كاميرات الويب", + "title": "الصوت والفيديو" }, "security": { "send_analytics": "إرسال بيانات التحليلات", @@ -808,7 +688,10 @@ "key_backup_connect": "اربط هذا الاتصال باحتياطي مفتاح", "key_backup_complete": "جميع المفاتيح منسوخة في الاحتياطي", "key_backup_algorithm": "الخوارزمية:", - "key_backup_inactive_warning": "مفاتيحك لا احتياطيَّ لها من هذا الاتصال." + "key_backup_inactive_warning": "مفاتيحك لا احتياطيَّ لها من هذا الاتصال.", + "key_backup_active_version_none": "لا شيء", + "ignore_users_section": "المستخدمون المتجاهَلون", + "e2ee_default_disabled_warning": "قام مسؤول الخادم بتعطيل التشفير من طرف إلى طرف أصلاً في الغرف الخاصة والرسائل الخاصّة." }, "preferences": { "room_list_heading": "قائمة الغرفة", @@ -831,7 +714,39 @@ "add_msisdn_dialog_title": "أضِف رقم الهاتف", "name_placeholder": "لا اسم ظاهر", "error_saving_profile_title": "تعذر حفظ ملفك الشخصي", - "error_saving_profile": "تعذر إتمام العملية" + "error_saving_profile": "تعذر إتمام العملية", + "error_password_change_403": "فشلت عملية تعديل الكلمة السرية. هل كلمتك السرية صحيحة ؟", + "emails_heading": "عنوان البريد الإلكتروني", + "msisdns_heading": "أرقام الهواتف", + "discovery_needs_terms": "وافق على شروط خدمة خادم الهوية %(serverName)s لتكون قابلاً للاكتشاف عن طريق عنوان البريد الإلكتروني أو رقم الهاتف.", + "deactivate_section": "تعطيل الحساب", + "account_management_section": "إدارة الحساب", + "discovery_section": "الاكتشاف", + "error_revoke_email_discovery": "تعذر إبطال مشاركة عنوان البريد الإلكتروني", + "error_share_email_discovery": "تعذرت مشاركة البريد الإلتكروني", + "email_not_verified": "لم يتم التحقق من عنوان بريدك الإلكتروني حتى الآن", + "email_verification_instructions": "انقر الرابط الواصل لبريدك الإلكتروني للتحقق ثم انقر \"متابعة\" مرة أخرى.", + "error_email_verification": "تعذر التحقق من عنوان البريد الإلكتروني.", + "discovery_email_verification_instructions": "تحقق من الرابط في بريدك الوارد", + "discovery_email_empty": "ستظهر خيارات الاكتشاف بمجرد إضافة بريد إلكتروني أعلاه.", + "error_revoke_msisdn_discovery": "تعذر إبطال مشاركة رقم الهاتف", + "error_share_msisdn_discovery": "تعذرت مشاركة رقم الهاتف", + "error_msisdn_verification": "تعذر التحقق من رقم الهاتف.", + "incorrect_msisdn_verification": "رمز التحقق غير صحيح", + "msisdn_verification_instructions": "الرجاء إدخال رمز التحقق المرسل عبر النص.", + "msisdn_verification_field_label": "رمز التحقق", + "discovery_msisdn_empty": "ستظهر خيارات الاكتشاف بمجرد إضافة رقم هاتف أعلاه.", + "error_set_name": "تعذر تعيين الاسم الظاهر", + "error_remove_3pid": "غير قادر على إزالة معلومات التواصل", + "remove_email_prompt": "حذف %(email)s؟", + "error_invalid_email": "عنوان البريد الإلكتروني غير صالح", + "error_invalid_email_detail": "لا يبدو عنوان البريد الإلكتروني هذا صالحاً", + "error_add_email": "تعذرت إضافة عنوان البريد الإلكتروني", + "add_email_instructions": "لقد أرسلنا إليك بريدًا إلكترونيًا للتحقق من عنوانك. يرجى اتباع التعليمات الموجودة هناك ثم نقر الزر أدناه.", + "email_address_label": "عنوان بريد الكتروني", + "remove_msisdn_prompt": "حذف %(phone)s؟", + "add_msisdn_instructions": "تم إرسال رسالة نصية إلى +%(msisdn)s. الرجاء إدخال رمز التحقق الذي فيها.", + "msisdn_label": "رقم الهاتف" } }, "devtools": { @@ -969,6 +884,9 @@ "lightbox_title": "%(senderDisplayName)s غير صورة الغرفة %(roomName)s", "removed": "%(senderDisplayName)s حذف صورة الغرفة.", "changed_img": "%(senderDisplayName)s غير صورة الغرفة إلى " + }, + "url_preview": { + "close": "إغلاق المعاينة" } }, "slash_command": { @@ -1132,7 +1050,14 @@ "send_event_type": "إرسال أحداث من نوع %(eventType)s", "title": "الأدوار والصلاحيات", "permissions_section": "الصلاحيات", - "permissions_section_description_room": "حدد الأدوار المطلوبة لتغيير أجزاء مختلفة من الغرفة" + "permissions_section_description_room": "حدد الأدوار المطلوبة لتغيير أجزاء مختلفة من الغرفة", + "error_unbanning": "تعذر فك الحظر", + "banned_by": "حظره %(displayName)s", + "ban_reason": "السبب", + "error_changing_pl_reqs_title": "تعذر تغيير متطلبات مستوى القوة", + "error_changing_pl_reqs_description": "تعذر تغيير مستوى قوة الغرفة. تأكد من أن لديك صلاحيات كافية وحاول مرة أخرى.", + "error_changing_pl_title": "تعذر تغيير مستوى القوة", + "error_changing_pl_description": "تعذر تغيير مستوى قوة المستخدم. تأكد من أن لديك صلاحيات كافية وحاول مرة أخرى." }, "security": { "strict_encryption": "لا ترسل أبدًا رسائل مشفرة إلى اتصالات التي لم يتم التحقق منها في هذه الغرفة من هذا الاتصال", @@ -1157,14 +1082,28 @@ "default_url_previews_off": "معاينات URL معطلة بشكل أصلي للمشاركين في هذه الغرفة.", "url_preview_encryption_warning": "في الغرف المشفرة ، مثل هذه الغرفة ، يتم تعطيل معاينات URL أصلاً للتأكد من أن خادمك الوسيط (حيث يتم إنشاء المعاينات) لا يمكنه جمع معلومات حول الروابط التي تراها في هذه الغرفة.", "url_preview_explainer": "عندما يضع شخص ما عنوان URL في رسالته ، يمكن عرض معاينة عنوان URL لإعطاء مزيد من المعلومات حول هذا الرابط مثل العنوان والوصف وصورة من موقع الويب.", - "url_previews_section": "معاينة الروابط" + "url_previews_section": "معاينة الروابط", + "aliases_section": "عناوين الغرف", + "other_section": "أخرى" }, "advanced": { "unfederated": "لا يمكن الوصول إلى هذه الغرفة بواسطة خوادم Matrix البعيدة", "room_upgrade_button": "قم بترقية هذه الغرفة إلى إصدار الغرفة الموصى به", "room_predecessor": "عرض رسائل أقدم في %(roomName)s.", "room_version_section": "إصدار الغرفة", - "room_version": "إصدار الغرفة:" + "room_version": "إصدار الغرفة:", + "information_section_room": "معلومات الغرفة" + }, + "bridges": { + "description": "تعمل هذه الغرفة على توصيل الرسائل بالمنصات التالية. اعرف المزيد. ", + "title": "الجسور" + }, + "notifications": { + "uploaded_sound": "صوت تمام الرفع", + "sounds_section": "الأصوات", + "notification_sound": "صوت الإشعار", + "custom_sound_prompt": "تعيين صوت مخصص جديد", + "browse_button": "تصفح" } }, "encryption": { @@ -1258,7 +1197,9 @@ "other": "أظهر %(count)s زيادة" }, "show_less": "أظهر أقل", - "notification_options": "خيارات الإشعارات" + "notification_options": "خيارات الإشعارات", + "breadcrumbs_empty": "لا توجد غرف تمت زيارتها مؤخرًا", + "add_room_label": "أضف غرفة" }, "a11y": { "n_unread_messages_mentions": { @@ -1270,7 +1211,8 @@ "other": "%(count)s من الرسائل غير مقروءة." }, "unread_messages": "رسائل غير المقروءة.", - "jump_first_invite": "الانتقال لأول دعوة." + "jump_first_invite": "الانتقال لأول دعوة.", + "room_name": "الغرفة %(name)s" }, "setting": { "help_about": { @@ -1421,7 +1363,8 @@ "lists_heading": "قوائم متشرك بها", "lists_description_1": "سيؤدي الاشتراك في قائمة الحظر إلى انضمامك إليها!", "lists_description_2": "إذا لم يكن هذا ما تريده ، فيرجى استخدام أداة مختلفة لتجاهل المستخدمين.", - "lists_new_label": "معرف الغرفة أو عنوان قائمة الحظر" + "lists_new_label": "معرف الغرفة أو عنوان قائمة الحظر", + "rules_empty": "لا شيء" }, "room": { "drop_file_prompt": "قم بإسقاط الملف هنا ليُرفَع", @@ -1443,8 +1386,40 @@ "unfavourite": "فُضلت", "favourite": "تفضيل", "low_priority": "أولوية منخفضة", - "forget": "انسَ الغرفة" - } + "forget": "انسَ الغرفة", + "title": "خيارات الغرفة" + }, + "invite_this_room": "ادع لهذه الغرفة", + "header": { + "forget_room_button": "انسَ الغرفة", + "hide_widgets_button": "إخفاء عناصر الواجهة", + "show_widgets_button": "إظهار عناصر الواجهة" + }, + "join_title_account": "انضم للمحادثة بحساب", + "join_button_account": "سجل", + "kick_reason": "السبب: %(reason)s", + "forget_room": "انسَ هذه الغرفة", + "rejoin_button": "أعِد الانضمام", + "banned_from_room_by": "لقد حُظِرت من غرفة %(roomName)s من قِبَل %(memberName)s", + "3pid_invite_error_title_room": "حدث خطأ في دعوتك إلى %(roomName)s", + "3pid_invite_error_invite_subtitle": "لا يمكن الإنضمام إليها إلا بدعوة صالحة.", + "3pid_invite_error_invite_action": "حاول الانضمام على أي حال", + "join_the_discussion": "انضم للنقاش", + "3pid_invite_email_not_found_account_room": "تم إرسال الدعوة إلى %(roomName)s إلى %(email)s الذي لا يرتبط بحسابك", + "link_email_to_receive_3pid_invite": "اربط هذا البريد الإلكتروني بحسابك في الإعدادات لتلقي الدعوات مباشرةً في%(brand)s.", + "invite_sent_to_email_room": "الدعوة إلى %(roomName)s أرسلت إلى %(email)s", + "3pid_invite_no_is_subtitle": "استخدم خادم هوية في الإعدادات لتلقي الدعوات مباشرة في %(brand)s.", + "invite_email_mismatch_suggestion": "شارك هذا البريد الإلكتروني في الإعدادات لتلقي الدعوات مباشرةً في %(brand)s.", + "dm_invite_title": "هل تريد محادثة %(user)s؟", + "dm_invite_subtitle": " يريد محادثتك", + "dm_invite_action": "ابدأ المحادثة", + "invite_title": "هل تريد أن تنضم إلى %(roomName)s؟", + "invite_subtitle": " دعاك", + "invite_reject_ignore": "رفض الدعوة وتجاهل الداعي", + "peek_join_prompt": "أنت تعاين %(roomName)s. تريد الانضمام إليها؟", + "no_peek_join_prompt": "لا يمكن معاينة %(roomName)s. هل تريد الانضمام إليها؟", + "not_found_title_name": "الغرفة %(roomName)s ليست موجودة.", + "inaccessible_name": "لا يمكن الوصول إلى %(roomName)s في الوقت الحالي." }, "space": { "context_menu": { @@ -1502,7 +1477,9 @@ "colour_bold": "ثخين", "error_change_title": "تغيير إعدادات الإشعار", "mark_all_read": "أشر عليها بأنها قرأت", - "class_other": "أخرى" + "class_other": "أخرى", + "default": "المبدئي", + "all_messages": "كل الرسائل" }, "error": { "admin_contact_short": "تواصل مع مدير الخادم الخاص بك.", @@ -1522,6 +1499,43 @@ "a11y_jump_first_unread_room": "الانتقال لأول غرفة لم تقرأ.", "integration_manager": { "error_connecting_heading": "لا يمكن الاتصال بمدير التكامل", - "error_connecting": "مدري التكامل غير متصل بالإنرتنت أو لا يمكنه الوصول إلى خادمك الوسيط." + "error_connecting": "مدري التكامل غير متصل بالإنرتنت أو لا يمكنه الوصول إلى خادمك الوسيط.", + "use_im_default": "استخدم مدير التكامل (%(serverName)s) لإدارة البوتات وعناصر الواجهة وحزم الملصقات.", + "use_im": "استخدم مدير التكامل لإدارة البوتات وعناصر الواجهة وحزم الملصقات.", + "manage_title": "إدارة التكاملات", + "explainer": "يتلقى مديرو التكامل بيانات الضبط، ويمكنهم تعديل عناصر واجهة المستخدم، وإرسال دعوات الغرف، وتعيين مستويات القوة نيابة عنك." + }, + "identity_server": { + "url_not_https": "يجب أن يستعمل رابط (URL) خادوم الهوية ميفاق HTTPS", + "error_invalid": "ليس خادوم هوية صالح (رمز الحالة %(code)s)", + "error_connection": "تعذر الاتصال بخادوم الهوية", + "checking": "فحص خادم", + "change": "تغيير خادم الهوية", + "change_prompt": "انفصل عن خادم الهوية واتصل بآخر بدلاً منه؟", + "error_invalid_or_terms": "شروط الخدمة لم تُقبل أو أن خادم الهوية مردود.", + "no_terms": "خادم الهوية الذي اخترت ليس له شروط خدمة.", + "disconnect": "افصل خادم الهوية", + "disconnect_server": "انفصل عن خادم الهوية ؟", + "disconnect_offline_warning": "لابد من محو بيانات الشخصية من خادم الهوية قبل الانفصال. لسوء الحظ ، خادم الهوية حاليًّا خارج الشبكة أو لا يمكن الوصول إليه.", + "suggestions": "يجب عليك:", + "suggestions_1": "تحقق من المكونات الإضافية للمتصفح الخاص بك بحثًا عن أي شيء قد يحظر خادم الهوية (مثل Privacy Badger)", + "suggestions_2": "اتصل بمديري خادم الهوية ", + "suggestions_3": "انتظر وعاوِد لاحقًا", + "disconnect_anyway": "افصل على أي حال", + "disconnect_personal_data_warning_1": "لا زالت بياناتك الشخصية مشاعة على خادم الهوية .", + "disconnect_personal_data_warning_2": "نوصي بإزالة عناوين البريد الإلكتروني وأرقام الهواتف من خادم الهوية قبل قطع الاتصال.", + "url": "خادوم الهوية (%(server)s)", + "description_connected": "أنت تستخدم حاليًا لاكتشاف جهات الاتصال الحالية التي تعرفها وتجعل نفسك قابلاً للاكتشاف. يمكنك تغيير خادم الهوية الخاص بك أدناه.", + "change_server_prompt": "إذا كنت لا تريد استخدام لاكتشاف جهات الاتصال الموجودة التي تعرفها وتكون قابلاً للاكتشاف ، فأدخل خادم هوية آخر أدناه.", + "description_disconnected": "أنت لا تستخدم حاليًا خادم هوية. لاكتشاف جهات الاتصال الحالية التي تعرفها وتكون قابلاً للاكتشاف ، أضف واحداً أدناه.", + "disconnect_warning": "قطع الاتصال بخادم الهوية الخاص بك يعني أنك لن تكون قابلاً للاكتشاف من قبل المستخدمين الآخرين ولن تتمكن من دعوة الآخرين عبر البريد الإلكتروني أو الهاتف.", + "description_optional": "استخدام خادم الهوية اختياري. إذا اخترت عدم استخدام خادم هوية ، فلن يتمكن المستخدمون الآخرون من اكتشافك ولن تتمكن من دعوة الآخرين عبر البريد الإلكتروني أو الهاتف.", + "do_not_use": "لا تستخدم خادم هوية", + "url_field_label": "أدخل خادم هوية جديدًا" + }, + "member_list": { + "invited_list_heading": "مدعو", + "filter_placeholder": "تصفية أعضاء الغرفة", + "power_label": "%(userName)s (قوة %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/az.json b/src/i18n/strings/az.json index e68c487030..7c25e858bf 100644 --- a/src/i18n/strings/az.json +++ b/src/i18n/strings/az.json @@ -22,26 +22,12 @@ "%(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": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", - "Default": "Varsayılan olaraq", "Moderator": "Moderator", - "Reason": "Səbəb", - "Incorrect verification code": "Təsdiq etmənin səhv kodu", - "Authentication": "Müəyyənləşdirilmə", - "Failed to set display name": "Görünüş adını təyin etmək bacarmadı", "not specified": "qeyd edilmədi", "Failed to ban user": "İstifadəçini bloklamağı bacarmadı", "Failed to mute user": "İstifadəçini kəsməyi bacarmadı", "Are you sure?": "Siz əminsiniz?", - "Unignore": "Blokdan çıxarmaq", - "Invited": "Dəvət edilmişdir", - "Filter room members": "İştirakçılara görə axtarış", - "You do not have permission to post to this room": "Siz bu otağa yaza bilmirsiniz", "Join Room": "Otağa girmək", - "Forget room": "Otağı unutmaq", - "Low priority": "Əhəmiyyətsizlər", - "Historical": "Arxiv", - "Failed to unban": "Blokdan çıxarmağı bacarmadı", - "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", "Sunday": "Bazar", @@ -52,14 +38,9 @@ "Create new room": "Otağı yaratmaq", "Home": "Başlanğıc", "%(items)s and %(lastItem)s": "%(items)s və %(lastItem)s", - "Deactivate Account": "Hesabı bağlamaq", "An error has occurred.": "Səhv oldu.", - "Invalid Email Address": "Yanlış email", "Verification Pending": "Gözləmə təsdiq etmələr", "Please check your email and click on the link it contains. Once this is done, click continue.": "Öz elektron poçtunu yoxlayın və olan istinadı basın. Bundan sonra düyməni Davam etməyə basın.", - "Unable to add email address": "Email-i əlavə etməyə müvəffəq olmur", - "Unable to verify email address.": "Email-i yoxlamağı bacarmadı.", - "Failed to change password. Is your password correct?": "Şifrəni əvəz etməyi bacarmadı. Siz cari şifrə düzgün daxil etdiniz?", "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ı", @@ -68,18 +49,14 @@ "No more results": "Daha çox nəticə yoxdur", "Failed to reject invite": "Dəvəti rədd etməyi bacarmadı", "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ı", "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", - "Confirm passphrase": "Şifrəni təsdiqləyin", - "Permission Required": "İzn tələb olunur", "Send": "Göndər", "PM": "24:00", "AM": "12:00", "Restricted": "Məhduddur", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s", - "Explore rooms": "Otaqları kəşf edin", "common": { "analytics": "Analitik", "error": "Səhv", @@ -96,7 +73,10 @@ "identity_server": "Eyniləşdirmənin serveri", "on": "Qoşmaq", "advanced": "Təfərrüatlar", - "profile": "Profil" + "profile": "Profil", + "authentication": "Müəyyənləşdirilmə", + "low_priority": "Əhəmiyyətsizlər", + "historical": "Arxiv" }, "action": { "continue": "Davam etmək", @@ -114,7 +94,9 @@ "close": "Bağlamaq", "accept": "Qəbul etmək", "register": "Qeydiyyatdan keçmək", - "unban": "Blokdan çıxarmaq" + "unban": "Blokdan çıxarmaq", + "unignore": "Blokdan çıxarmaq", + "explore_rooms": "Otaqları kəşf edin" }, "keyboard": { "home": "Başlanğıc" @@ -155,7 +137,18 @@ "msisdn_in_use": "Bu telefon nömrəsi artıq istifadə olunur", "add_email_dialog_title": "Emal ünvan əlavə etmək", "add_email_failed_verification": "Email-i yoxlamağı bacarmadı: əmin olun ki, siz məktubda istinaddakı ünvana keçdiniz", - "add_msisdn_dialog_title": "Telefon nömrəsi əlavə etmək" + "add_msisdn_dialog_title": "Telefon nömrəsi əlavə etmək", + "error_password_change_403": "Şifrəni əvəz etməyi bacarmadı. Siz cari şifrə düzgün daxil etdiniz?", + "deactivate_section": "Hesabı bağlamaq", + "error_email_verification": "Email-i yoxlamağı bacarmadı.", + "incorrect_msisdn_verification": "Təsdiq etmənin səhv kodu", + "error_set_name": "Görünüş adını təyin etmək bacarmadı", + "error_remove_3pid": "Əlaqə məlumatlarının silməyi bacarmadı", + "error_invalid_email": "Yanlış email", + "error_add_email": "Email-i əlavə etməyə müvəffəq olmur" + }, + "key_export_import": { + "confirm_passphrase": "Şifrəni təsdiqləyin" } }, "timeline": { @@ -280,7 +273,9 @@ "autocomplete": { "command_description": "Komandalar", "user_description": "İstifadəçilər" - } + }, + "no_perms_notice": "Siz bu otağa yaza bilmirsiniz", + "poll_button_no_perms_title": "İzn tələb olunur" }, "space": { "context_menu": { @@ -291,12 +286,18 @@ "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ı" + "permissions_section": "Girişin hüquqları", + "error_unbanning": "Blokdan çıxarmağı bacarmadı", + "banned_by": "%(displayName)s bloklanıb", + "ban_reason": "Səbəb" }, "security": { "history_visibility_legend": "Kim tarixi oxuya bilər?" }, - "upload_avatar_label": "Avatar-ı yükləmək" + "upload_avatar_label": "Avatar-ı yükləmək", + "general": { + "other_section": "Digər" + } }, "failed_load_async_component": "Yükləmək olmur! Şəbəkə bağlantınızı yoxlayın və yenidən cəhd edin.", "upload_failed_generic": "'%(fileName)s' faylı yüklənə bilmədi.", @@ -337,16 +338,24 @@ "upgrade_error_description": "Serverinizin seçilmiş otaq versiyasını dəstəklədiyini bir daha yoxlayın və yenidən cəhd edin.", "context_menu": { "favourite": "Seçilmiş" + }, + "header": { + "forget_room_button": "Otağı unutmaq" } }, "notifications": { "enable_prompt_toast_title": "Xəbərdarlıqlar", - "class_other": "Digər" + "class_other": "Digər", + "default": "Varsayılan olaraq" }, "encryption": { "not_supported": "" }, "error": { "update_power_level": "Hüquqların səviyyəsini dəyişdirməyi bacarmadı" + }, + "member_list": { + "invited_list_heading": "Dəvət edilmişdir", + "filter_placeholder": "İştirakçılara görə axtarış" } } diff --git a/src/i18n/strings/be.json b/src/i18n/strings/be.json index 43a0f867bf..28b63e2808 100644 --- a/src/i18n/strings/be.json +++ b/src/i18n/strings/be.json @@ -1,7 +1,5 @@ { "Failed to forget room %(errCode)s": "Не атрымалася забыць пакой %(errCode)s", - "All messages": "Усе паведамленні", - "Invite to this room": "Запрасіць у гэты пакой", "common": { "error": "Памылка", "mute": "Без гуку", @@ -34,7 +32,8 @@ "failed_generic": "Не атрымалася выканаць аперацыю" }, "notifications": { - "enable_prompt_toast_title": "Апавяшчэнні" + "enable_prompt_toast_title": "Апавяшчэнні", + "all_messages": "Усе паведамленні" }, "timeline": { "context_menu": { @@ -45,6 +44,7 @@ "context_menu": { "favourite": "Улюбёнае", "low_priority": "Нізкі прыярытэт" - } + }, + "invite_this_room": "Запрасіць у гэты пакой" } } diff --git a/src/i18n/strings/bg.json b/src/i18n/strings/bg.json index c9c4d0f662..a471dd72ed 100644 --- a/src/i18n/strings/bg.json +++ b/src/i18n/strings/bg.json @@ -1,6 +1,5 @@ { "Send": "Изпрати", - "Failed to change password. Is your password correct?": "Неуспешна промяна. Правилно ли сте въвели Вашата парола?", "Sun": "нд.", "Mon": "пн.", "Tue": "вт.", @@ -26,50 +25,31 @@ "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s %(time)s", "unknown error code": "неизвестен код за грешка", "Failed to forget room %(errCode)s": "Неуспешно забравяне на стаята %(errCode)s", - "Rooms": "Стаи", "Unnamed room": "Стая без име", "Warning!": "Внимание!", "PM": "PM", "AM": "AM", - "Default": "По подразбиране", "Restricted": "Ограничен", "Moderator": "Модератор", - "Reason": "Причина", - "Incorrect verification code": "Неправилен код за потвърждение", - "Authentication": "Автентикация", - "Failed to set display name": "Неуспешно задаване на име", "Failed to ban user": "Неуспешно блокиране на потребителя", "Failed to mute user": "Неуспешно заглушаване на потребителя", "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.": "След като си намалите нивото на достъп, няма да можете да възвърнете тази промяна. Ако сте последния потребител с привилегии в тази стая, ще бъде невъзможно да възвърнете привилегии си.", "Are you sure?": "Сигурни ли сте?", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Няма да можете да възвърнете тази промяна, тъй като повишавате този потребител до същото ниво на достъп като Вашето.", - "Unignore": "Премахни игнорирането", "Admin Tools": "Инструменти на администратора", "and %(count)s others...": { "other": "и %(count)s други...", "one": "и още един..." }, - "Invited": "Поканен", - "Filter room members": "Филтриране на членовете", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (ниво на достъп %(powerLevelNumber)s)", - "You do not have permission to post to this room": "Нямате разрешение да публикувате в тази стая", "%(duration)ss": "%(duration)sсек", "%(duration)sm": "%(duration)sмин", "%(duration)sh": "%(duration)sч", "%(duration)sd": "%(duration)sд", - "Replying": "Отговаря", "(~%(count)s results)": { "other": "(~%(count)s резултати)", "one": "(~%(count)s резултат)" }, "Join Room": "Присъединяване към стаята", - "Forget room": "Забрави стаята", - "Low priority": "Нисък приоритет", - "Historical": "Архив", - "%(roomName)s does not exist.": "%(roomName)s не съществува.", - "%(roomName)s is not accessible at this time.": "%(roomName)s не е достъпна към този момент.", - "Failed to unban": "Неуспешно отблокиране", - "Banned by %(displayName)s": "Блокиран от %(displayName)s", "Jump to first unread message.": "Отиди до първото непрочетено съобщение.", "not specified": "неопределен", "This room has no local addresses": "Тази стая няма локални адреси", @@ -94,17 +74,11 @@ "other": "И %(count)s други..." }, "Confirm Removal": "Потвърдете премахването", - "Deactivate Account": "Затвори акаунта", "Verification Pending": "Очакване на потвърждение", "An error has occurred.": "Възникна грешка.", "Unable to restore session": "Неуспешно възстановяване на сесията", - "Invalid Email Address": "Невалиден имейл адрес", - "This doesn't appear to be a valid email address": "Това не изглежда да е валиден имейл адрес", "Please check your email and click on the link it contains. Once this is done, click continue.": "Моля, проверете своя имейл адрес и натиснете връзката, която той съдържа. След като направите това, натиснете продължи.", - "Unable to add email address": "Неуспешно добавяне на имейл адрес", - "Unable to verify email address.": "Неуспешно потвърждение на имейл адрес.", "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.": "Това ще Ви позволи да възстановите Вашата парола и да получавате известия.", "Reject invitation": "Отхвърли поканата", "Are you sure you want to reject the invitation?": "Сигурни ли сте, че искате да отхвърлите поканата?", @@ -126,24 +100,12 @@ "one": "Качване на %(filename)s и %(count)s друг" }, "Uploading %(filename)s": "Качване на %(filename)s", - "No Microphones detected": "Няма открити микрофони", - "No Webcams detected": "Няма открити уеб камери", "A new password must be entered.": "Трябва да бъде въведена нова парола.", "New passwords must match each other.": "Новите пароли трябва да съвпадат една с друга.", "Return to login screen": "Връщане към страницата за влизане в профила", "Session ID": "Идентификатор на сесията", - "Passphrases must match": "Паролите трябва да съвпадат", - "Passphrase must not be empty": "Паролата не трябва да е празна", - "Export room keys": "Експортиране на ключове за стаята", - "Enter passphrase": "Въведи парола", - "Confirm passphrase": "Потвърди парола", - "Import room keys": "Импортиране на ключове за стая", - "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, Вашата сесия може да не бъде съвместима с текущата версия. Затворете този прозорец и се върнете в по-новата версия.", - "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 don't currently have any stickerpacks enabled": "В момента нямате включени пакети със стикери", "Sunday": "Неделя", "Today": "Днес", @@ -160,8 +122,6 @@ "Monday": "Понеделник", "All Rooms": "Във всички стаи", "Wednesday": "Сряда", - "All messages": "Всички съобщения", - "Invite to this room": "Покани в тази стая", "You cannot delete this message. (%(code)s)": "Това съобщение не може да бъде изтрито. (%(code)s)", "Thursday": "Четвъртък", "Logs sent": "Логовете са изпратени", @@ -179,13 +139,10 @@ "Share User": "Споделяне на потребител", "Share Room Message": "Споделяне на съобщение от стая", "Link to selected message": "Създай връзка към избраното съобщение", - "No Audio Outputs detected": "Не са открити аудио изходи", - "Audio Output": "Аудио изходи", "You can't send any messages until you review and agree to our terms and conditions.": "Не можете да изпращате съобщения докато не прегледате и се съгласите с нашите правила и условия.", "Demote yourself?": "Понижете себе си?", "Demote": "Понижение", "This event could not be displayed": "Това събитие не може да бъде показано", - "Permission Required": "Необходимо е разрешение", "Only room administrators will see this warning": "Само администратори на стаята виждат това предупреждение", "Upgrade Room Version": "Обнови версията на стаята", "Create a new room with the same name, description and avatar": "Създадем нова стая със същото име, описание и снимка", @@ -194,8 +151,6 @@ "Put a link back to the old room at the start of the new room so people can see old messages": "Поставим връзка в новата стая, водещо обратно към старата, за да може хората да виждат старите съобщения", "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.": "Съобщението Ви не бе изпратено, защото този сървър е някой от лимитите си. Моля, свържете се с администратора на услугата за да продължите да я използвате.", - "This room has been replaced and is no longer active.": "Тази стая е била заменена и вече не е активна.", - "The conversation continues here.": "Разговора продължава тук.", "Failed to upgrade room": "Неуспешно обновяване на стаята", "The room upgrade could not be completed": "Обновяването на тази стая не можа да бъде завършено", "Upgrade this room to version %(version)s": "Обновете тази стая до версия %(version)s", @@ -218,33 +173,11 @@ "Invalid homeserver discovery response": "Невалиден отговор по време на откриването на конфигурацията за сървъра", "Invalid identity server discovery response": "Невалиден отговор по време на откриването на конфигурацията за сървъра за самоличност", "General failure": "Обща грешка", - "That matches!": "Това съвпада!", - "That doesn't match.": "Това не съвпада.", - "Go back to set it again.": "Върнете се за да настройте нова.", - "Unable to create key backup": "Неуспешно създаване на резервно копие на ключа", "Unable to load commit detail: %(msg)s": "Неуспешно зареждане на информация за commit: %(msg)s", - "New Recovery Method": "Нов метод за възстановяване", - "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.": "Ако не сте настройвали новия метод за възстановяване, вероятно някой се опитва да проникне в акаунта Ви. Веднага променете паролата на акаунта си и настройте нов метод за възстановяване от Настройки.", - "Set up Secure Messages": "Настрой Защитени Съобщения", - "Go to Settings": "Отиди в Настройки", "The following users may not exist": "Следните потребители може да не съществуват", "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": "Покани въпреки това", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Изпратихме Ви имейл за да потвърдим адреса Ви. Последвайте инструкциите в имейла и след това кликнете на бутона по-долу.", - "Email Address": "Имейл адрес", - "Unable to verify phone number.": "Неуспешно потвърждение на телефонния номер.", - "Verification code": "Код за потвърждение", - "Phone Number": "Телефонен номер", - "Room information": "Информация за стаята", - "Room Addresses": "Адреси на стаята", - "Email addresses": "Имейл адреси", - "Phone numbers": "Телефонни номера", - "Account management": "Управление на акаунта", - "Ignored users": "Игнорирани потребители", - "Missing media permissions, click the button below to request.": "Липсва достъп до медийните устройства. Кликнете бутона по-долу за да поискате такъв.", - "Request media permissions": "Поискай достъп до медийните устройства", - "Voice & Video": "Глас и видео", "Main address": "Основен адрес", "Room avatar": "Снимка на стаята", "Room Name": "Име на стаята", @@ -253,8 +186,6 @@ "Incoming Verification Request": "Входяща заявка за потвърждение", "Email (optional)": "Имейл (незадължително)", "Join millions for free on the largest public server": "Присъединете се безплатно към милиони други на най-големия публичен сървър", - "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.": "Ако не сте премахнали метода за възстановяване, е възможно нападател да се опитва да получи достъп до акаунта Ви. Променете паролата на акаунта и настройте нов метод за възстановяване веднага от Настройки.", "Dog": "Куче", "Cat": "Котка", "Lion": "Лъв", @@ -327,8 +258,6 @@ "You'll lose access to your encrypted messages": "Ще загубите достъп до шифрованите си съобщения", "Are you sure you want to sign out?": "Сигурни ли сте, че искате да излезете от профила?", "Warning: you should only set up key backup from a trusted computer.": "Внимание: настройването на резервно копие на ключовете трябва да се прави само от доверен компютър.", - "Your keys are being backed up (the first backup could take a few minutes).": "Прави се резервно копие на ключовете Ви (първото копие може да отнеме няколко минути).", - "Success!": "Успешно!", "Scissors": "Ножици", "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.": "Случи се грешка при обновяването на основния адрес за стаята. Може да не е позволено от сървъра, или да се е случила друга временна грешка.", @@ -359,31 +288,10 @@ "Cancel All": "Откажи всички", "Upload Error": "Грешка при качване", "Remember my selection for this widget": "Запомни избора ми за това приспособление", - "Join the conversation with an account": "Присъедини се към разговор с акаунт", - "Sign Up": "Регистриране", - "Reason: %(reason)s": "Причина: %(reason)s", - "Forget this room": "Пропусни тази стая", - "Re-join": "Връщане", - "You were banned from %(roomName)s by %(memberName)s": "Получихте забрана за %(roomName)s от %(memberName)s", - "Something went wrong with your invite to %(roomName)s": "Нещо нежелано се случи с вашата покана към %(roomName)s", - "You can only join it with a working invite.": "Да се присъедините можете само с активна покана.", - "Join the discussion": "Присъединете се към разговора", - "Try to join anyway": "Опитай да се присъединиш все пак", - "Do you want to chat with %(user)s?": "Желаете ли да си поговорите с %(user)s?", - "Do you want to join %(roomName)s?": "Желаете ли да се присъедините към %(roomName)s?", - " invited you": " ви покани", - "You're previewing %(roomName)s. Want to join it?": "Предварителен преглед на %(roomName)s. Желаете ли да се влезете?", - "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s не може да бъде прегледана предварително. Желаете ли да се влезете?", - "Uploaded sound": "Качен звук", - "Sounds": "Звуци", - "Notification sound": "Звук за уведомление", - "Set a new custom sound": "Настрой нов собствен звук", - "Browse": "Избор", "This room has already been upgraded.": "Тази стая вече е била обновена.", "edited": "редактирано", "Edit message": "Редактирай съобщението", "Some characters not allowed": "Някои символи не са позволени", - "Add room": "Добави стая", "Failed to get autodiscovery configuration from server": "Неуспешно автоматично откриване на конфигурацията за сървъра", "Invalid base_url for m.homeserver": "Невалиден base_url в m.homeserver", "Homeserver URL does not appear to be a valid Matrix homeserver": "Homeserver адресът не изглежда да е валиден Matrix сървър", @@ -398,55 +306,15 @@ "Clear all data": "Изчисти всички данни", "Your homeserver doesn't seem to support this feature.": "Не изглежда сървърът ви да поддържа тази функция.", "Resend %(unsentCount)s reaction(s)": "Изпрати наново %(unsentCount)s реакция(и)", - "Failed to re-authenticate due to a homeserver problem": "Неуспешна повторна автентикация поради проблем със сървъра", - "Clear personal data": "Изчисти личните данни", "Find others by phone or email": "Открийте други по телефон или имейл", "Be found by phone or email": "Бъдете открит по телефон или имейл", - "Checking server": "Проверка на сървъра", - "The identity server you have chosen does not have any terms of service.": "Избраният от вас сървър за самоличност няма условия за ползване на услугата.", - "Terms of service not accepted or the identity server is invalid.": "Условията за ползване не бяха приети или сървъра за самоличност е невалиден.", - "Disconnect from the identity server ?": "Прекъсване на връзката със сървър за самоличност ?", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "В момента използвате за да откривате и да бъдете открити от познати ваши контакти. Може да промените сървъра за самоличност по-долу.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "В момента не използвате сървър за самоличност. За да откривате и да бъдете открити от познати ваши контакти, добавете такъв по-долу.", - "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.": "Прекъсването на връзката със сървъра ви за самоличност означава че няма да можете да бъдете открити от други потребители или да каните хора по имейл или телефонен номер.", - "Enter a new identity server": "Въведете нов сървър за самоличност", - "Discovery": "Откриване", "Deactivate account": "Деактивиране на акаунт", - "Unable to revoke sharing for email address": "Неуспешно оттегляне на споделянето на имейл адреса", - "Unable to share email address": "Неуспешно споделяне на имейл адрес", - "Discovery options will appear once you have added an email above.": "Опциите за откриване ще се покажат след като добавите имейл адрес по-горе.", - "Unable to revoke sharing for phone number": "Неуспешно оттегляне на споделянето на телефонен номер", - "Unable to share phone number": "Неуспешно споделяне на телефонен номер", - "Please enter verification code sent via text.": "Въведете кода за потвърждение получен в SMS.", - "Discovery options will appear once you have added a phone number above.": "Опциите за откриване ще се покажат след като добавите телефонен номер по-горе.", - "Remove %(email)s?": "Премахни %(email)s?", - "Remove %(phone)s?": "Премахни %(phone)s?", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Беше изпратено SMS съобщение към +%(msisdn)s. Въведете съдържащият се код за потвърждение.", "Command Help": "Помощ за команди", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Ако не искате да използвате за да откривате и да бъдете откриваеми от познати ваши контакти, въведете друг сървър за самоличност по-долу.", - "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": "Не ползвай сървър за самоличност", - "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Приемете условията за ползване на сървъра за самоличност (%(serverName)s) за да бъдете откриваеми по имейл адрес или телефонен номер.", - "Error changing power level": "Грешка при промяната на нивото на достъп", - "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Възникна грешка при промяната на нивото на достъп на потребителя. Уверете се, че имате необходимите привилегии и опитайте пак.", "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": "Деактивирай потребителя", - "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.", - "This invite to %(roomName)s was sent to %(email)s": "Тази покана за %(roomName)s беше изпратена към адрес %(email)s", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Използвайте сървър за самоличност от Настройки за да получавате покани директно в %(brand)s.", - "Share this email in Settings to receive invites directly in %(brand)s.": "Споделете този имейл в Настройки за да получавате покани директно в %(brand)s.", "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.": "Използвайте сървър за самоличност за да каните по имейл. Управлявайте в Настройки.", - "Change identity server": "Промени сървъра за самоличност", - "Disconnect from the identity server and connect to instead?": "Прекъсване на връзката със сървър за самоличност и свързване с ?", - "Disconnect identity server": "Прекъсни връзката със сървъра за самоличност", - "You are still sharing your personal data on the identity server .": "Все още споделяте лични данни със сървър за самоличност .", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Препоръчваме да премахнете имейл адреса и телефонния си номер от сървъра за самоличност преди прекъсване на връзката.", - "Disconnect anyway": "Прекъсни въпреки всичко", - "Error changing power level requirement": "Грешка при промяна на изискванията за ниво на достъп", - "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Възникна грешка при промяна на изискванията за нива на достъп до стаята. Уверете се, че имате необходимите права и опитайте пак.", "No recent messages by %(user)s found": "Не са намерени скорошни съобщения от %(user)s", "Try scrolling up in the timeline to see if there are any earlier ones.": "Опитайте се да проверите по-нагоре в историята за по-ранни.", "Remove recent messages by %(user)s": "Премахване на скорошни съобщения от %(user)s", @@ -456,19 +324,8 @@ "one": "Премахни 1 съобщение" }, "Remove recent messages": "Премахни скорошни съобщения", - "Italics": "Наклонено", - "Explore rooms": "Открий стаи", - "Verify the link in your inbox": "Потвърдете линка във вашата пощенска кутия", "e.g. my-room": "например my-room", "Close dialog": "Затвори прозореца", - "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": "изчакате и опитате пак", - "Your email address hasn't been verified yet": "Имейл адресът ви все още не е потвърден", - "Click the link in the email you received to verify and then click continue again.": "Кликнете на връзката получена по имейл за да потвърдите, а след това натиснете продължи отново.", - "Room %(name)s": "Стая %(name)s", "Failed to deactivate user": "Неуспешно деактивиране на потребител", "This client does not support end-to-end encryption.": "Този клиент не поддържа шифроване от край до край.", "Messages in this room are not end-to-end encrypted.": "Съобщенията в тази стая не са шифровани от край до край.", @@ -484,12 +341,7 @@ "%(name)s cancelled": "%(name)s отказа", "%(name)s wants to verify": "%(name)s иска да извърши потвърждение", "You sent a verification request": "Изпратихте заявка за потвърждение", - "Manage integrations": "Управление на интеграциите", - "None": "Няма нищо", "Unencrypted": "Нешифровано", - "Close preview": "Затвори прегледа", - " wants to chat": " иска да чати", - "Start chatting": "Започни чат", "Failed to connect to integration manager": "Неуспешна връзка с мениджъра на интеграции", "Hide verified sessions": "Скрий потвърдените сесии", "%(count)s verified sessions": { @@ -508,7 +360,6 @@ "You'll upgrade this room from to .": "Ще обновите стаята от до .", "Country Dropdown": "Падащо меню за избор на държава", "Verification Request": "Заявка за потвърждение", - "Unable to set up secret storage": "Неуспешна настройка на секретно складиране", "Recent Conversations": "Скорошни разговори", "Show more": "Покажи повече", "Direct Messages": "Директни съобщения", @@ -520,8 +371,6 @@ "Lock": "Заключи", "This backup is trusted because it has been restored on this session": "Това резервно копие е доверено, защото е било възстановено в текущата сесия", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "За да съобщените за проблем със сигурността свързан с Matrix, прочетете Политиката за споделяне на проблеми със сигурността на Matrix.org.", - "This room is bridging messages to the following platforms. Learn more.": "Тази стая препредава съобщения със следните платформи. Научи повече.", - "Bridges": "Мостове", "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.": "Верифицирали сте този потребител. Този потребител е верифицирал всичките си сесии.", @@ -531,7 +380,6 @@ "Encrypted by an unverified session": "Шифровано от неверифицирана сесия", "Encrypted by a deleted session": "Шифровано от изтрита сесия", "Scroll to most recent messages": "Отиди до най-скорошните съобщения", - "Reject & Ignore user": "Откажи и игнорирай потребителя", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Възникна грешка при обновяване на алтернативните адреси на стаята. Или не е позволено от сървъра или се е случила временна грешка.", "Local address": "Локален адрес", "Published Addresses": "Публикувани адреси", @@ -639,24 +487,11 @@ "Keys restored": "Ключовете бяха възстановени", "Successfully restored %(sessionCount)s keys": "Успешно бяха възстановени %(sessionCount)s ключа", "Sign in with SSO": "Влезте със SSO", - "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Администраторът на сървъра е изключил шифроване от край-до-край по подразбиране за лични стаи и за директни съобщения.", "Switch theme": "Смени темата", "Confirm encryption setup": "Потвърждение на настройки за шифроване", "Click the button below to confirm setting up encryption.": "Кликнете бутона по-долу за да потвърдите настройването на шифроване.", - "Enter your account password to confirm the upgrade:": "Въведете паролата за профила си за да потвърдите обновлението:", - "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.": "Обновете тази сесия, за да може да потвърждава други сесии, давайки им достъп до шифрованите съобщения и маркирайки ги като доверени за другите потребители.", - "Use a different passphrase?": "Използвай друга парола?", - "Unable to query secret storage status": "Неуспешно допитване за състоянието на секретното складиране", - "Upgrade your encryption": "Обновете шифроването", - "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 recently visited rooms": "Няма наскоро-посетени стаи", "The authenticity of this encrypted message can't be guaranteed on this device.": "Автентичността на това шифровано съобщение не може да бъде гарантирана на това устройство.", "Message preview": "Преглед на съобщението", - "Room options": "Настройки на стаята", "This room is public": "Тази стая е публична", "Unable to set up keys": "Неуспешна настройка на ключовете", "Use your Security Key to continue.": "Използвайте ключа си за сигурност за да продължите.", @@ -705,23 +540,7 @@ "You can only pin up to %(count)s widgets": { "other": "Може да закачите максимум %(count)s приспособления" }, - "Explore public rooms": "Прегледай публични стаи", - "Show Widgets": "Покажи приспособленията", - "Hide Widgets": "Скрий приспособленията", "Backup version:": "Версия на резервното копие:", - "Save your Security Key": "Запази ключа за сигурност", - "Confirm Security Phrase": "Потвърди фразата за сигурност", - "Set a Security Phrase": "Настрой фраза за сигурност", - "You can also set up Secure Backup & manage your keys in Settings.": "Също така, може да конфигурирате защитено резервно копиране и да управлявате ключовете си от Настройки.", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Ако се откажете сега, може да загубите достъп до шифрованите съобщения и данни, в случай че загубите достъп до тази сесия.", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Използвайте секретна фраза, която знаете само вие. При необходимост запазете и ключа за сигурност за резервното копие.", - "Enter a Security Phrase": "Въведете фраза за сигурност", - "Generate a Security Key": "Генерирай ключ за сигурност", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Предпазете се от загуба на достъп до шифрованите съобщения и данни като направите резервно копие на ключовете за шифроване върху сървъра.", - "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 фраза за сигурност и ключ за защитени съобщения бяха открити.", - "Great! This Security Phrase looks strong enough.": "Чудесно! Тази фраза за сигурност изглежда достатъчно силна.", - "Confirm your Security Phrase": "Потвърдете вашата фраза за сигурност", "Anguilla": "Ангила", "British Indian Ocean Territory": "Британска територия в Индийския океан", "Pitcairn Islands": "острови Питкерн", @@ -971,18 +790,10 @@ "Afghanistan": "Афганистан", "United States": "Съединените щати", "United Kingdom": "Обединеното кралство", - "Add existing room": "Добави съществуваща стая", "Leave space": "Напусни пространство", "Create a space": "Създаване на пространство", "unknown person": "", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Вашият %(brand)s не позволява да използвате мениджъра на интеграции за да направите това. Свържете се с администратор.", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Мениджърът на интеграции получава конфигурационни данни, може да модифицира приспособления, да изпраща покани за стаи и да настройва нива на достъп от ваше име.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Използвай мениджър на интеграции за управление на ботове, приспособления и стикери.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Използвай мениджър на интеграции %(serverName)s за управление на ботове, приспособления и стикери.", - "Identity server (%(server)s)": "Сървър за самоличност (%(server)s)", - "Could not connect to identity server": "Неуспешна връзка със сървъра за самоличност", - "Not a valid identity server (status code %(code)s)": "Невалиден сървър за самоличност (статус код %(code)s)", - "Identity server URL must be HTTPS": "Адресът на сървъра за самоличност трябва да бъде HTTPS", "common": { "about": "Относно", "analytics": "Статистика", @@ -1054,7 +865,13 @@ "general": "Общи", "profile": "Профил", "display_name": "Име", - "user_avatar": "Профилна снимка" + "user_avatar": "Профилна снимка", + "authentication": "Автентикация", + "rooms": "Стаи", + "low_priority": "Нисък приоритет", + "historical": "Архив", + "go_to_settings": "Отиди в Настройки", + "setup_secure_messages": "Настрой Защитени Съобщения" }, "action": { "continue": "Продължи", @@ -1136,7 +953,11 @@ "unban": "Отблокирай", "click_to_copy": "Натиснете за копиране", "hide_advanced": "Скрий разширени настройки", - "show_advanced": "Покажи разширени настройки" + "show_advanced": "Покажи разширени настройки", + "unignore": "Премахни игнорирането", + "explore_rooms": "Открий стаи", + "add_existing_room": "Добави съществуваща стая", + "explore_public_rooms": "Прегледай публични стаи" }, "a11y": { "user_menu": "Потребителско меню", @@ -1149,7 +970,8 @@ "one": "1 непрочетено съобщение." }, "unread_messages": "Непрочетени съобщения.", - "jump_first_invite": "Отиди до първата покана." + "jump_first_invite": "Отиди до първата покана.", + "room_name": "Стая %(name)s" }, "labs": { "pinning": "Функция за закачане на съобщения", @@ -1223,7 +1045,13 @@ "room_a11y": "Подсказка за стаи", "user_description": "Потребители", "user_a11y": "Подсказка за потребители" - } + }, + "room_upgraded_link": "Разговора продължава тук.", + "room_upgraded_notice": "Тази стая е била заменена и вече не е активна.", + "no_perms_notice": "Нямате разрешение да публикувате в тази стая", + "poll_button_no_perms_title": "Необходимо е разрешение", + "format_italics": "Наклонено", + "replying_title": "Отговаря" }, "Code": "Код", "power_level": { @@ -1335,7 +1163,14 @@ "inline_url_previews_room_account": "Включване на URL прегледи за тази стая (засяга само Вас)", "inline_url_previews_room": "Включване по подразбиране на URL прегледи за участници в тази стая", "voip": { - "mirror_local_feed": "Показвай ми огледално моя видео образ" + "mirror_local_feed": "Показвай ми огледално моя видео образ", + "missing_permissions_prompt": "Липсва достъп до медийните устройства. Кликнете бутона по-долу за да поискате такъв.", + "request_permissions": "Поискай достъп до медийните устройства", + "audio_output": "Аудио изходи", + "audio_output_empty": "Не са открити аудио изходи", + "audio_input_empty": "Няма открити микрофони", + "video_input_empty": "Няма открити уеб камери", + "title": "Глас и видео" }, "security": { "message_search_disable_warning": "Ако е изключено, съобщения от шифровани стаи няма да се показват в резултатите от търсения.", @@ -1397,7 +1232,10 @@ "key_backup_connect": "Свържи тази сесия с резервно копие на ключовете", "key_backup_complete": "Всички ключове са в резервното копие", "key_backup_algorithm": "Алгоритъм:", - "key_backup_inactive_warning": "На ключовете ви не се прави резервно копие от тази сесия." + "key_backup_inactive_warning": "На ключовете ви не се прави резервно копие от тази сесия.", + "key_backup_active_version_none": "Няма нищо", + "ignore_users_section": "Игнорирани потребители", + "e2ee_default_disabled_warning": "Администраторът на сървъра е изключил шифроване от край-до-край по подразбиране за лични стаи и за директни съобщения." }, "preferences": { "room_list_heading": "Списък със стаи", @@ -1426,7 +1264,81 @@ "add_msisdn_dialog_title": "Добави телефонен номер", "name_placeholder": "Няма име", "error_saving_profile_title": "Неуспешно запазване на профила ви", - "error_saving_profile": "Операцията не можа да бъде завършена" + "error_saving_profile": "Операцията не можа да бъде завършена", + "error_password_change_403": "Неуспешна промяна. Правилно ли сте въвели Вашата парола?", + "emails_heading": "Имейл адреси", + "msisdns_heading": "Телефонни номера", + "discovery_needs_terms": "Приемете условията за ползване на сървъра за самоличност (%(serverName)s) за да бъдете откриваеми по имейл адрес или телефонен номер.", + "deactivate_section": "Затвори акаунта", + "account_management_section": "Управление на акаунта", + "discovery_section": "Откриване", + "error_revoke_email_discovery": "Неуспешно оттегляне на споделянето на имейл адреса", + "error_share_email_discovery": "Неуспешно споделяне на имейл адрес", + "email_not_verified": "Имейл адресът ви все още не е потвърден", + "email_verification_instructions": "Кликнете на връзката получена по имейл за да потвърдите, а след това натиснете продължи отново.", + "error_email_verification": "Неуспешно потвърждение на имейл адрес.", + "discovery_email_verification_instructions": "Потвърдете линка във вашата пощенска кутия", + "discovery_email_empty": "Опциите за откриване ще се покажат след като добавите имейл адрес по-горе.", + "error_revoke_msisdn_discovery": "Неуспешно оттегляне на споделянето на телефонен номер", + "error_share_msisdn_discovery": "Неуспешно споделяне на телефонен номер", + "error_msisdn_verification": "Неуспешно потвърждение на телефонния номер.", + "incorrect_msisdn_verification": "Неправилен код за потвърждение", + "msisdn_verification_instructions": "Въведете кода за потвърждение получен в SMS.", + "msisdn_verification_field_label": "Код за потвърждение", + "discovery_msisdn_empty": "Опциите за откриване ще се покажат след като добавите телефонен номер по-горе.", + "error_set_name": "Неуспешно задаване на име", + "error_remove_3pid": "Неуспешно премахване на информацията за контакти", + "remove_email_prompt": "Премахни %(email)s?", + "error_invalid_email": "Невалиден имейл адрес", + "error_invalid_email_detail": "Това не изглежда да е валиден имейл адрес", + "error_add_email": "Неуспешно добавяне на имейл адрес", + "add_email_instructions": "Изпратихме Ви имейл за да потвърдим адреса Ви. Последвайте инструкциите в имейла и след това кликнете на бутона по-долу.", + "email_address_label": "Имейл адрес", + "remove_msisdn_prompt": "Премахни %(phone)s?", + "add_msisdn_instructions": "Беше изпратено SMS съобщение към +%(msisdn)s. Въведете съдържащият се код за потвърждение.", + "msisdn_label": "Телефонен номер" + }, + "key_backup": { + "backup_in_progress": "Прави се резервно копие на ключовете Ви (първото копие може да отнеме няколко минути).", + "backup_success": "Успешно!", + "create_title": "Създай резервно копие на ключовете", + "cannot_create_backup": "Неуспешно създаване на резервно копие на ключа", + "setup_secure_backup": { + "generate_security_key_title": "Генерирай ключ за сигурност", + "enter_phrase_title": "Въведете фраза за сигурност", + "description": "Предпазете се от загуба на достъп до шифрованите съобщения и данни като направите резервно копие на ключовете за шифроване върху сървъра.", + "requires_password_confirmation": "Въведете паролата за профила си за да потвърдите обновлението:", + "requires_key_restore": "Възстановете резервното копие на ключа за да обновите шифроването", + "requires_server_authentication": "Ще трябва да се автентикирате пред сървъра за да потвърдите обновяването.", + "session_upgrade_description": "Обновете тази сесия, за да може да потвърждава други сесии, давайки им достъп до шифрованите съобщения и маркирайки ги като доверени за другите потребители.", + "phrase_strong_enough": "Чудесно! Тази фраза за сигурност изглежда достатъчно силна.", + "pass_phrase_match_success": "Това съвпада!", + "use_different_passphrase": "Използвай друга парола?", + "pass_phrase_match_failed": "Това не съвпада.", + "set_phrase_again": "Върнете се за да настройте нова.", + "confirm_security_phrase": "Потвърдете вашата фраза за сигурност", + "secret_storage_query_failure": "Неуспешно допитване за състоянието на секретното складиране", + "cancel_warning": "Ако се откажете сега, може да загубите достъп до шифрованите съобщения и данни, в случай че загубите достъп до тази сесия.", + "settings_reminder": "Също така, може да конфигурирате защитено резервно копиране и да управлявате ключовете си от Настройки.", + "title_upgrade_encryption": "Обновете шифроването", + "title_set_phrase": "Настрой фраза за сигурност", + "title_confirm_phrase": "Потвърди фразата за сигурност", + "title_save_key": "Запази ключа за сигурност", + "unable_to_setup": "Неуспешна настройка на секретно складиране", + "use_phrase_only_you_know": "Използвайте секретна фраза, която знаете само вие. При необходимост запазете и ключа за сигурност за резервното копие." + } + }, + "key_export_import": { + "export_title": "Експортиране на ключове за стаята", + "export_description_1": "Този процес Ви позволява да експортирате във файл ключовете за съобщения в шифровани стаи. Така ще можете да импортирате файла в друг Matrix клиент, така че той също да може да разшифрова такива съобщения.", + "enter_passphrase": "Въведи парола", + "confirm_passphrase": "Потвърди парола", + "phrase_cannot_be_empty": "Паролата не трябва да е празна", + "phrase_must_match": "Паролите трябва да съвпадат", + "import_title": "Импортиране на ключове за стая", + "import_description_1": "Този процес позволява да импортирате ключове за шифроване, които преди сте експортирали от друг Matrix клиент. Тогава ще можете да разшифровате всяко съобщение, което другият клиент може да разшифрова.", + "import_description_2": "Експортираният файл може да бъде предпазен с парола. Трябва да въведете парола тук, за да разшифровате файла.", + "file_to_import": "Файл за импортиране" } }, "devtools": { @@ -1665,6 +1577,9 @@ "creation_summary_room": "%(creator)s създаде и настрой стаята.", "context_menu": { "external_url": "URL на източника" + }, + "url_preview": { + "close": "Затвори прегледа" } }, "slash_command": { @@ -1836,7 +1751,14 @@ "send_event_type": "Изпрати %(eventType)s събития", "title": "Роли и привилегии", "permissions_section": "Разрешения", - "permissions_section_description_room": "Изберете ролите необходими за промяна на различни части от стаята" + "permissions_section_description_room": "Изберете ролите необходими за промяна на различни части от стаята", + "error_unbanning": "Неуспешно отблокиране", + "banned_by": "Блокиран от %(displayName)s", + "ban_reason": "Причина", + "error_changing_pl_reqs_title": "Грешка при промяна на изискванията за ниво на достъп", + "error_changing_pl_reqs_description": "Възникна грешка при промяна на изискванията за нива на достъп до стаята. Уверете се, че имате необходимите права и опитайте пак.", + "error_changing_pl_title": "Грешка при промяната на нивото на достъп", + "error_changing_pl_description": "Възникна грешка при промяната на нивото на достъп на потребителя. Уверете се, че имате необходимите привилегии и опитайте пак." }, "security": { "strict_encryption": "Никога не изпращай шифровани съобщения към непотвърдени сесии в тази стая от тази сесия", @@ -1861,16 +1783,30 @@ "default_url_previews_off": "URL прегледи са изключени по подразбиране за участниците в тази стая.", "url_preview_encryption_warning": "В шифровани стаи като тази, по подразбиране URL прегледите са изключени, за да се подсигури че сървърът (където става генерирането на прегледите) не може да събира информация за връзките споделени в стаята.", "url_preview_explainer": "Когато се сподели URL връзка в съобщение, може да бъде показан URL преглед даващ повече информация за връзката (заглавие, описание и картинка от уебсайта).", - "url_previews_section": "URL прегледи" + "url_previews_section": "URL прегледи", + "aliases_section": "Адреси на стаята", + "other_section": "Други" }, "advanced": { "unfederated": "Тази стая не е достъпна за отдалечени Matrix сървъри", "room_upgrade_button": "Обнови тази стая до препоръчаната версия на стаята", "room_predecessor": "Виж по-стари съобщения в %(roomName)s.", "room_version_section": "Версия на стаята", - "room_version": "Версия на стаята:" + "room_version": "Версия на стаята:", + "information_section_room": "Информация за стаята" }, - "upload_avatar_label": "Качи профилна снимка" + "upload_avatar_label": "Качи профилна снимка", + "bridges": { + "description": "Тази стая препредава съобщения със следните платформи. Научи повече.", + "title": "Мостове" + }, + "notifications": { + "uploaded_sound": "Качен звук", + "sounds_section": "Звуци", + "notification_sound": "Звук за уведомление", + "custom_sound_prompt": "Настрой нов собствен звук", + "browse_button": "Избор" + } }, "encryption": { "verification": { @@ -1912,7 +1848,19 @@ "cross_signing_ready": "Кръстосаното-подписване е готово за използване.", "cross_signing_untrusted": "Профилът ви има самоличност за кръстосано подписване в секретно складиране, но все още не е доверено от тази сесия.", "cross_signing_not_ready": "Кръстосаното-подписване не е настроено.", - "not_supported": "<не се поддържа>" + "not_supported": "<не се поддържа>", + "new_recovery_method_detected": { + "title": "Нов метод за възстановяване", + "description_1": "Новa фраза за сигурност и ключ за защитени съобщения бяха открити.", + "description_2": "Тази сесия шифрова историята използвайки новия метод за възстановяване.", + "warning": "Ако не сте настройвали новия метод за възстановяване, вероятно някой се опитва да проникне в акаунта Ви. Веднага променете паролата на акаунта си и настройте нов метод за възстановяване от Настройки." + }, + "recovery_method_removed": { + "title": "Методът за възстановяване беше премахнат", + "description_1": "Тази сесия откри, че вашата фраза за сигурност и ключ за защитени съобщения бяха премахнати.", + "description_2": "Ако сте направили това без да искате, може да настройте защитени съобщения за тази сесия, което ще зашифрова наново историята на съобщенията използвайки новия метод за възстановяване.", + "warning": "Ако не сте премахнали метода за възстановяване, е възможно нападател да се опитва да получи достъп до акаунта Ви. Променете паролата на акаунта и настройте нов метод за възстановяване веднага от Настройки." + } }, "emoji": { "category_frequently_used": "Често използвани", @@ -2019,7 +1967,9 @@ "autodiscovery_unexpected_error_hs": "Неочаквана грешка в намирането на сървърната конфигурация", "autodiscovery_unexpected_error_is": "Неочаквана грешка при откриване на конфигурацията на сървъра за самоличност", "incorrect_credentials_detail": "Моля, обърнете внимание, че влизате в %(hs)s сървър, а не в matrix.org.", - "create_account_title": "Създай акаунт" + "create_account_title": "Създай акаунт", + "failed_soft_logout_homeserver": "Неуспешна повторна автентикация поради проблем със сървъра", + "soft_logout_subheading": "Изчисти личните данни" }, "export_chat": { "messages": "Съобщения" @@ -2038,7 +1988,9 @@ "show_less": "Покажи по-малко", "notification_options": "Настройки за уведомление", "failed_remove_tag": "Неуспешно премахване на %(tagName)s етикет от стаята", - "failed_add_tag": "Неуспешно добавяне на %(tagName)s етикет в стаята" + "failed_add_tag": "Неуспешно добавяне на %(tagName)s етикет в стаята", + "breadcrumbs_empty": "Няма наскоро-посетени стаи", + "add_room_label": "Добави стая" }, "report_content": { "missing_reason": "Въведете защо докладвате.", @@ -2146,7 +2098,8 @@ "lists_heading": "Абонирани списъци", "lists_description_1": "Абонирането към списък ще направи така, че да се присъедините към него!", "lists_description_2": "Ако това не е каквото искате, използвайте друг инструмент за игнориране на потребители.", - "lists_new_label": "Идентификатор или адрес на стая списък за блокиране" + "lists_new_label": "Идентификатор или адрес на стая списък за блокиране", + "rules_empty": "Няма нищо" }, "create_space": { "name_required": "Моля, въведете име на пространството", @@ -2183,8 +2136,40 @@ "unfavourite": "В любими", "favourite": "Любим", "low_priority": "Нисък приоритет", - "forget": "Забрави стаята" - } + "forget": "Забрави стаята", + "title": "Настройки на стаята" + }, + "invite_this_room": "Покани в тази стая", + "header": { + "forget_room_button": "Забрави стаята", + "hide_widgets_button": "Скрий приспособленията", + "show_widgets_button": "Покажи приспособленията" + }, + "join_title_account": "Присъедини се към разговор с акаунт", + "join_button_account": "Регистриране", + "kick_reason": "Причина: %(reason)s", + "forget_room": "Пропусни тази стая", + "rejoin_button": "Връщане", + "banned_from_room_by": "Получихте забрана за %(roomName)s от %(memberName)s", + "3pid_invite_error_title_room": "Нещо нежелано се случи с вашата покана към %(roomName)s", + "3pid_invite_error_invite_subtitle": "Да се присъедините можете само с активна покана.", + "3pid_invite_error_invite_action": "Опитай да се присъединиш все пак", + "join_the_discussion": "Присъединете се към разговора", + "3pid_invite_email_not_found_account_room": "Тази покана за %(roomName)s е била изпратена към адрес %(email)s, който не е асоцииран с профила ви", + "link_email_to_receive_3pid_invite": "Свържете този имейл адрес с профила си от Настройки за да получавате покани директно в %(brand)s.", + "invite_sent_to_email_room": "Тази покана за %(roomName)s беше изпратена към адрес %(email)s", + "3pid_invite_no_is_subtitle": "Използвайте сървър за самоличност от Настройки за да получавате покани директно в %(brand)s.", + "invite_email_mismatch_suggestion": "Споделете този имейл в Настройки за да получавате покани директно в %(brand)s.", + "dm_invite_title": "Желаете ли да си поговорите с %(user)s?", + "dm_invite_subtitle": " иска да чати", + "dm_invite_action": "Започни чат", + "invite_title": "Желаете ли да се присъедините към %(roomName)s?", + "invite_subtitle": " ви покани", + "invite_reject_ignore": "Откажи и игнорирай потребителя", + "peek_join_prompt": "Предварителен преглед на %(roomName)s. Желаете ли да се влезете?", + "no_peek_join_prompt": "%(roomName)s не може да бъде прегледана предварително. Желаете ли да се влезете?", + "not_found_title_name": "%(roomName)s не съществува.", + "inaccessible_name": "%(roomName)s не е достъпна към този момент." }, "file_panel": { "guest_note": "Трябва да се регистрирате, за да използвате тази функционалност", @@ -2317,7 +2302,9 @@ "colour_bold": "Удебелено", "error_change_title": "Промяна на настройките за уведомление", "mark_all_read": "Маркирай всичко като прочетено", - "class_other": "Други" + "class_other": "Други", + "default": "По подразбиране", + "all_messages": "Всички съобщения" }, "mobile_guide": { "toast_title": "Използвайте приложението за по-добра работа", @@ -2338,6 +2325,43 @@ "a11y_jump_first_unread_room": "Отиди до първата непрочетена стая.", "integration_manager": { "error_connecting_heading": "Неуспешна връзка с мениджъра на интеграции", - "error_connecting": "Мениджъра на интеграции е офлайн или не може да се свърже със сървъра ви." + "error_connecting": "Мениджъра на интеграции е офлайн или не може да се свърже със сървъра ви.", + "use_im_default": "Използвай мениджър на интеграции %(serverName)s за управление на ботове, приспособления и стикери.", + "use_im": "Използвай мениджър на интеграции за управление на ботове, приспособления и стикери.", + "manage_title": "Управление на интеграциите", + "explainer": "Мениджърът на интеграции получава конфигурационни данни, може да модифицира приспособления, да изпраща покани за стаи и да настройва нива на достъп от ваше име." + }, + "identity_server": { + "url_not_https": "Адресът на сървъра за самоличност трябва да бъде HTTPS", + "error_invalid": "Невалиден сървър за самоличност (статус код %(code)s)", + "error_connection": "Неуспешна връзка със сървъра за самоличност", + "checking": "Проверка на сървъра", + "change": "Промени сървъра за самоличност", + "change_prompt": "Прекъсване на връзката със сървър за самоличност и свързване с ?", + "error_invalid_or_terms": "Условията за ползване не бяха приети или сървъра за самоличност е невалиден.", + "no_terms": "Избраният от вас сървър за самоличност няма условия за ползване на услугата.", + "disconnect": "Прекъсни връзката със сървъра за самоличност", + "disconnect_server": "Прекъсване на връзката със сървър за самоличност ?", + "disconnect_offline_warning": "Би било добре да премахнете личните си данни от сървъра за самоличност преди прекъсване на връзката. За съжаление, сървърът за самоличност в момента не е достъпен.", + "suggestions": "Ще е добре да:", + "suggestions_1": "проверите браузър добавките за всичко, което може да блокира връзката със сървъра за самоличност (например Privacy Badger)", + "suggestions_2": "се свържете с администратора на сървъра за самоличност ", + "suggestions_3": "изчакате и опитате пак", + "disconnect_anyway": "Прекъсни въпреки всичко", + "disconnect_personal_data_warning_1": "Все още споделяте лични данни със сървър за самоличност .", + "disconnect_personal_data_warning_2": "Препоръчваме да премахнете имейл адреса и телефонния си номер от сървъра за самоличност преди прекъсване на връзката.", + "url": "Сървър за самоличност (%(server)s)", + "description_connected": "В момента използвате за да откривате и да бъдете открити от познати ваши контакти. Може да промените сървъра за самоличност по-долу.", + "change_server_prompt": "Ако не искате да използвате за да откривате и да бъдете откриваеми от познати ваши контакти, въведете друг сървър за самоличност по-долу.", + "description_disconnected": "В момента не използвате сървър за самоличност. За да откривате и да бъдете открити от познати ваши контакти, добавете такъв по-долу.", + "disconnect_warning": "Прекъсването на връзката със сървъра ви за самоличност означава че няма да можете да бъдете открити от други потребители или да каните хора по имейл или телефонен номер.", + "description_optional": "Използването на сървър за самоличност не е задължително. Ако не използвате такъв, няма да бъдете откриваеми от други потребители и няма да можете да ги каните по имейл или телефон.", + "do_not_use": "Не ползвай сървър за самоличност", + "url_field_label": "Въведете нов сървър за самоличност" + }, + "member_list": { + "invited_list_heading": "Поканен", + "filter_placeholder": "Филтриране на членовете", + "power_label": "%(userName)s (ниво на достъп %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/bs.json b/src/i18n/strings/bs.json index a3ff59078d..51793c22d5 100644 --- a/src/i18n/strings/bs.json +++ b/src/i18n/strings/bs.json @@ -1,8 +1,8 @@ { - "Explore rooms": "Istražite sobe", "action": { "dismiss": "Odbaci", - "sign_in": "Prijavite se" + "sign_in": "Prijavite se", + "explore_rooms": "Istražite sobe" }, "common": { "identity_server": "Identifikacioni Server" diff --git a/src/i18n/strings/ca.json b/src/i18n/strings/ca.json index d517bf3da3..814a4fa5a3 100644 --- a/src/i18n/strings/ca.json +++ b/src/i18n/strings/ca.json @@ -1,11 +1,7 @@ { - "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", "Failed to forget room %(errCode)s": "No s'ha pogut oblidar la sala %(errCode)s", - "Failed to change password. Is your password correct?": "S'ha produït un error en canviar la contrasenya. És correcta la teva contrasenya?", "unknown error code": "codi d'error desconegut", - "Rooms": "Sales", "Warning!": "Avís!", "Sun": "dg.", "Mon": "dl.", @@ -32,49 +28,31 @@ "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(day)s de/d' %(monthName)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s de/d' %(monthName)s de %(fullYear)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(day)s de/d' %(monthName)s de %(fullYear)s %(time)s", - "Default": "Predeterminat", "Restricted": "Restringit", "Moderator": "Moderador", - "Reason": "Raó", "Send": "Envia", - "Incorrect verification code": "El codi de verificació és incorrecte", - "Authentication": "Autenticació", - "Failed to set display name": "No s'ha pogut establir el nom visible", "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", "Failed to mute user": "No s'ha pogut silenciar l'usuari", "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 desfer aquest canvi ja que t'estàs baixant de rang, si ets l'últim usuari de la sala amb privilegis, et serà impossible recuperar-los.", "Are you sure?": "Estàs segur?", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "No podràs desfer aquest canvi ja que estàs donant a l'usuari el mateix nivell d'autoritat que el teu.", - "Unignore": "Deixa de ignorar", "Jump to read receipt": "Vés a l'últim missatge llegit", "Admin Tools": "Eines d'administració", "and %(count)s others...": { "other": "i %(count)s altres...", "one": "i un altre..." }, - "Invited": "Convidat", - "Filter room members": "Filtra els membres de la sala", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (autoritat %(powerLevelNumber)s)", - "You do not have permission to post to this room": "No tens permís per enviar res en aquesta sala", "%(duration)ss": "%(duration)ss", "%(duration)sm": "%(duration)sm", "%(duration)sh": "%(duration)sh", "%(duration)sd": "%(duration)sd", - "Replying": "S'està contestant", "Unnamed room": "Sala sense nom", "(~%(count)s results)": { "other": "(~%(count)s resultats)", "one": "(~%(count)s resultat)" }, "Join Room": "Entra a la sala", - "Forget room": "Oblida la sala", - "Low priority": "Baixa prioritat", - "Historical": "Històric", - "%(roomName)s does not exist.": "La sala %(roomName)s no existeix.", - "%(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", "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", @@ -97,15 +75,10 @@ "other": "I %(count)s més..." }, "Confirm Removal": "Confirmeu l'eliminació", - "Deactivate Account": "Desactivar el compte", "An error has occurred.": "S'ha produït un error.", "Unable to restore session": "No s'ha pogut restaurar la sessió", - "Invalid Email Address": "El correu electrònic no és vàlid", - "This doesn't appear to be a valid email address": "Sembla que aquest correu electrònic no és vàlid", "Verification Pending": "Verificació pendent", "Please check your email and click on the link it contains. Once this is done, click continue.": "Reviseu el vostre correu electrònic i feu clic a l'enllaç que conté. Un cop fet això, feu clic a Continua.", - "Unable to add email address": "No s'ha pogut afegir el correu electrònic", - "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 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?", @@ -129,9 +102,6 @@ }, "Uploading %(filename)s": "Pujant %(filename)s", "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", "Sunday": "Diumenge", "Today": "Avui", "Friday": "Divendres", @@ -147,60 +117,39 @@ "Monday": "Dilluns", "All Rooms": "Totes les sales", "Wednesday": "Dimecres", - "All messages": "Tots els missatges", - "Invite to this room": "Convida a aquesta sala", "You cannot delete this message. (%(code)s)": "No podeu eliminar aquest missatge. (%(code)s)", "Thursday": "Dijous", "Logs sent": "Logs enviats", "Yesterday": "Ahir", "Thank you!": "Gràcies!", - "Permission Required": "Es necessita permís", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "No s'ha trobat el perfil pels IDs de Matrix següents, els voleu convidar igualment?", "Invite anyway and never warn me again": "Convidar igualment i no avisar-me de nou", "Invite anyway": "Convidar igualment", - "Email addresses": "Adreces de correu electrònic", - "Phone numbers": "Números de telèfon", - "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", "A connection error occurred while trying to contact the server.": "S'ha produït un error de connexió mentre s'intentava connectar al servidor.", "%(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 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", "Error creating address": "Error creant adreça", "Error removing address": "Error eliminant adreça", "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.", - "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "S'ha produït un error en canviar els requisits del nivell d'autoritat de la sala. Assegura't que tens suficients permisos i torna-ho a provar.", - "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "S'ha produït un error en canviar el nivell d'autoritat de l'usuari. Assegura't que tens suficients permisos i torna-ho a provar.", "Power level": "Nivell d'autoritat", "e.g. my-room": "p.e. la-meva-sala", "New published address (e.g. #alias:server)": "Nova adreça publicada (p.e. #alias:server)", - "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 no has eliminat el mètode de recuperació, pot ser que un atacant estigui intentant accedir al teu compte. Canvia la teva contrasenya i configura un nou mètode de recuperació a Configuració, immediatament.", - "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.": "Si no has configurat el teu mètode de recuperació, pot ser que un atacant estigui intentant accedir al teu compte. Canvia la teva contrasenya i configura un nou mètode de recuperació a Configuració, immediatament.", - "You can also set up Secure Backup & manage your keys in Settings.": "També pots configurar la còpia de seguretat segura i gestionar les teves claus a Configuració.", "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.": "Prèviament has fet servir %(brand)s a %(host)s amb la càrrega mandrosa de membres activada. En aquesta versió la càrrega mandrosa està desactivada. Com que la memòria cau local no és compatible entre les dues versions, %(brand)s necessita tornar a sincronitzar el teu compte.", "Use an identity server to invite by email. Use the default (%(defaultIdentityServerName)s) or manage in Settings.": "Utilitza un servidor d'identitat per poder convidar per correu electrònic. Utilitza el predeterminat (%(defaultIdentityServerName)s) o gestiona'l a Configuració.", "Use an identity server to invite by email. Manage in Settings.": "Utilitza un servidor d'identitat per poder convidar per correu electrònic. Gestiona'l a Configuració.", "Integrations not allowed": "No es permeten integracions", "Integrations are disabled": "Les integracions estan desactivades", - "Manage integrations": "Gestió d'integracions", "Room Settings - %(roomName)s": "Configuració de sala - %(roomName)s", "Confirm this user's session by comparing the following with their User Settings:": "Confirma aquesta sessió d'usuari comparant amb la seva configuració d'usuari, el següent:", "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", - "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ó.", - "Go to Settings": "Ves a Configuració", "To continue, use Single Sign On to prove your identity.": "Per continuar, utilitza la inscripció única SSO (per demostrar la teva identitat).", "Confirm your account deactivation by using Single Sign On to prove your identity.": "Confirma la desactivació del teu compte mitjançant la inscripció única SSO (per demostrar la teva identitat).", - "Explore rooms": "Explora sales", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Els gestors d'integracions reben dades de configuració i poden modificar ginys, enviar invitacions a sales i establir nivells d'autoritat en nom teu.", - "Could not connect to identity server": "No s'ha pogut connectar amb el servidor d'identitat", "common": { "analytics": "Analítiques", "error": "Error", @@ -230,7 +179,12 @@ "on": "Engegat", "off": "Apagat", "copied": "Copiat!", - "advanced": "Avançat" + "advanced": "Avançat", + "authentication": "Autenticació", + "rooms": "Sales", + "low_priority": "Baixa prioritat", + "historical": "Històric", + "go_to_settings": "Ves a Configuració" }, "action": { "continue": "Continua", @@ -272,7 +226,9 @@ "export": "Exporta", "mention": "Menciona", "submit": "Envia", - "unban": "Retira l'expulsió" + "unban": "Retira l'expulsió", + "unignore": "Deixa de ignorar", + "explore_rooms": "Explora sales" }, "labs": { "pinning": "Fixació de missatges", @@ -330,7 +286,9 @@ "inline_url_previews_room_account": "Activa la vista prèvia d'URL d'aquesta sala (no afecta altres usuaris)", "inline_url_previews_room": "Activa per defecte la vista prèvia d'URL per als participants d'aquesta sala", "voip": { - "mirror_local_feed": "Remet el flux de vídeo local" + "mirror_local_feed": "Remet el flux de vídeo local", + "audio_input_empty": "No s'ha detectat cap micròfon", + "video_input_empty": "No s'ha detectat cap càmera web" }, "security": { "send_analytics": "Envia dades d'anàlisi", @@ -354,7 +312,28 @@ "add_msisdn_confirm_button": "Confirma l'addició del número de telèfon", "add_msisdn_confirm_body": "Fes clic al botó de sota per confirmar l'addició d'aquest número de telèfon.", "add_msisdn_dialog_title": "Afegeix número de telèfon", - "name_placeholder": "Sense nom visible" + "name_placeholder": "Sense nom visible", + "error_password_change_403": "S'ha produït un error en canviar la contrasenya. És correcta la teva contrasenya?", + "emails_heading": "Adreces de correu electrònic", + "msisdns_heading": "Números de telèfon", + "deactivate_section": "Desactivar el compte", + "error_email_verification": "No s'ha pogut verificar el correu electrònic.", + "incorrect_msisdn_verification": "El codi de verificació és incorrecte", + "error_set_name": "No s'ha pogut establir el nom visible", + "error_invalid_email": "El correu electrònic no és vàlid", + "error_invalid_email_detail": "Sembla que aquest correu electrònic no és vàlid", + "error_add_email": "No s'ha pogut afegir el correu electrònic", + "msisdn_label": "Número de telèfon" + }, + "key_backup": { + "setup_secure_backup": { + "settings_reminder": "També pots configurar la còpia de seguretat segura i gestionar les teves claus a Configuració." + } + }, + "key_export_import": { + "export_title": "Exporta les claus de la sala", + "confirm_passphrase": "Introduïu una contrasenya", + "import_title": "Importa les claus de la sala" } }, "devtools": { @@ -586,7 +565,10 @@ "Other": "Altres", "composer": { "placeholder_reply_encrypted": "Envia una resposta xifrada…", - "placeholder_encrypted": "Envia un missatge xifrat…" + "placeholder_encrypted": "Envia un missatge xifrat…", + "no_perms_notice": "No tens permís per enviar res en aquesta sala", + "poll_button_no_perms_title": "Es necessita permís", + "replying_title": "S'està contestant" }, "room_settings": { "permissions": { @@ -594,7 +576,14 @@ "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" + "permissions_section": "Permisos", + "error_unbanning": "No s'ha pogut expulsar", + "banned_by": "Expulsat per %(displayName)s", + "ban_reason": "Raó", + "error_changing_pl_reqs_title": "Error en canviar requisit del nivell d'autoritat", + "error_changing_pl_reqs_description": "S'ha produït un error en canviar els requisits del nivell d'autoritat de la sala. Assegura't que tens suficients permisos i torna-ho a provar.", + "error_changing_pl_title": "Error en canviar nivell d'autoritat", + "error_changing_pl_description": "S'ha produït un error en canviar el nivell d'autoritat de l'usuari. Assegura't que tens suficients permisos i torna-ho a provar." }, "security": { "history_visibility": {}, @@ -610,7 +599,8 @@ "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" + "url_previews_section": "Previsualitzacions dels URL", + "other_section": "Altres" }, "advanced": { "unfederated": "Aquesta sala no és accessible per a servidors de Matrix remots" @@ -711,7 +701,16 @@ "context_menu": { "favourite": "Favorit", "low_priority": "Baixa prioritat" - } + }, + "invite_this_room": "Convida a aquesta sala", + "header": { + "forget_room_button": "Oblida la sala" + }, + "link_email_to_receive_3pid_invite": "Per rebre invitacions directament a %(brand)s, enllaça aquest correu electrònic amb el teu compte a Configuració.", + "3pid_invite_no_is_subtitle": "Per rebre invitacions directament a %(brand)s, utilitza un servidor d'identitat a Configuració.", + "invite_email_mismatch_suggestion": "Per rebre invitacions directament a %(brand)s, comparteix aquest correu electrònic a Configuració.", + "not_found_title_name": "La sala %(roomName)s no existeix.", + "inaccessible_name": "La sala %(roomName)s no és accessible en aquest moment." }, "file_panel": { "guest_note": "Per poder utilitzar aquesta funcionalitat has de registrar-te", @@ -730,7 +729,13 @@ "bootstrap_title": "Configurant claus", "export_unsupported": "El vostre navegador no és compatible amb els complements criptogràfics necessaris", "import_invalid_keyfile": "El fitxer no és un fitxer de claus de %(brand)s vàlid", - "import_invalid_passphrase": "Ha fallat l'autenticació: heu introduït correctament la contrasenya?" + "import_invalid_passphrase": "Ha fallat l'autenticació: heu introduït correctament la contrasenya?", + "new_recovery_method_detected": { + "warning": "Si no has configurat el teu mètode de recuperació, pot ser que un atacant estigui intentant accedir al teu compte. Canvia la teva contrasenya i configura un nou mètode de recuperació a Configuració, immediatament." + }, + "recovery_method_removed": { + "warning": "Si no has eliminat el mètode de recuperació, pot ser que un atacant estigui intentant accedir al teu compte. Canvia la teva contrasenya i configura un nou mètode de recuperació a Configuració, immediatament." + } }, "labs_mjolnir": { "error_adding_ignore": "Error afegint usuari/servidor ignorat", @@ -798,12 +803,26 @@ "notifications": { "enable_prompt_toast_title": "Notificacions", "error_change_title": "Canvia la configuració de notificacions", - "class_other": "Altres" + "class_other": "Altres", + "default": "Predeterminat", + "all_messages": "Tots els missatges" }, "user_menu": { "settings": "Totes les configuracions" }, "quick_settings": { "all_settings": "Totes les configuracions" + }, + "identity_server": { + "error_connection": "No s'ha pogut connectar amb el servidor d'identitat" + }, + "integration_manager": { + "manage_title": "Gestió d'integracions", + "explainer": "Els gestors d'integracions reben dades de configuració i poden modificar ginys, enviar invitacions a sales i establir nivells d'autoritat en nom teu." + }, + "member_list": { + "invited_list_heading": "Convidat", + "filter_placeholder": "Filtra els membres de la sala", + "power_label": "%(userName)s (autoritat %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/cs.json b/src/i18n/strings/cs.json index 733dc0c036..500086aa80 100644 --- a/src/i18n/strings/cs.json +++ b/src/i18n/strings/cs.json @@ -1,10 +1,6 @@ { - "Filter room members": "Najít člena místnosti", - "Historical": "Historické", "Home": "Domov", "Jump to first unread message.": "Přejít na první nepřečtenou zprávu.", - "Low priority": "Nízká priorita", - "Rooms": "Místnosti", "Sun": "Ne", "Mon": "Po", "Tue": "Út", @@ -25,38 +21,26 @@ "Nov": "Lis", "Dec": "Pro", "Create new room": "Vytvořit novou místnost", - "Failed to change password. Is your password correct?": "Nepodařilo se změnit heslo. Zadáváte své heslo správně?", "unknown error code": "neznámý kód chyby", "Failed to forget room %(errCode)s": "Nepodařilo se zapomenout místnost %(errCode)s", - "No Microphones detected": "Nerozpoznány žádné mikrofony", - "No Webcams detected": "Nerozpoznány žádné webkamery", - "Authentication": "Ověření", "A new password must be entered.": "Musíte zadat nové heslo.", "An error has occurred.": "Nastala chyba.", "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í?", "Custom level": "Vlastní úroveň", - "Deactivate Account": "Deaktivovat účet", "Decrypt %(text)s": "Dešifrovat %(text)s", - "Default": "Výchozí", "Download %(text)s": "Stáhnout %(text)s", "Email address": "E-mailová adresa", - "Enter passphrase": "Zadejte přístupovou frázi", "Error decrypting attachment": "Chyba při dešifrování přílohy", "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í", "Failed to reject invite": "Nepodařilo se odmítnout pozvánku", - "Failed to set display name": "Nepodařilo se nastavit zobrazované jméno", - "Failed to unban": "Zrušení vykázání se nezdařilo", - "Forget room": "Zapomenout místnost", "and %(count)s others...": { "other": "a %(count)s další...", "one": "a někdo další..." }, - "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 must match each other.": "Nová hesla se musí shodovat.", @@ -64,22 +48,14 @@ "AM": "dop.", "PM": "odp.", "No more results": "Žádné další výsledky", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (oprávnění %(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.": "Tuto změnu nepůjde vrátit zpět, protože tomuto uživateli nastavujete stejnou úroveň oprávnění, jakou máte vy.", "Return to login screen": "Vrátit k přihlašovací obrazovce", - "%(roomName)s does not exist.": "%(roomName)s neexistuje.", - "%(roomName)s is not accessible at this time.": "Místnost %(roomName)s není v tuto chvíli dostupná.", "Server may be unavailable, overloaded, or search timed out :(": "Server může být nedostupný, přetížený nebo vyhledávání vypršelo :(", "Session ID": "ID sezení", "This room has no local addresses": "Tato místnost nemá žádné místní adresy", "Warning!": "Upozornění!", - "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", - "This doesn't appear to be a valid email address": "Tato e-mailová adresa se zdá být neplatná", "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", - "Unable to remove contact information": "Nepodařilo se smazat kontaktní údaje", - "Unable to verify email address.": "Nepodařilo se ověřit e-mailovou adresu.", "Uploading %(filename)s and %(count)s others": { "zero": "Nahrávání souboru %(filename)s", "one": "Nahrávání souboru %(filename)s a %(count)s dalších", @@ -89,8 +65,6 @@ "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s", - "Reason": "Důvod", - "Unignore": "Odignorovat", "Admin Tools": "Nástroje pro správce", "Delete Widget": "Smazat widget", "Error decrypting image": "Chyba při dešifrování obrázku", @@ -103,17 +77,8 @@ "other": "(~%(count)s výsledků)", "one": "(~%(count)s výsledek)" }, - "Invited": "Pozvaní", "Search failed": "Vyhledávání selhalo", - "Banned by %(displayName)s": "Vykázán(a) uživatelem %(displayName)s", "Add an Integration": "Přidat začlenění", - "File to import": "Soubor k importu", - "Passphrases must match": "Přístupové fráze se musí shodovat", - "Passphrase must not be empty": "Přístupová fráze nesmí být prázdná", - "Export room keys": "Exportovat klíče místnosti", - "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.": "Tento proces vám umožňuje exportovat do souboru klíče ke zprávám, které jste dostali v šifrovaných místnostech. Když pak tento soubor importujete do jiného Matrix klienta, všechny tyto zprávy bude možné opět dešifrovat.", - "Confirm passphrase": "Potvrďte přístupovou frázi", - "Import room keys": "Importovat klíče místnosti", "Restricted": "Omezené", "%(duration)ss": "%(duration)ss", "%(duration)sm": "%(duration)sm", @@ -134,8 +99,6 @@ "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", - "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", "collapse": "sbalit", "expand": "rozbalit", @@ -149,8 +112,6 @@ "Tuesday": "Úterý", "Saturday": "Sobota", "Monday": "Pondělí", - "Invite to this room": "Pozvat do této místnosti", - "All messages": "Všechny zprávy", "All Rooms": "Všechny místnosti", "You cannot delete this message. (%(code)s)": "Tuto zprávu nemůžete smazat. (%(code)s)", "Thursday": "Čtvrtek", @@ -158,14 +119,12 @@ "Yesterday": "Včera", "Wednesday": "Středa", "Thank you!": "Děkujeme vám!", - "Permission Required": "Vyžaduje oprávnění", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", "This event could not be displayed": "Tato událost nemohla být zobrazena", "Demote yourself?": "Snížit Vaši vlastní hodnost?", "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.": "Tuto změnu nebudete moci vzít zpět, protože snižujete svoji vlastní hodnost, jste-li poslední privilegovaný uživatel v místnosti, bude nemožné vaši současnou hodnost získat zpět.", "Demote": "Degradovat", "Share Link to User": "Sdílet odkaz na uživatele", - "Replying": "Odpovídá", "Share room": "Sdílet místnost", "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", @@ -192,8 +151,6 @@ "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.", - "No Audio Outputs detected": "Nebyly rozpoznány žádné zvukové výstupy", - "Audio Output": "Zvukový výstup", "Manually export keys": "Export klíčů", "You'll lose access to your encrypted messages": "Přijdete o přístup k šifrovaným zprávám", "Are you sure you want to sign out?": "Opravdu se chcete odhlásit?", @@ -205,22 +162,6 @@ "Room Name": "Název místnosti", "Room Topic": "Téma místnosti", "Room avatar": "Avatar místnosti", - "Room information": "Informace o 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", - "Account management": "Správa účtu", - "Phone numbers": "Telefonní čísla", - "Phone Number": "Telefonní číslo", - "Unable to verify phone number.": "Nepovedlo se ověřit telefonní číslo.", - "Verification code": "Ověřovací kód", - "Room Addresses": "Adresy místnosti", - "Ignored users": "Ignorovaní uživatelé", - "This room has been replaced and is no longer active.": "Tato místnost byla nahrazena a už není používaná.", - "The conversation continues here.": "Konverzace pokračuje zde.", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Poslali jsme vám ověřovací e-mail. Postupujte prosím podle instrukcí a pak klepněte na následující tlačítko.", - "Email Address": "E-mailová adresa", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Šifrované zprávy jsou zabezpečené koncovým šifrováním. Klíče pro jejich dešifrování máte jen vy a příjemci zpráv.", "Back up your keys before signing out to avoid losing them.": "Před odhlášením si zazálohujte klíče abyste o ně nepřišli.", "Start using Key Backup": "Začít používat zálohu klíčů", @@ -305,19 +246,7 @@ "No backup found!": "Nenalezli jsme žádnou zálohu!", "Failed to decrypt %(failedCount)s sessions!": "Nepovedlo se rozšifrovat %(failedCount)s sezení!", "Warning: you should only set up key backup from a trusted computer.": "Uporoznění: záloha by měla být prováděna na důvěryhodném počítači.", - "Recovery Method Removed": "Záloha klíčů byla odstraněna", - "Go to Settings": "Přejít do nastavení", - "That matches!": "To odpovídá!", - "That doesn't match.": "To nesedí.", - "Go back to set it again.": "Nastavit heslo znovu.", - "Your keys are being backed up (the first backup could take a few minutes).": "Klíče se zálohují (první záloha může trvat pár minut).", - "Success!": "Úspěch!", - "Unable to create key backup": "Nepovedlo se vyrobit zálohů klíčů", - "Set up Secure Messages": "Nastavit bezpečné obnovení zpráv", - "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.": "Pokud jste způsob obnovy neodstranili vy, mohou se pokoušet k vašemu účtu dostat útočníci. Změňte si raději ihned heslo a nastavte nový způsob obnovy v Nastavení.", "Set up": "Nastavit", - "New Recovery Method": "Nový způsob obnovy", - "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.": "Pokud jste nenastavili nový způsob obnovy vy, mohou se pokoušet k vašemu účtu dostat útočníci. Změňte si raději ihned heslo a nastavte nový způsob obnovy v Nastavení.", "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.", @@ -334,21 +263,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": "Abyste po odhlášení nepřišli o přístup k historii šifrovaných konverzací, měli byste si před odhlášením exportovat šifrovací klíče místností. Prosím vraťte se k novější verzi %(brand)su a exportujte si klíče", "Room Settings - %(roomName)s": "Nastavení místnosti - %(roomName)s", "Could not load user profile": "Nepovedlo se načíst profil uživatele", - "Join the conversation with an account": "Připojte se ke konverzaci s účtem", - "Sign Up": "Zaregistrovat se", - "Reason: %(reason)s": "Důvod: %(reason)s", - "Forget this room": "Zapomenout na tuto místnost", - "Re-join": "Znovu vstoupit", - "You were banned from %(roomName)s by %(memberName)s": "%(memberName)s vás vykázal(a) z místnosti %(roomName)s", - "Something went wrong with your invite to %(roomName)s": "S vaší pozvánkou do místnosti %(roomName)s se něco pokazilo", - "You can only join it with a working invite.": "Vstoupit můžete jen s funkční pozvánkou.", - "Join the discussion": "Zapojit se do diskuze", - "Try to join anyway": "Stejně se pokusit vstoupit", - "Do you want to chat with %(user)s?": "Chcete si povídat s %(user)s?", - "Do you want to join %(roomName)s?": "Chcete vstoupit do místnosti %(roomName)s?", - " invited you": " vás pozval(a)", - "You're previewing %(roomName)s. Want to join it?": "Nahlížíte do místnosti %(roomName)s. Chcete do ní vstoupit?", - "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s si nelze jen tak prohlížet. Chcete do ní vstoupit?", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Aktualizace místnosti uzavře její aktuální verzi a vyrobí novou místnost se stejným názvem a novou verzí.", "This room has already been upgraded.": "Tato místnost byla již aktualizována.", "This room is running room version , which this homeserver has marked as unstable.": "Tato místnost běží na verzi , což domovský server označuje za nestabilní.", @@ -377,35 +291,11 @@ "Upload Error": "Chyba při nahrávání", "Remember my selection for this widget": "Zapamatovat si volbu pro tento widget", "Some characters not allowed": "Nějaké znaky jsou zakázané", - "Add room": "Přidat místnost", "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", "Invalid base_url for m.identity_server": "Neplatná base_url pro m.identity_server", "Identity server URL does not appear to be a valid identity server": "Na URL serveru identit asi není funkční Matrix server", - "Uploaded sound": "Zvuk nahrán", - "Sounds": "Zvuky", - "Notification sound": "Zvuk oznámení", - "Set a new custom sound": "Nastavit vlastní zvuk", - "Browse": "Procházet", - "Checking server": "Kontrolování serveru", - "Change identity server": "Změnit server identit", - "Disconnect from the identity server and connect to instead?": "Odpojit se ze serveru a připojit na ?", - "Terms of service not accepted or the identity server is invalid.": "Neodsouhlasené podmínky použití a nebo neplatný server identit.", - "The identity server you have chosen does not have any terms of service.": "Vybraný server identit nemá žádné podmínky použití.", - "Disconnect identity server": "Odpojit se ze serveru identit", - "Disconnect from the identity server ?": "Odpojit se ze serveru identit ?", - "You are still sharing your personal data on the identity server .": "Pořád sdílíte osobní údaje se serverem identit .", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Než se odpojíte, doporučujeme odstranit e-mailovou adresu a telefonní číslo ze serveru identit.", - "Disconnect anyway": "Stejně se odpojit", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Pro hledání existujících kontaktů používáte server identit . Níže ho můžete změnit.", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Pokud nechcete na hledání existujících kontaktů používat server , zvolte si jiný server.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Pro hledání existujících kontaktů nepoužíváte žádný server identit . Abyste mohli hledat kontakty, nějaký níže nastavte.", - "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.": "Po odpojení od serveru identit nebude možné vás najít podle e-mailové adresy ani telefonního čísla, a zároveň podle nich ani vy nebudete moci hledat ostatní kontakty.", - "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.": "Použití serveru identit je volitelné. Nemusíte server identit používat, ale nepůjde vás pak najít podle e-mailové adresy ani telefonního čísla a vy také nebudete moci hledat ostatní.", - "Do not use an identity server": "Nepoužívat server identit", - "Enter a new identity server": "Zadejte nový server identit", - "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Pro zapsáním do registru e-mailových adres a telefonních čísel odsouhlaste podmínky používání serveru (%(serverName)s).", "Deactivate account": "Deaktivace účtu", "Use an identity server to invite by email. Use the default (%(defaultIdentityServerName)s) or manage in Settings.": "Odeslat pozvánku pomocí serveru identit. Použít výchozí (%(defaultIdentityServerName)s) nebo přenastavit Nastavení.", "Use an identity server to invite by email. Manage in Settings.": "Odeslat pozvánku pomocí serveru identit. Přenastavit v Nastavení.", @@ -419,29 +309,6 @@ "Command Help": "Nápověda příkazu", "Find others by phone or email": "Najít ostatní pomocí e-mailu nebo telefonu", "Be found by phone or email": "Umožnit ostatním mě nalézt pomocí e-mailu nebo telefonu", - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Před odpojením byste měli smazat osobní údaje ze serveru identit . Bohužel, server je offline nebo neodpovídá.", - "You should:": "Měli byste:", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "zkontrolujte, jestli nemáte v prohlížeči nějaký doplněk blokující server identit (např. Privacy Badger)", - "contact the administrators of identity server ": "kontaktujte správce serveru identit ", - "wait and try again later": "počkejte a zkuste to znovu později", - "Discovery": "Objevování", - "Error changing power level requirement": "Chyba změny požadavku na úroveň oprávnění", - "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Došlo k chybě při změně požadované úrovně oprávnění v místnosti. Ubezpečte se, že na to máte dostatečná práva, a zkuste to znovu.", - "Error changing power level": "Chyba při změně úrovně oprávnění", - "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Došlo k chybě při změně úrovně oprávnění uživatele. Ubezpečte se, že na to máte dostatečná práva, a zkuste to znovu.", - "Unable to revoke sharing for email address": "Nepovedlo se zrušit sdílení e-mailové adresy", - "Unable to share email address": "Nepovedlo se nasdílet e-mailovou adresu", - "Your email address hasn't been verified yet": "Vaše e-mailová adresa ještě nebyla ověřena", - "Click the link in the email you received to verify and then click continue again.": "Pro ověření a pokračování klepněte na odkaz v e-mailu, který vím přišel.", - "Verify the link in your inbox": "Ověřte odkaz v e-mailové schránce", - "Discovery options will appear once you have added an email above.": "Možnosti nastavení veřejného profilu se objeví po přidání e-mailové adresy výše.", - "Unable to revoke sharing for phone number": "Nepovedlo se zrušit sdílení telefonního čísla", - "Unable to share phone number": "Nepovedlo se nasdílet telefonní číslo", - "Please enter verification code sent via text.": "Zadejte prosím ověřovací SMS kód.", - "Discovery options will appear once you have added a phone number above.": "Možnosti nastavení veřejného profilu se objeví po přidání telefonního čísla výše.", - "Remove %(email)s?": "Odstranit adresu %(email)s?", - "Remove %(phone)s?": "Odstranit %(phone)s?", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "SMS zpráva byla odeslána na +%(msisdn)s. Zadejte prosím ověřovací kód, který obsahuje.", "No recent messages by %(user)s found": "Nebyly nalezeny žádné nedávné zprávy od uživatele %(user)s", "Try scrolling up in the timeline to see if there are any earlier ones.": "Zkuste posunout časovou osu nahoru, jestli tam nejsou nějaké dřívější.", "Remove recent messages by %(user)s": "Odstranit nedávné zprávy od uživatele %(user)s", @@ -454,13 +321,6 @@ "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?": "Deaktivování uživatele ho odhlásí a zabrání mu v opětovném přihlášení. Navíc bude odstraněn ze všech místností. Akci nelze vzít zpět. Opravdu chcete uživatele deaktivovat?", "Deactivate user": "Deaktivovat uživatele", "Remove recent messages": "Odstranit nedávné zprávy", - "Italics": "Kurzívou", - "Room %(name)s": "Místnost %(name)s", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Pozvánka do místnosti %(roomName)s byla poslána na adresu %(email)s, která není k tomuto účtu přidána", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Přidejte si tento e-mail k účtu v Nastavení, abyste dostávali pozvání přímo v %(brand)su.", - "This invite to %(roomName)s was sent to %(email)s": "Pozvánka do %(roomName)s byla odeslána na adresu %(email)s", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Používat server identit z nastavení k přijímání pozvánek přímo v %(brand)su.", - "Share this email in Settings to receive invites directly in %(brand)s.": "Sdílet tento e-mail v nastavení, abyste mohli dostávat pozvánky přímo v %(brand)su.", "Failed to deactivate user": "Deaktivace uživatele se nezdařila", "This client does not support end-to-end encryption.": "Tento klient nepodporuje koncové šifrování.", "Messages in this room are not end-to-end encrypted.": "Zprávy nejsou koncově šifrované.", @@ -480,14 +340,7 @@ "e.g. my-room": "např. moje-mistnost", "Upload all": "Nahrát vše", "Resend %(unsentCount)s reaction(s)": "Poslat %(unsentCount)s reakcí znovu", - "Explore rooms": "Procházet místnosti", - "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", - "Manage integrations": "Správa integrací", - "None": "Žádné", "Unencrypted": "Nezašifrované", - " wants to chat": " si chce psát", - "Start chatting": "Zahájit konverzaci", "Failed to connect to integration manager": "Nepovedlo se připojit ke správci integrací", "Messages in this room are end-to-end encrypted.": "Zprávy jsou v této místnosti koncově šifrované.", "You have ignored this user, so their message is hidden. Show anyways.": "Tohoto uživatele ignorujete, takže jsou jeho zprávy skryté. Přesto zobrazit.", @@ -499,8 +352,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.": "Toto obvykle ovlivňuje pouze zpracovávání místnosti na serveru. Pokud máte problém s %(brand)sem, nahlaste nám ho prosím.", "You'll upgrade this room from to .": "Místnost bude povýšena z verze na verzi .", "Verification Request": "Požadavek na ověření", - "Unable to set up secret storage": "Nepovedlo se nastavit bezpečné úložiště", - "Close preview": "Zavřít náhled", "Hide verified sessions": "Skrýt ověřené relace", "%(count)s verified sessions": { "other": "%(count)s ověřených relací", @@ -511,8 +362,6 @@ "Lock": "Zámek", "Show more": "Více", "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", - "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í", "This user has not verified all of their sessions.": "Tento uživatel zatím neověřil všechny své relace.", "You have not verified this user.": "Tohoto uživatele jste neověřili.", "You have verified this user. This user has verified all of their sessions.": "Tohoto uživatele jste ověřili a on ověřil všechny své relace.", @@ -522,7 +371,6 @@ "Encrypted by an unverified session": "Šifrované neověřenou relací", "Encrypted by a deleted session": "Šifrované smazanou relací", "Direct Messages": "Přímé zprávy", - "Reject & Ignore user": "Odmítnout a ignorovat uživatele", "Waiting for %(displayName)s to accept…": "Čekáme, než %(displayName)s výzvu přijme…", "Start Verification": "Zahájit ověření", "Your messages are secured and only you and the recipient have the unique keys to unlock them.": "Vaše zprávy jsou zabezpečené - pouze vy a jejich příjemci máte klíče potřebné k jejich přečtení.", @@ -556,10 +404,6 @@ "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í", - "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.", - "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Aktualizujte tuto přihlášenou relaci abyste mohli ověřovat ostatní relace. Tím jim dáte přístup k šifrovaným konverzacím a ostatní uživatelé je jim budou automaticky věřit.", "Destroy cross-signing keys?": "Nenávratně smazat klíče pro křížové podepisování?", "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.": "Smazání klíčů pro křížové podepisování je definitivní. Každý, kdo vás ověřil, teď uvidí bezpečnostní varování. Pokud jste zrovna neztratili všechna zařízení, ze kterých se můžete ověřit, tak to asi nechcete udělat.", "Clear cross-signing keys": "Smazat klíče pro křížové podepisování", @@ -569,10 +413,6 @@ "Verify by scanning": "Ověřte naskenováním", "You declined": "Odmítli jste", "%(name)s declined": "%(name)s odmítl(a)", - "Upgrade your encryption": "Aktualizovat šifrování", - "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.", "Accepting…": "Přijímání…", "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.", @@ -615,7 +455,6 @@ "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ů.", "Ok": "Ok", - "Room options": "Možnosti místnosti", "This room is public": "Tato místnost je veřejná", "Error creating address": "Chyba při tvorbě adresy", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Při vytváření adresy došlo k chybě. Mohl to zakázat server, nebo mohlo dojít k dočasnému selhání.", @@ -635,10 +474,7 @@ "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.", - "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.", - "No recently visited rooms": "Žádné nedávno navštívené místnosti", - "Explore public rooms": "Prozkoumat veřejné místnosti", "Preparing to download logs": "Příprava na stažení záznamů", "a new cross-signing key signature": "nový klíč pro křížový podpis", "a key signature": "podpis klíče", @@ -657,13 +493,10 @@ "United Kingdom": "Spojené Království", "Add widgets, bridges & bots": "Přidat widgety, propojení a boty", "Widgets": "Widgety", - "Show Widgets": "Zobrazit widgety", - "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", "Backup version:": "Verze zálohy:", "Switch theme": "Přepnout téma", - "Use a different passphrase?": "Použít jinou přístupovou frázi?", "Looks good!": "To vypadá dobře!", "Wrong file type": "Špatný typ souboru", "The server has denied your request.": "Server odmítl váš požadavek.", @@ -671,10 +504,6 @@ "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.", - "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íč", - "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.", "Invite by email": "Pozvat emailem", "Reason (optional)": "Důvod (volitelné)", "Sign in with SSO": "Přihlásit pomocí SSO", @@ -839,11 +668,9 @@ "Use your Security Key to continue.": "Pokračujte pomocí bezpečnostního klíče.", "If they don't match, the security of your communication may be compromised.": "Pokud se neshodují, bezpečnost vaší komunikace může být kompromitována.", "Confirm this user's session by comparing the following with their User Settings:": "Potvrďte relaci tohoto uživatele porovnáním následujícího s jeho uživatelským nastavením:", - "Confirm Security Phrase": "Potvrďte bezpečnostní frázi", "Click the button below to confirm setting up encryption.": "Kliknutím na tlačítko níže potvrďte nastavení šifrování.", "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 encrypted": "Není šifrováno", "Approve widget permissions": "Schválit oprávnění widgetu", "Ignored attempt to disable encryption": "Ignorovaný pokus o deaktivaci šifrování", @@ -943,9 +770,6 @@ "Nauru": "Nauru", "Namibia": "Namibie", "Security Phrase": "Bezpečnostní fráze", - "Unable to query secret storage status": "Nelze zjistit stav úložiště klíčů", - "You can also set up Secure Backup & manage your keys in Settings.": "Zabezpečené zálohování a správu klíčů můžete také nastavit v Nastavení.", - "Set a Security Phrase": "Nastavit bezpečnostní frázi", "Start a conversation with someone using their name or username (like ).": "Začněte konverzaci s někým pomocí jeho jména nebo uživatelského jména (například ).", "Invite someone using their name, username (like ) or share this room.": "Pozvěte někoho pomocí svého jména, uživatelského jména (například ) nebo sdílejte tuto místnost.", "Confirm by comparing the following with the User Settings in your other session:": "Potvrďte porovnáním následujícího s uživatelským nastavením v jiné relaci:", @@ -957,7 +781,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íčů", - "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.", "Continuing without email": "Pokračuje se bez e-mailu", "Video conference started by %(senderName)s": "Videokonferenci byla zahájena uživatelem %(senderName)s", "Video conference updated by %(senderName)s": "Videokonference byla aktualizována uživatelem %(senderName)s", @@ -986,12 +809,8 @@ "Access your secure message history and set up secure messaging by entering your Security Key.": "Vstupte do historie zabezpečených zpráv a nastavte zabezpečené zprávy zadáním bezpečnostního klíče.", "Access your secure message history and set up secure messaging by entering your Security Phrase.": "Vstupte do historie zabezpečených zpráv a nastavte zabezpečené zprávy zadáním bezpečnostní fráze.", "Unable to access secret storage. Please verify that you entered the correct Security Phrase.": "Nelze získat přístup k zabezpečenému úložišti. Ověřte, zda jste zadali správnou bezpečnostní frázi.", - "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Tato relace zjistila, že byla odstraněna vaše bezpečnostní fráze a klíč pro zabezpečené zprávy.", - "A new Security Phrase and key for Secure Messages have been detected.": "Byla zjištěna nová bezpečnostní fráze a klíč pro zabezpečené zprávy.", - "Confirm your Security Phrase": "Potvrďte svou bezpečnostní frázi", "This looks like a valid Security Key!": "Vypadá to jako platný bezpečnostní klíč!", "Invalid Security Key": "Neplatný bezpečnostní klíč", - "Great! This Security Phrase looks strong enough.": "Skvělé! Tato bezpečnostní fráze vypadá dostatečně silně.", "Not a valid Security Key": "Neplatný bezpečnostní klíč", "Enter Security Key": "Zadejte bezpečnostní klíč", "Enter Security Phrase": "Zadejte bezpečnostní frázi", @@ -1002,7 +821,6 @@ "Remember this": "Zapamatujte si toto", "The widget will verify your user ID, but won't be able to perform actions for you:": "Widget ověří vaše uživatelské ID, ale nebude za vás moci provádět akce:", "Allow this widget to verify your identity": "Povolte tomuto widgetu ověřit vaši identitu", - "Recently visited rooms": "Nedávno navštívené místnosti", "%(count)s members": { "one": "%(count)s člen", "other": "%(count)s členů" @@ -1016,15 +834,10 @@ "Create a new room": "Vytvořit novou místnost", "Space selection": "Výběr prostoru", "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.": "Tuto změnu nebudete moci vrátit zpět, protože budete degradováni, pokud jste posledním privilegovaným uživatelem v daném prostoru, nebude možné znovu získat oprávnění.", - "Suggested Rooms": "Doporučené místnosti", - "Add existing room": "Přidat existující místnost", - "Invite to this space": "Pozvat do tohoto prostoru", "Your message was sent": "Zpráva byla odeslána", "Leave space": "Opusit prostor", "Create a space": "Vytvořit prostor", "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", - "Public space": "Veřejný prostor", " 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", @@ -1040,7 +853,6 @@ "other": "%(count)s lidí, které znáte, se již připojili" }, "Invited people will be able to read old messages.": "Pozvaní lidé budou moci číst staré zprávy.", - "Verify your identity to access encrypted messages and prove your identity to others.": "Ověřte svou identitu, abyste získali přístup k šifrovaným zprávám a prokázali svou identitu ostatním.", "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", @@ -1066,8 +878,6 @@ "other": "Zobrazit všech %(count)s členů" }, "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.", "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...", @@ -1084,10 +894,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", - "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í" - }, "Or send invite link": "Nebo pošlete pozvánku", "Some suggestions may be hidden for privacy.": "Některé návrhy mohou být z důvodu ochrany soukromí skryty.", "Search for rooms or people": "Hledat místnosti nebo osoby", @@ -1104,18 +910,9 @@ "Published addresses can be used by anyone on any server to join your room.": "Zveřejněné adresy může použít kdokoli na jakémkoli serveru, aby se připojil k vaší místnosti.", "Published addresses can be used by anyone on any server to join your space.": "Zveřejněné adresy může použít kdokoli na jakémkoli serveru, aby se připojil k vašemu prostoru.", "This space has no local addresses": "Tento prostor nemá žádné místní adresy", - "Space information": "Informace o prostoru", - "Address": "Adresa", "Unnamed audio": "Nepojmenovaný audio soubor", "Error processing audio message": "Došlo k chybě při zpracovávání hlasové zprávy", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Váš %(brand)s neumožňuje použít správce integrací. Kontaktujte prosím správce.", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Správci integrace přijímají konfigurační data a mohou vaším jménem upravovat widgety, odesílat pozvánky do místností a nastavovat úrovně oprávnění.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Použít správce integrací na správu botů, widgetů a nálepek.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Použít správce integrací (%(serverName)s) na správu botů, widgetů a nálepek.", - "Identity server (%(server)s)": "Server identit (%(server)s)", - "Could not connect to identity server": "Nepodařilo se připojit k serveru identit", - "Not a valid identity server (status code %(code)s)": "Toto není platný server identit (stavový kód %(code)s)", - "Identity server URL must be HTTPS": "Adresa serveru identit musí být na HTTPS", "Please note upgrading will make a new version of the room. All current messages will stay in this archived room.": "Upozorňujeme, že aktualizací vznikne nová verze místnosti. Všechny aktuální zprávy zůstanou v této archivované místnosti.", "Automatically invite members from this room to the new one": "Automaticky pozvat členy této místnosti do nové místnosti", "These are likely ones other room admins are a part of.": "Pravděpodobně se jedná o ty, kterých se účastní i ostatní správci místností.", @@ -1134,15 +931,9 @@ "Could not connect media": "Nepodařilo se připojit média", "Unable to copy a link to the room to the clipboard.": "Nelze zkopírovat odkaz na místnost do schránky.", "Unable to copy room link": "Nelze zkopírovat odkaz na místnost", - "Public room": "Veřejná místnost", "The call is in an unknown state!": "Hovor je v neznámém stavu!", "Call back": "Zavolat zpět", - "Show %(count)s other previews": { - "one": "Zobrazit %(count)s další náhled", - "other": "Zobrazit %(count)s dalších náhledů" - }, "Add existing space": "Přidat stávající prostor", - "Add space": "Přidat prostor", "Leave %(spaceName)s": "Opustit %(spaceName)s", "You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Jste jediným správcem některých místností nebo prostorů, které chcete opustit. Jejich opuštěním zůstanou bez správců.", "You're the only admin of this space. Leaving it will mean no one has control over it.": "Jste jediným správcem tohoto prostoru. Jeho opuštění bude znamenat, že nad ním nebude mít nikdo kontrolu.", @@ -1169,9 +960,6 @@ "Results": "Výsledky", "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í", - "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.", "Would you like to leave the rooms in this space?": "Chcete odejít z místností v tomto prostoru?", "You are about to leave .": "Odcházíte z .", @@ -1181,13 +969,7 @@ "MB": "MB", "In reply to this message": "V odpovědi na tuto zprávu", "Export chat": "Exportovat chat", - "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.": "Resetování ověřovacích klíčů nelze vrátit zpět. Po jejich resetování nebudete mít přístup ke starým zašifrovaným zprávám a všem přátelům, kteří vás dříve ověřili, se zobrazí bezpečnostní varování, dokud se u nich znovu neověříte.", - "Proceed with reset": "Pokračovat v resetování", - "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.": "Vypadá to, že nemáte bezpečnostní klíč ani žádné jiné zařízení, které byste mohli ověřit. Toto zařízení nebude mít přístup ke starým šifrovaným zprávám. Abyste mohli na tomto zařízení ověřit svou totožnost, budete muset resetovat ověřovací klíče.", "Really reset verification keys?": "Opravdu chcete resetovat ověřovací klíče?", - "I'll verify later": "Ověřím se později", - "Verify with Security Key": "Ověření pomocí bezpečnostního klíče", - "Verify with Security Key or Phrase": "Ověření pomocí bezpečnostního klíče nebo fráze", "Skip verification for now": "Prozatím přeskočit ověřování", "They won't be able to access whatever you're not an admin of.": "Nebudou mít přístup ke všemu, čeho nejste správcem.", "Unban them from specific things I'm able to": "Zrušit jejich vykázání z konkrétních míst, kde mám oprávnění", @@ -1205,30 +987,19 @@ }, "View in room": "Zobrazit v místnosti", "Enter your Security Phrase or to continue.": "Zadejte bezpečnostní frázi nebo pro pokračování.", - "Insert link": "Vložit odkaz", "Joined": "Připojeno", - "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.", - "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Bez ověření nebudete mít přístup ke všem svým zprávám a můžete se ostatním jevit jako nedůvěryhodní.", "Joining": "Připojování", "If you can't see who you're looking for, send them your invite link below.": "Pokud nevidíte, koho hledáte, pošlete mu odkaz na pozvánku níže.", "In encrypted rooms, verify all users to ensure it's secure.": "V šifrovaných místnostech ověřte všechny uživatele, abyste zajistili bezpečnost komunikace.", "Yours, or the other users' session": "Vaše relace nebo relace ostatních uživatelů", "Yours, or the other users' internet connection": "Vaše internetové připojení nebo připojení ostatních uživatelů", "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.", - "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", "Reply in thread": "Odpovědět ve vlákně", "Forget": "Zapomenout", "Files": "Soubory", - "You won't get any notifications": "Nebudete dostávat žádná oznámení", - "Get notified only with mentions and keywords as set up in your settings": "Dostávat oznámení pouze o zmínkách a klíčových slovech podle nastavení", - "@mentions & keywords": "@zmínky a klíčová slova", - "Get notified for every message": "Dostávat oznámení o každé zprávě", - "Get notifications as set up in your settings": "Dostávat oznámení podle nastavení", "Close this widget to view it in this panel": "Zavřít tento widget a zobrazit ho na tomto panelu", "Unpin this widget to view it in this panel": "Odepnout tento widget a zobrazit ho na tomto panelu", "Based on %(count)s votes": { @@ -1252,12 +1023,6 @@ "Messaging": "Zprávy", "Spaces you know that contain this space": "Prostory, které znáte obsahující tento prostor", "Chat": "Chat", - "Home options": "Možnosti domovské obrazovky", - "%(spaceName)s menu": "Nabídka pro %(spaceName)s", - "Join public room": "Připojit se k veřejné místnosti", - "Add people": "Přidat lidi", - "Invite to space": "Pozvat do prostoru", - "Start new chat": "Zahájit nový chat", "Recently viewed": "Nedávno zobrazené", "%(count)s votes cast. Vote to see the results": { "other": "%(count)s hlasů. Hlasujte a podívejte se na výsledky", @@ -1290,9 +1055,6 @@ "This address had invalid server or is already in use": "Tato adresa měla neplatný server nebo je již používána", "Missing domain separator e.g. (:domain.org)": "Chybí oddělovač domény, např. (:domain.org)", "Missing room name or separator e.g. (my-room:domain.org)": "Chybí název místnosti nebo oddělovač, např. (my-room:domain.org)", - "Your new device is now verified. Other users will see it as trusted.": "Vaše nové zařízení je nyní ověřeno. Ostatní uživatelé jej uvidí jako důvěryhodné.", - "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Vaše nové zařízení je nyní ověřeno. Má přístup k vašim zašifrovaným zprávám a ostatní uživatelé jej budou považovat za důvěryhodné.", - "Verify with another device": "Ověřit pomocí jiného zařízení", "Device verified": "Zařízení ověřeno", "Verify this device": "Ověřit toto zařízení", "Unable to verify this device": "Nelze ověřit toto zařízení", @@ -1307,7 +1069,6 @@ "Remove them from specific things I'm able to": "Odebrat je z konkrétních míst, kam mohu", "Remove them from everything I'm able to": "Odebrat je ze všeho, kde mohu", "Remove from %(roomName)s": "Odebrat z %(roomName)s", - "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", "Pick a date to jump to": "Vyberte datum, na které chcete přejít", @@ -1316,9 +1077,6 @@ "Wait!": "Pozor!", "This address does not point at this room": "Tato adresa neukazuje na tuto místnost", "Location": "Poloha", - "Poll": "Hlasování", - "Voice Message": "Hlasová zpráva", - "Hide stickers": "Skrýt nálepky", "Use to scroll": "K pohybu použijte ", "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", @@ -1347,34 +1105,13 @@ "one": "Chystáte se odstranit %(count)s zprávu od %(user)s. Tím ji trvale odstraníte pro všechny účastníky konverzace. Přejete si pokračovat?", "other": "Chystáte se odstranit %(count)s zpráv od %(user)s. Tím je trvale odstraníte pro všechny účastníky konverzace. Přejete si pokračovat?" }, - "Currently removing messages in %(count)s rooms": { - "one": "Momentálně se odstraňují zprávy v %(count)s místnosti", - "other": "Momentálně se odstraňují zprávy v %(count)s místnostech" - }, "Unsent": "Neodeslané", "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.": "Můžete použít vlastní volbu serveru a přihlásit se k jiným Matrix serverům zadáním adresy URL domovského serveru. To vám umožní používat %(brand)s s existujícím Matrix účtem na jiném domovském serveru.", - "%(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.": "Při pokusu o přístup do místnosti nebo prostoru bylo vráceno %(errcode)s. Pokud si myslíte, že se vám tato zpráva zobrazuje chybně, pošlete prosím hlášení o chybě.", - "Try again later, or ask a room or space admin to check if you have access.": "Zkuste to později nebo požádejte správce místnosti či prostoru, aby zkontroloval, zda máte přístup.", - "This room or space is not accessible at this time.": "Tato místnost nebo prostor není v tuto chvíli přístupná.", - "Are you sure you're at the right place?": "Jste si jisti, že jste na správném místě?", - "This room or space does not exist.": "Tato místnost nebo prostor neexistuje.", - "There's no preview, would you like to join?": "Není k dispozici žádný náhled, chcete se připojit?", - "This invite was sent to %(email)s": "Tato pozvánka byla odeslána na adresu %(email)s", - "This invite was sent to %(email)s which is not associated with your account": "Tato pozvánka byla odeslána na adresu %(email)s, která není spojena s vaším účtem", - "You can still join here.": "Zde se můžete stále připojit.", - "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.": "Při pokusu o ověření vaší pozvánky byla vrácena chyba (%(errcode)s). Tuto informaci můžete zkusit předat osobě, která vás pozvala.", - "Something went wrong with your invite.": "Něco se pokazilo s vaší pozvánkou.", - "You were banned by %(memberName)s": "Byl(a) jsi vykázán(a) uživatelem %(memberName)s", - "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", "An error occurred while stopping your live location, please try again": "Při ukončování vaší polohy živě došlo k chybě, zkuste to prosím znovu", "%(count)s participants": { "one": "1 účastník", "other": "%(count)s účastníků" }, - "New video room": "Nová video místnost", - "New room": "Nová místnost", "%(featureName)s Beta feedback": "Zpětná vazba beta funkce %(featureName)s", "Live location ended": "Sdílení polohy živě skončilo", "View live location": "Zobrazit polohu živě", @@ -1405,11 +1142,6 @@ "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.": "Byli jste odhlášeni ze všech zařízení a již nebudete dostávat push oznámení. Chcete-li oznámení znovu povolit, znovu se přihlaste na každém zařízení.", "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.": "Pokud si chcete zachovat přístup k historii chatu v zašifrovaných místnostech, nastavte si zálohování klíčů nebo exportujte klíče zpráv z některého z dalších zařízení, než budete pokračovat.", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Odhlášením zařízení odstraníte šifrovací klíče zpráv, které jsou v nich uloženy, a historie zašifrovaných chatů tak nebude čitelná.", - "Seen by %(count)s people": { - "one": "Viděl %(count)s člověk", - "other": "Vidělo %(count)s lidí" - }, - "Your password was successfully changed.": "Vaše heslo bylo úspěšně změněno.", "An error occurred while stopping your live location": "Při ukončování sdílení polohy živě došlo k chybě", "%(members)s and %(last)s": "%(members)s a %(last)s", "%(members)s and more": "%(members)s a více", @@ -1418,18 +1150,10 @@ "Output devices": "Výstupní zařízení", "Input devices": "Vstupní zařízení", "Show Labs settings": "Zobrazit nastavení Experimentálních funkcí", - "To join, please enable video rooms in Labs first": "Pro vstup, povolte prosím nejprve video místnosti v Experimentálních funkcích", - "To view, please enable video rooms in Labs first": "Pro zobrazení, povolte prosím nejprve video místnosti v Experimentálních funkcích", - "To view %(roomName)s, you need an invite": "Pro zobrazení %(roomName)s potřebujete pozvánku", - "Private room": "Soukromá místnost", - "Video room": "Video místnost", "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ě", - "Joining…": "Připojování…", "Unread email icon": "Ikona nepřečteného e-mailu", - "Read receipts": "Potvrzení o přečtení", - "Deactivating your account is a permanent action — be careful!": "Deaktivace účtu je trvalá akce - buďte opatrní!", "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.", "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é", @@ -1452,7 +1176,6 @@ "Show spaces": "Zobrazit prostory", "Show rooms": "Zobrazit místnosti", "Explore public spaces in the new search dialog": "Prozkoumejte veřejné prostory v novém dialogu vyhledávání", - "Join the room to participate": "Připojte se k místnosti a zúčastněte se", "Stop and close": "Zastavit a zavřít", "You need to have the right permissions in order to share locations in this room.": "Ke sdílení polohy v této místnosti musíte mít správná oprávnění.", "You don't have permission to share locations": "Nemáte oprávnění ke sdílení polohy", @@ -1468,22 +1191,10 @@ "We're creating a room with %(names)s": "Vytváříme místnost s %(names)s", "Interactively verify by emoji": "Interaktivní ověření pomocí emoji", "Manually verify by text": "Ruční ověření pomocí textu", - "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s nebo %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s nebo %(recoveryFile)s", - "Video call (Jitsi)": "Videohovor (Jitsi)", - "Failed to set pusher state": "Nepodařilo se nastavit stav push oznámení", "Video call ended": "Videohovor ukončen", "%(name)s started a video call": "%(name)s zahájil(a) videohovor", "Room info": "Informace o místnosti", - "View chat timeline": "Zobrazit časovou osu konverzace", - "Close call": "Zavřít hovor", - "Freedom": "Svoboda", - "Spotlight": "Reflektor", - "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í.", - "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s je koncově šifrovaný, ale v současné době je omezen na menší počet uživatelů.", - "Enable %(brand)s as an additional calling option in this room": "Povolit %(brand)s jako další možnost volání v této místnosti", "Completing set up of your new device": "Dokončování nastavení nového zařízení", "Waiting for device to sign in": "Čekání na přihlášení zařízení", "Review and approve the sign in": "Zkontrolovat a schválit přihlášení", @@ -1502,16 +1213,8 @@ "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 formatting": "Zobrazit formátování", - "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ě", - "Connection": "Připojení", - "Voice processing": "Zpracování hlasu", - "Voice settings": "Nastavení hlasu", - "Video settings": "Nastavení videa", - "Automatically adjust the microphone volume": "Automaticky upravit hlasitost mikrofonu", - "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", "Too many attempts in a short time. Retry after %(timeout)s.": "Příliš mnoho pokusů v krátkém čase. Zkuste to znovu po %(timeout)s.", @@ -1520,7 +1223,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Í: ", - "Change layout": "Změnit rozvržení", "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", " in %(room)s": " v %(room)s", @@ -1530,35 +1232,24 @@ "Can't start voice message": "Nelze spustit hlasovou zprávu", "Edit link": "Upravit odkaz", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", - "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", "unknown": "neznámé", "Declining…": "Odmítání…", "There are no past polls in this room": "V této místnosti nejsou žádná minulá hlasování", "There are no active polls in this room": "V této místnosti nejsou žádná aktivní hlasování", - "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.", "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'.", - "Starting backup…": "Zahájení zálohování…", "Connecting…": "Připojování…", "Loading live location…": "Načítání polohy živě…", "Fetching keys from server…": "Načítání klíčů ze serveru…", "Checking…": "Kontrola…", "Waiting for partner to confirm…": "Čekání na potvrzení partnerem…", - "Joining room…": "Vstupování do místnosti…", - "Joining space…": "Připojování k prostoru…", "Adding…": "Přidání…", - "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…", "Starting export process…": "Zahájení procesu exportu…", - "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.": "Zadejte bezpečnostní frázi, kterou znáte jen vy, protože slouží k ochraně vašich dat. V zájmu bezpečnosti byste neměli heslo k účtu používat opakovaně.", - "Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Pokračujte pouze v případě, že jste si jisti, že jste ztratili všechna ostatní zařízení a bezpečnostní klíč.", - "Secure Backup successful": "Bezpečné zálohování bylo úspěšné", - "Your keys are now being backed up from this device.": "Vaše klíče jsou nyní zálohovány z tohoto zařízení.", "Loading polls": "Načítání hlasování", "The sender has blocked you from receiving this message": "Odesílatel vám zablokoval přijetí této zprávy", "Due to decryption errors, some votes may not be counted": "Kvůli chybám v dešifrování nemusí být některé hlasy započítány", @@ -1596,64 +1287,17 @@ "Start DM anyway": "Zahájit přímou zprávu i přesto", "Start DM anyway and never warn me again": "Zahájit přímou zprávu i přesto a nikdy už mě nevarovat", "Unable to find profiles for the Matrix IDs listed below - would you like to start a DM anyway?": "Není možné najít uživatelské profily pro níže uvedené Matrix ID - chcete přesto založit DM?", - "Formatting": "Formátování", - "Upload custom sound": "Nahrát vlastní zvuk", - "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)", "Search all rooms": "Vyhledávat ve všech místnostech", "Search this room": "Vyhledávat v této místnosti", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "Jakmile se pozvaní uživatelé připojí k %(brand)s, budete moci chatovat a místnost bude koncově šifrovaná", "Waiting for users to join %(brand)s": "Čekání na připojení uživatelů k %(brand)s", - "You do not have permission to invite users": "Nemáte oprávnění zvát uživatele", - "Great! This passphrase looks strong enough": "Skvělé! Tato bezpečnostní fráze vypadá dostatečně silná", "Note that removing room changes like this could undo the change.": "Upozorňujeme, že odstranění takových změn v místnosti by mohlo vést ke zrušení změny.", - "Email summary": "E-mailový souhrn", - "Select which emails you want to send summaries to. Manage your emails in .": "Vyberte e-maily, na které chcete zasílat souhrny. E-maily můžete spravovat v nastavení .", - "People, Mentions and Keywords": "Lidé, zmínky a klíčová slova", - "Show message preview in desktop notification": "Zobrazit náhled zprávy v oznámení na ploše", - "I want to be notified for (Default Setting)": "Chci být upozorňován na (Výchozí nastavení)", - "Play a sound for": "Přehrát zvuk pro", - "Applied by default to all rooms on all devices.": "Ve výchozím stavu se používá pro všechny místnosti na všech zařízeních.", - "Invited to a room": "Pozvaný do místnosti", - "Notify when someone mentions using @displayname or %(mxid)s": "Upozornit, když se někdo zmíní pomocí @displayname nebo %(mxid)s", - "Notify when someone uses a keyword": "Upozornit, když někdo použije klíčové slovo", - "Quick Actions": "Rychlé akce", - "Mark all messages as read": "Označit všechny zprávy jako přečtené", "Messages here are end-to-end encrypted. Verify %(displayName)s in their profile - tap on their profile picture.": "Zprávy jsou zde koncově šifrovány. Ověřte %(displayName)s v jeho profilu - klepněte na jeho profilový obrázek.", - "Email Notifications": "E-mailová oznámení", - "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.", - "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", - "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Exportovaný soubor umožní komukoli, kdo si jej přečte, dešifrovat všechny šifrované zprávy, které vidíte, takže byste měli dbát na jeho zabezpečení. K tomu vám pomůže níže uvedená jedinečná přístupová fráze, která bude použita pouze k zašifrování exportovaných dat. Importovat data bude možné pouze pomocí stejné přístupové fráze.", - "Mentions and Keywords only": "Pouze zmínky a klíčová slova", - "This setting will be applied by default to all your rooms.": "Toto nastavení se ve výchozím stavu použije pro všechny vaše místnosti.", - "Mentions and Keywords": "Zmínky a klíčová slova", - "Audio and Video calls": "Hlasové a video hovory", - "Other things we think you might be interested in:": "Další věci, které by vás mohly zajímat:", - "New room activity, upgrades and status messages occur": "Objevují se nové aktivity v místnostech, aktualizace a zprávy o stavu", - "Messages sent by bots": "Zprávy odeslané roboty", - "Show a badge when keywords are used in a room.": "Zobrazit odznak při použití klíčových slov v místnosti.", - "Notify when someone mentions using @room": "Upozornit, když se někdo zmíní použitím @room", - "Enter keywords here, or use for spelling variations or nicknames": "Zadejte klíčová slova nebo je použijte pro pravopisné varianty či přezdívky", - "Reset to default settings": "Obnovit výchozí nastavení", "Other spaces you know": "Další prostory, které znáte", - "You need to be granted access to this room in order to view or participate in the conversation. You can send a request to join below.": "Abyste si mohli konverzaci prohlédnout nebo se jí zúčastnit, musíte mít do této místnosti povolen přístup. Žádost o vstup můžete zaslat níže.", - "Message (optional)": "Zpráva (nepovinné)", - "Request access": "Žádost o přístup", - "Request to join sent": "Žádost o vstup odeslána", - "Your request to join is pending.": "Vaše žádost o vstup čeká na vyřízení.", - "Ask to join %(roomName)s?": "Požádat o vstup do %(roomName)s?", - "Ask to join?": "Požádat o vstup?", - "Cancel request": "Zrušit žádost", "Failed to query public rooms": "Nepodařilo se vyhledat veřejné místnosti", - "See less": "Zobrazit méně", - "See more": "Zobrazit více", - "Asking to join": "Žádá se o vstup", - "No requests": "Žádné žádosti", "common": { "about": "O", "analytics": "Analytické údaje", @@ -1759,7 +1403,18 @@ "saving": "Ukládání…", "profile": "Profil", "display_name": "Zobrazované jméno", - "user_avatar": "Profilový obrázek" + "user_avatar": "Profilový obrázek", + "authentication": "Ověření", + "public_room": "Veřejná místnost", + "video_room": "Video místnost", + "public_space": "Veřejný prostor", + "private_space": "Soukromý prostor", + "private_room": "Soukromá místnost", + "rooms": "Místnosti", + "low_priority": "Nízká priorita", + "historical": "Historické", + "go_to_settings": "Přejít do nastavení", + "setup_secure_messages": "Nastavit bezpečné obnovení zpráv" }, "action": { "continue": "Pokračovat", @@ -1866,7 +1521,16 @@ "unban": "Zrušit vykázání", "click_to_copy": "Kliknutím zkopírujte", "hide_advanced": "Skrýt pokročilé možnosti", - "show_advanced": "Zobrazit pokročilé možnosti" + "show_advanced": "Zobrazit pokročilé možnosti", + "unignore": "Odignorovat", + "start_new_chat": "Zahájit nový chat", + "invite_to_space": "Pozvat do prostoru", + "add_people": "Přidat lidi", + "explore_rooms": "Procházet místnosti", + "new_room": "Nová místnost", + "new_video_room": "Nová video místnost", + "add_existing_room": "Přidat existující místnost", + "explore_public_rooms": "Prozkoumat veřejné místnosti" }, "a11y": { "user_menu": "Uživatelská nabídka", @@ -1879,7 +1543,8 @@ "one": "Nepřečtená zpráva." }, "unread_messages": "Nepřečtené zprávy.", - "jump_first_invite": "Přejít na první pozvánku." + "jump_first_invite": "Přejít na první pozvánku.", + "room_name": "Místnost %(name)s" }, "labs": { "video_rooms": "Video místnosti", @@ -2071,7 +1736,22 @@ "space_a11y": "Automatické dokončení prostoru", "user_description": "Uživatelé", "user_a11y": "Automatické doplňování uživatelů" - } + }, + "room_upgraded_link": "Konverzace pokračuje zde.", + "room_upgraded_notice": "Tato místnost byla nahrazena a už není používaná.", + "no_perms_notice": "Nemáte oprávnění zveřejňovat příspěvky v této místnosti", + "send_button_voice_message": "Odeslat hlasovou zprávu", + "close_sticker_picker": "Skrýt nálepky", + "voice_message_button": "Hlasová zpráva", + "poll_button_no_perms_title": "Vyžaduje oprávnění", + "poll_button_no_perms_description": "Nemáte oprávnění zahajovat hlasování v této místnosti.", + "poll_button": "Hlasování", + "mode_plain": "Skrýt formátování", + "mode_rich_text": "Zobrazit formátování", + "formatting_toolbar_label": "Formátování", + "format_italics": "Kurzívou", + "format_insert_link": "Vložit odkaz", + "replying_title": "Odpovídá" }, "Link": "Odkaz", "Code": "Kód", @@ -2251,7 +1931,32 @@ "error_title": "Nepodařilo se povolit oznámení", "error_updating": "Při aktualizaci předvoleb oznámení došlo k chybě. Zkuste prosím přepnout volbu znovu.", "push_targets": "Cíle oznámení", - "error_loading": "Došlo k chybě při načítání nastavení oznámení." + "error_loading": "Došlo k chybě při načítání nastavení oznámení.", + "email_section": "E-mailový souhrn", + "email_description": "Přijímat e-mailový souhrn zmeškaných oznámení", + "email_select": "Vyberte e-maily, na které chcete zasílat souhrny. E-maily můžete spravovat v nastavení .", + "people_mentions_keywords": "Lidé, zmínky a klíčová slova", + "mentions_keywords_only": "Pouze zmínky a klíčová slova", + "labs_notice_prompt": "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", + "desktop_notification_message_preview": "Zobrazit náhled zprávy v oznámení na ploše", + "default_setting_section": "Chci být upozorňován na (Výchozí nastavení)", + "default_setting_description": "Toto nastavení se ve výchozím stavu použije pro všechny vaše místnosti.", + "play_sound_for_section": "Přehrát zvuk pro", + "play_sound_for_description": "Ve výchozím stavu se používá pro všechny místnosti na všech zařízeních.", + "mentions_keywords": "Zmínky a klíčová slova", + "voip": "Hlasové a video hovory", + "other_section": "Další věci, které by vás mohly zajímat:", + "invites": "Pozvaný do místnosti", + "room_activity": "Objevují se nové aktivity v místnostech, aktualizace a zprávy o stavu", + "notices": "Zprávy odeslané roboty", + "keywords": "Zobrazit odznak při použití klíčových slov v místnosti.", + "notify_at_room": "Upozornit, když se někdo zmíní použitím @room", + "notify_mention": "Upozornit, když se někdo zmíní pomocí @displayname nebo %(mxid)s", + "notify_keyword": "Upozornit, když někdo použije klíčové slovo", + "keywords_prompt": "Zadejte klíčová slova nebo je použijte pro pravopisné varianty či přezdívky", + "quick_actions_section": "Rychlé akce", + "quick_actions_mark_all_read": "Označit všechny zprávy jako přečtené", + "quick_actions_reset": "Obnovit výchozí nastavení" }, "appearance": { "layout_irc": "IRC (experimentální)", @@ -2289,7 +1994,19 @@ "echo_cancellation": "Potlačení ozvěny", "noise_suppression": "Potlačení hluku", "enable_fallback_ice_server": "Povolit záložní asistenční server hovorů (%(server)s)", - "enable_fallback_ice_server_description": "Platí pouze v případě, že váš domovský server tuto možnost nenabízí. Vaše IP adresa bude během hovoru sdílena." + "enable_fallback_ice_server_description": "Platí pouze v případě, že váš domovský server tuto možnost nenabízí. Vaše IP adresa bude během hovoru sdílena.", + "missing_permissions_prompt": "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_permissions": "Požádat o oprávnění k mikrofonu a kameře", + "audio_output": "Zvukový výstup", + "audio_output_empty": "Nebyly rozpoznány žádné zvukové výstupy", + "audio_input_empty": "Nerozpoznány žádné mikrofony", + "video_input_empty": "Nerozpoznány žádné webkamery", + "title": "Zvuk a video", + "voice_section": "Nastavení hlasu", + "voice_agc": "Automaticky upravit hlasitost mikrofonu", + "video_section": "Nastavení videa", + "voice_processing": "Zpracování hlasu", + "connection_section": "Připojení" }, "send_read_receipts_unsupported": "Váš server nepodporuje vypnutí odesílání potvrzení o přečtení.", "security": { @@ -2362,7 +2079,11 @@ "key_backup_in_progress": "Zálohování %(sessionsRemaining)s klíčů…", "key_backup_complete": "Všechny klíče jsou zazálohované", "key_backup_algorithm": "Algoritmus:", - "key_backup_inactive_warning": "Vaše klíče nejsou z této relace zálohovány." + "key_backup_inactive_warning": "Vaše klíče nejsou z této relace zálohovány.", + "key_backup_active_version_none": "Žádné", + "ignore_users_empty": "Nemáte žádné ignorované uživatele.", + "ignore_users_section": "Ignorovaní uživatelé", + "e2ee_default_disabled_warning": "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." }, "preferences": { "room_list_heading": "Seznam místností", @@ -2482,7 +2203,8 @@ "other": "Opravdu se chcete odhlásit z %(count)s relací?", "one": "Opravdu se chcete odhlásit z %(count)s relace?" }, - "other_sessions_subsection_description": "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_subsection_description": "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.", + "error_pusher_state": "Nepodařilo se nastavit stav push oznámení" }, "general": { "oidc_manage_button": "Spravovat účet", @@ -2504,7 +2226,46 @@ "add_msisdn_dialog_title": "Přidat telefonní číslo", "name_placeholder": "Žádné zobrazované jméno", "error_saving_profile_title": "Váš profil se nepodařilo uložit", - "error_saving_profile": "Operace nemohla být dokončena" + "error_saving_profile": "Operace nemohla být dokončena", + "error_password_change_unknown": "Neznámá chyba při změně hesla (%(stringifiedError)s)", + "error_password_change_403": "Nepodařilo se změnit heslo. Zadáváte své heslo správně?", + "error_password_change_http": "%(errorMessage)s (HTTP stav %(httpStatus)s)", + "error_password_change_title": "Chyba při změně hesla", + "password_change_success": "Vaše heslo bylo úspěšně změněno.", + "emails_heading": "E-mailové adresy", + "msisdns_heading": "Telefonní čísla", + "password_change_section": "Nastavení nového hesla k účtu…", + "external_account_management": "Údaje o vašem účtu jsou spravovány samostatně na adrese %(hostname)s.", + "discovery_needs_terms": "Pro zapsáním do registru e-mailových adres a telefonních čísel odsouhlaste podmínky používání serveru (%(serverName)s).", + "deactivate_section": "Deaktivovat účet", + "account_management_section": "Správa účtu", + "deactivate_warning": "Deaktivace účtu je trvalá akce - buďte opatrní!", + "discovery_section": "Objevování", + "error_revoke_email_discovery": "Nepovedlo se zrušit sdílení e-mailové adresy", + "error_share_email_discovery": "Nepovedlo se nasdílet e-mailovou adresu", + "email_not_verified": "Vaše e-mailová adresa ještě nebyla ověřena", + "email_verification_instructions": "Pro ověření a pokračování klepněte na odkaz v e-mailu, který vím přišel.", + "error_email_verification": "Nepodařilo se ověřit e-mailovou adresu.", + "discovery_email_verification_instructions": "Ověřte odkaz v e-mailové schránce", + "discovery_email_empty": "Možnosti nastavení veřejného profilu se objeví po přidání e-mailové adresy výše.", + "error_revoke_msisdn_discovery": "Nepovedlo se zrušit sdílení telefonního čísla", + "error_share_msisdn_discovery": "Nepovedlo se nasdílet telefonní číslo", + "error_msisdn_verification": "Nepovedlo se ověřit telefonní číslo.", + "incorrect_msisdn_verification": "Nesprávný ověřovací kód", + "msisdn_verification_instructions": "Zadejte prosím ověřovací SMS kód.", + "msisdn_verification_field_label": "Ověřovací kód", + "discovery_msisdn_empty": "Možnosti nastavení veřejného profilu se objeví po přidání telefonního čísla výše.", + "error_set_name": "Nepodařilo se nastavit zobrazované jméno", + "error_remove_3pid": "Nepodařilo se smazat kontaktní údaje", + "remove_email_prompt": "Odstranit adresu %(email)s?", + "error_invalid_email": "Neplatná e-mailová adresa", + "error_invalid_email_detail": "Tato e-mailová adresa se zdá být neplatná", + "error_add_email": "Nepodařilo se přidat e-mailovou adresu", + "add_email_instructions": "Poslali jsme vám ověřovací e-mail. Postupujte prosím podle instrukcí a pak klepněte na následující tlačítko.", + "email_address_label": "E-mailová adresa", + "remove_msisdn_prompt": "Odstranit %(phone)s?", + "add_msisdn_instructions": "SMS zpráva byla odeslána na +%(msisdn)s. Zadejte prosím ověřovací kód, který obsahuje.", + "msisdn_label": "Telefonní číslo" }, "sidebar": { "title": "Postranní panel", @@ -2517,6 +2278,58 @@ "metaspaces_orphans_description": "Seskupte všechny místnosti, které nejsou součástí prostoru, na jednom místě.", "metaspaces_home_all_rooms_description": "Zobrazit všechny místnosti v Domovu, i když jsou v prostoru.", "metaspaces_home_all_rooms": "Zobrazit všechny místnosti" + }, + "key_backup": { + "backup_in_progress": "Klíče se zálohují (první záloha může trvat pár minut).", + "backup_starting": "Zahájení zálohování…", + "backup_success": "Úspěch!", + "create_title": "Vytvořit zálohu klíčů", + "cannot_create_backup": "Nepovedlo se vyrobit zálohů klíčů", + "setup_secure_backup": { + "generate_security_key_title": "Vygenerovat bezpečnostní klíč", + "generate_security_key_description": "Vygenerujeme vám bezpečnostní klíč, který uložíte na bezpečné místo, například do správce hesel nebo do trezoru.", + "enter_phrase_title": "Zadání bezpečnostní fráze", + "description": "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.", + "requires_password_confirmation": "Potvrďte, že chcete aktualizaci provést zadáním svého uživatelského hesla:", + "requires_key_restore": "Pro aktualizaci šifrování obnovte klíče ze zálohy", + "requires_server_authentication": "Server si vás potřebuje ověřit, abychom mohli provést aktualizaci.", + "session_upgrade_description": "Aktualizujte tuto přihlášenou relaci abyste mohli ověřovat ostatní relace. Tím jim dáte přístup k šifrovaným konverzacím a ostatní uživatelé je jim budou automaticky věřit.", + "enter_phrase_description": "Zadejte bezpečnostní frázi, kterou znáte jen vy, protože slouží k ochraně vašich dat. V zájmu bezpečnosti byste neměli heslo k účtu používat opakovaně.", + "phrase_strong_enough": "Skvělé! Tato bezpečnostní fráze vypadá dostatečně silně.", + "pass_phrase_match_success": "To odpovídá!", + "use_different_passphrase": "Použít jinou přístupovou frázi?", + "pass_phrase_match_failed": "To nesedí.", + "set_phrase_again": "Nastavit heslo znovu.", + "enter_phrase_to_confirm": "Zadejte bezpečnostní frázi podruhé a potvrďte ji.", + "confirm_security_phrase": "Potvrďte svou bezpečnostní frázi", + "security_key_safety_reminder": "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.", + "download_or_copy": "%(downloadButton)s nebo %(copyButton)s", + "backup_setup_success_description": "Vaše klíče jsou nyní zálohovány z tohoto zařízení.", + "backup_setup_success_title": "Bezpečné zálohování bylo úspěšné", + "secret_storage_query_failure": "Nelze zjistit stav úložiště klíčů", + "cancel_warning": "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.", + "settings_reminder": "Zabezpečené zálohování a správu klíčů můžete také nastavit v Nastavení.", + "title_upgrade_encryption": "Aktualizovat šifrování", + "title_set_phrase": "Nastavit bezpečnostní frázi", + "title_confirm_phrase": "Potvrďte bezpečnostní frázi", + "title_save_key": "Uložte svůj bezpečnostní klíč", + "unable_to_setup": "Nepovedlo se nastavit bezpečné úložiště", + "use_phrase_only_you_know": "Použijte tajnou frázi, kterou znáte pouze vy, a volitelně uložte bezpečnostní klíč, který použijete pro zálohování." + } + }, + "key_export_import": { + "export_title": "Exportovat klíče místnosti", + "export_description_1": "Tento proces vám umožňuje exportovat do souboru klíče ke zprávám, které jste dostali v šifrovaných místnostech. Když pak tento soubor importujete do jiného Matrix klienta, všechny tyto zprávy bude možné opět dešifrovat.", + "export_description_2": "Exportovaný soubor umožní komukoli, kdo si jej přečte, dešifrovat všechny šifrované zprávy, které vidíte, takže byste měli dbát na jeho zabezpečení. K tomu vám pomůže níže uvedená jedinečná přístupová fráze, která bude použita pouze k zašifrování exportovaných dat. Importovat data bude možné pouze pomocí stejné přístupové fráze.", + "enter_passphrase": "Zadejte přístupovou frázi", + "phrase_strong_enough": "Skvělé! Tato bezpečnostní fráze vypadá dostatečně silná", + "confirm_passphrase": "Potvrďte přístupovou frázi", + "phrase_cannot_be_empty": "Přístupová fráze nesmí být prázdná", + "phrase_must_match": "Přístupové fráze se musí shodovat", + "import_title": "Importovat klíče místnosti", + "import_description_1": "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.", + "import_description_2": "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.", + "file_to_import": "Soubor k importu" } }, "devtools": { @@ -3028,7 +2841,19 @@ "collapse_reply_thread": "Sbalit vlákno odpovědi", "view_related_event": "Zobrazit související událost", "report": "Nahlásit" - } + }, + "url_preview": { + "show_n_more": { + "one": "Zobrazit %(count)s další náhled", + "other": "Zobrazit %(count)s dalších náhledů" + }, + "close": "Zavřít náhled" + }, + "read_receipt_title": { + "one": "Viděl %(count)s člověk", + "other": "Vidělo %(count)s lidí" + }, + "read_receipts_label": "Potvrzení o přečtení" }, "slash_command": { "spoiler": "Odešle danou zprávu jako spoiler", @@ -3295,7 +3120,14 @@ "permissions_section_description_room": "Vyberte role potřebné k provedení různých změn v této místnosti", "add_privileged_user_heading": "Přidat oprávněné uživatele", "add_privileged_user_description": "Přidělit jednomu nebo více uživatelům v této místnosti více oprávnění", - "add_privileged_user_filter_placeholder": "Hledání uživatelů v této místnosti…" + "add_privileged_user_filter_placeholder": "Hledání uživatelů v této místnosti…", + "error_unbanning": "Zrušení vykázání se nezdařilo", + "banned_by": "Vykázán(a) uživatelem %(displayName)s", + "ban_reason": "Důvod", + "error_changing_pl_reqs_title": "Chyba změny požadavku na úroveň oprávnění", + "error_changing_pl_reqs_description": "Došlo k chybě při změně požadované úrovně oprávnění v místnosti. Ubezpečte se, že na to máte dostatečná práva, a zkuste to znovu.", + "error_changing_pl_title": "Chyba při změně úrovně oprávnění", + "error_changing_pl_description": "Došlo k chybě při změně úrovně oprávnění uživatele. Ubezpečte se, že na to máte dostatečná práva, a zkuste to znovu." }, "security": { "strict_encryption": "Nikdy v této místnosti neposílat šifrované zprávy neověřeným relacím", @@ -3350,7 +3182,9 @@ "join_rule_upgrade_updating_spaces": { "one": "Aktualizace prostoru...", "other": "Aktualizace prostorů... (%(progress)s z %(count)s)" - } + }, + "error_join_rule_change_title": "Nepodařilo se aktualizovat pravidla pro připojení", + "error_join_rule_change_unknown": "Neznámá chyba" }, "general": { "publish_toggle": "Zapsat tuto místnost do veřejného adresáře místností na %(domain)s?", @@ -3364,7 +3198,9 @@ "error_save_space_settings": "Nastavení prostoru se nepodařilo uložit.", "description_space": "Upravte nastavení týkající se vašeho prostoru.", "save": "Uložit změny", - "leave_space": "Opustit prostor" + "leave_space": "Opustit prostor", + "aliases_section": "Adresy místnosti", + "other_section": "Další možnosti" }, "advanced": { "unfederated": "Tato místnost není přístupná vzdáleným Matrix serverům", @@ -3375,7 +3211,9 @@ "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:" + "room_version": "Verze místnosti:", + "information_section_space": "Informace o prostoru", + "information_section_room": "Informace o místnosti" }, "delete_avatar_label": "Smazat avatar", "upload_avatar_label": "Nahrát avatar", @@ -3389,11 +3227,38 @@ "history_visibility_anyone_space": "Nahlédnout do prostoru", "history_visibility_anyone_space_description": "Umožněte lidem prohlédnout si váš prostor ještě předtím, než se připojí.", "history_visibility_anyone_space_recommendation": "Doporučeno pro veřejné prostory.", - "guest_access_label": "Povolit přístup hostům" + "guest_access_label": "Povolit přístup hostům", + "alias_section": "Adresa" }, "access": { "title": "Přístup", "description_space": "Rozhodněte, kdo může prohlížet a připojovat se k %(spaceName)s." + }, + "bridges": { + "description": "Tato místnost je propojena s následujícími platformami. Více informací", + "empty": "Tato místnost nepropojuje zprávy s žádnou platformou. Zjistit více.", + "title": "Propojení" + }, + "notifications": { + "uploaded_sound": "Zvuk nahrán", + "settings_link": "Dostávat oznámení podle nastavení", + "sounds_section": "Zvuky", + "notification_sound": "Zvuk oznámení", + "custom_sound_prompt": "Nastavit vlastní zvuk", + "upload_sound_label": "Nahrát vlastní zvuk", + "browse_button": "Procházet" + }, + "people": { + "see_less": "Zobrazit méně", + "see_more": "Zobrazit více", + "knock_section": "Žádá se o vstup", + "knock_empty": "Žádné žádosti" + }, + "voip": { + "enable_element_call_label": "Povolit %(brand)s jako další možnost volání v této místnosti", + "enable_element_call_caption": "%(brand)s je koncově šifrovaný, ale v současné době je omezen na menší počet uživatelů.", + "enable_element_call_no_permissions_tooltip": "Ke změně nemáte dostatečná oprávnění.", + "call_type_section": "Typ volání" } }, "encryption": { @@ -3428,7 +3293,19 @@ "unverified_session_toast_accept": "Ano, to jsem byl já", "request_toast_detail": "%(deviceId)s z %(ip)s", "request_toast_decline_counter": "Ignorovat (%(counter)s)", - "request_toast_accept": "Ověřit relaci" + "request_toast_accept": "Ověřit relaci", + "no_key_or_device": "Vypadá to, že nemáte bezpečnostní klíč ani žádné jiné zařízení, které byste mohli ověřit. Toto zařízení nebude mít přístup ke starým šifrovaným zprávám. Abyste mohli na tomto zařízení ověřit svou totožnost, budete muset resetovat ověřovací klíče.", + "reset_proceed_prompt": "Pokračovat v resetování", + "verify_using_key_or_phrase": "Ověření pomocí bezpečnostního klíče nebo fráze", + "verify_using_key": "Ověření pomocí bezpečnostního klíče", + "verify_using_device": "Ověřit pomocí jiného zařízení", + "verification_description": "Ověřte svou identitu, abyste získali přístup k šifrovaným zprávám a prokázali svou identitu ostatním.", + "verification_success_with_backup": "Vaše nové zařízení je nyní ověřeno. Má přístup k vašim zašifrovaným zprávám a ostatní uživatelé jej budou považovat za důvěryhodné.", + "verification_success_without_backup": "Vaše nové zařízení je nyní ověřeno. Ostatní uživatelé jej uvidí jako důvěryhodné.", + "verification_skip_warning": "Bez ověření nebudete mít přístup ke všem svým zprávám a můžete se ostatním jevit jako nedůvěryhodní.", + "verify_later": "Ověřím se později", + "verify_reset_warning_1": "Resetování ověřovacích klíčů nelze vrátit zpět. Po jejich resetování nebudete mít přístup ke starým zašifrovaným zprávám a všem přátelům, kteří vás dříve ověřili, se zobrazí bezpečnostní varování, dokud se u nich znovu neověříte.", + "verify_reset_warning_2": "Pokračujte pouze v případě, že jste si jisti, že jste ztratili všechna ostatní zařízení a bezpečnostní klíč." }, "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.", @@ -3449,7 +3326,19 @@ "cross_signing_ready_no_backup": "Křížové podepisování je připraveno, ale klíče nejsou zálohovány.", "cross_signing_untrusted": "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_not_ready": "Křížové podepisování není nastaveno.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Nový způsob obnovy", + "description_1": "Byla zjištěna nová bezpečnostní fráze a klíč pro zabezpečené zprávy.", + "description_2": "Tato relace šifruje historii zpráv s podporou nového způsobu obnovení.", + "warning": "Pokud jste nenastavili nový způsob obnovy vy, mohou se pokoušet k vašemu účtu dostat útočníci. Změňte si raději ihned heslo a nastavte nový způsob obnovy v Nastavení." + }, + "recovery_method_removed": { + "title": "Záloha klíčů byla odstraněna", + "description_1": "Tato relace zjistila, že byla odstraněna vaše bezpečnostní fráze a klíč pro zabezpečené zprávy.", + "description_2": "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.", + "warning": "Pokud jste způsob obnovy neodstranili vy, mohou se pokoušet k vašemu účtu dostat útočníci. Změňte si raději ihned heslo a nastavte nový způsob obnovy v Nastavení." + } }, "emoji": { "category_frequently_used": "Často používané", @@ -3631,7 +3520,11 @@ "autodiscovery_unexpected_error_is": "Chyba při hledání konfigurace serveru identity", "autodiscovery_hs_incompatible": "Váš domovský server je příliš starý a nepodporuje minimální požadovanou verzi API. Obraťte se prosím na vlastníka serveru nebo proveďte aktualizaci serveru.", "incorrect_credentials_detail": "Právě se přihlašujete na server %(hs)s, a nikoliv na server matrix.org.", - "create_account_title": "Vytvořit účet" + "create_account_title": "Vytvořit účet", + "failed_soft_logout_homeserver": "Kvůli problémům s domovským server se nepovedlo autentifikovat znovu", + "soft_logout_subheading": "Smazat osobní data", + "soft_logout_warning": "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.", + "forgot_password_send_email": "Odeslat e-mail" }, "room_list": { "sort_unread_first": "Zobrazovat místnosti s nepřečtenými zprávami jako první", @@ -3648,7 +3541,23 @@ "notification_options": "Možnosti oznámení", "failed_set_dm_tag": "Nepodařilo se nastavit značku přímé zprávy", "failed_remove_tag": "Nepodařilo se odstranit štítek %(tagName)s z místnosti", - "failed_add_tag": "Nepodařilo se přidat štítek %(tagName)s k místnosti" + "failed_add_tag": "Nepodařilo se přidat štítek %(tagName)s k místnosti", + "breadcrumbs_label": "Nedávno navštívené místnosti", + "breadcrumbs_empty": "Žádné nedávno navštívené místnosti", + "add_room_label": "Přidat místnost", + "suggested_rooms_heading": "Doporučené místnosti", + "add_space_label": "Přidat prostor", + "join_public_room_label": "Připojit se k veřejné místnosti", + "joining_rooms_status": { + "one": "Momentálně se připojuje %(count)s místnost", + "other": "Momentálně se připojuje %(count)s místností" + }, + "redacting_messages_status": { + "one": "Momentálně se odstraňují zprávy v %(count)s místnosti", + "other": "Momentálně se odstraňují zprávy v %(count)s místnostech" + }, + "space_menu_label": "Nabídka pro %(spaceName)s", + "home_menu_label": "Možnosti domovské obrazovky" }, "report_content": { "missing_reason": "Vyplňte prosím co chcete nahlásit.", @@ -3906,7 +3815,8 @@ "search_children": "Hledat %(spaceName)s", "invite_link": "Sdílet odkaz na pozvánku", "invite": "Pozvat lidi", - "invite_description": "Pozvěte e-mailem nebo uživatelským jménem" + "invite_description": "Pozvěte e-mailem nebo uživatelským jménem", + "invite_this_space": "Pozvat do tohoto prostoru" }, "location_sharing": { "MapStyleUrlNotConfigured": "Tento domovský server není nakonfigurován pro zobrazování map.", @@ -3962,7 +3872,8 @@ "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" + "lists_new_label": "ID nebo adresa seznamu zablokovaných", + "rules_empty": "Žádné" }, "create_space": { "name_required": "Zadejte prosím název prostoru", @@ -4064,8 +3975,80 @@ "forget": "Zapomenout místnost", "mark_read": "Označit jako přečtené", "notifications_default": "Odpovídá výchozímu nastavení", - "notifications_mute": "Ztlumit místnost" - } + "notifications_mute": "Ztlumit místnost", + "title": "Možnosti místnosti" + }, + "invite_this_room": "Pozvat do této místnosti", + "header": { + "video_call_button_jitsi": "Videohovor (Jitsi)", + "video_call_button_ec": "Videohovor (%(brand)s)", + "video_call_ec_layout_freedom": "Svoboda", + "video_call_ec_layout_spotlight": "Reflektor", + "video_call_ec_change_layout": "Změnit rozvržení", + "forget_room_button": "Zapomenout místnost", + "hide_widgets_button": "Skrýt widgety", + "show_widgets_button": "Zobrazit widgety", + "close_call_button": "Zavřít hovor", + "video_room_view_chat_button": "Zobrazit časovou osu konverzace" + }, + "error_3pid_invite_email_lookup": "Nelze najít uživatele podle e-mailu", + "joining_space": "Připojování k prostoru…", + "joining_room": "Vstupování do místnosti…", + "joining": "Připojování…", + "rejecting": "Odmítání pozvánky…", + "join_title": "Připojte se k místnosti a zúčastněte se", + "join_title_account": "Připojte se ke konverzaci s účtem", + "join_button_account": "Zaregistrovat se", + "loading_preview": "Načítání náhledu", + "kicked_from_room_by": "Byl(a) jsi odebrán(a) z %(roomName)s uživatelem %(memberName)s", + "kicked_by": "%(memberName)s vás odebral(a)", + "kick_reason": "Důvod: %(reason)s", + "forget_space": "Zapomenout tento prostor", + "forget_room": "Zapomenout na tuto místnost", + "rejoin_button": "Znovu vstoupit", + "banned_from_room_by": "%(memberName)s vás vykázal(a) z místnosti %(roomName)s", + "banned_by": "Byl(a) jsi vykázán(a) uživatelem %(memberName)s", + "3pid_invite_error_title_room": "S vaší pozvánkou do místnosti %(roomName)s se něco pokazilo", + "3pid_invite_error_title": "Něco se pokazilo s vaší pozvánkou.", + "3pid_invite_error_description": "Při pokusu o ověření vaší pozvánky byla vrácena chyba (%(errcode)s). Tuto informaci můžete zkusit předat osobě, která vás pozvala.", + "3pid_invite_error_invite_subtitle": "Vstoupit můžete jen s funkční pozvánkou.", + "3pid_invite_error_invite_action": "Stejně se pokusit vstoupit", + "3pid_invite_error_public_subtitle": "Zde se můžete stále připojit.", + "join_the_discussion": "Zapojit se do diskuze", + "3pid_invite_email_not_found_account_room": "Pozvánka do místnosti %(roomName)s byla poslána na adresu %(email)s, která není k tomuto účtu přidána", + "3pid_invite_email_not_found_account": "Tato pozvánka byla odeslána na adresu %(email)s, která není spojena s vaším účtem", + "link_email_to_receive_3pid_invite": "Přidejte si tento e-mail k účtu v Nastavení, abyste dostávali pozvání přímo v %(brand)su.", + "invite_sent_to_email_room": "Pozvánka do %(roomName)s byla odeslána na adresu %(email)s", + "invite_sent_to_email": "Tato pozvánka byla odeslána na adresu %(email)s", + "3pid_invite_no_is_subtitle": "Používat server identit z nastavení k přijímání pozvánek přímo v %(brand)su.", + "invite_email_mismatch_suggestion": "Sdílet tento e-mail v nastavení, abyste mohli dostávat pozvánky přímo v %(brand)su.", + "dm_invite_title": "Chcete si povídat s %(user)s?", + "dm_invite_subtitle": " si chce psát", + "dm_invite_action": "Zahájit konverzaci", + "invite_title": "Chcete vstoupit do místnosti %(roomName)s?", + "invite_subtitle": " vás pozval(a)", + "invite_reject_ignore": "Odmítnout a ignorovat uživatele", + "peek_join_prompt": "Nahlížíte do místnosti %(roomName)s. Chcete do ní vstoupit?", + "no_peek_join_prompt": "%(roomName)s si nelze jen tak prohlížet. Chcete do ní vstoupit?", + "no_peek_no_name_join_prompt": "Není k dispozici žádný náhled, chcete se připojit?", + "not_found_title_name": "%(roomName)s neexistuje.", + "not_found_title": "Tato místnost nebo prostor neexistuje.", + "not_found_subtitle": "Jste si jisti, že jste na správném místě?", + "inaccessible_name": "Místnost %(roomName)s není v tuto chvíli dostupná.", + "inaccessible": "Tato místnost nebo prostor není v tuto chvíli přístupná.", + "inaccessible_subtitle_1": "Zkuste to později nebo požádejte správce místnosti či prostoru, aby zkontroloval, zda máte přístup.", + "inaccessible_subtitle_2": "Při pokusu o přístup do místnosti nebo prostoru bylo vráceno %(errcode)s. Pokud si myslíte, že se vám tato zpráva zobrazuje chybně, pošlete prosím hlášení o chybě.", + "knock_prompt_name": "Požádat o vstup do %(roomName)s?", + "knock_prompt": "Požádat o vstup?", + "knock_subtitle": "Abyste si mohli konverzaci prohlédnout nebo se jí zúčastnit, musíte mít do této místnosti povolen přístup. Žádost o vstup můžete zaslat níže.", + "knock_message_field_placeholder": "Zpráva (nepovinné)", + "knock_send_action": "Žádost o přístup", + "knock_sent": "Žádost o vstup odeslána", + "knock_sent_subtitle": "Vaše žádost o vstup čeká na vyřízení.", + "knock_cancel_action": "Zrušit žádost", + "join_failed_needs_invite": "Pro zobrazení %(roomName)s potřebujete pozvánku", + "view_failed_enable_video_rooms": "Pro zobrazení, povolte prosím nejprve video místnosti v Experimentálních funkcích", + "join_failed_enable_video_rooms": "Pro vstup, povolte prosím nejprve video místnosti v Experimentálních funkcích" }, "file_panel": { "guest_note": "Pro využívání této funkce se zaregistrujte", @@ -4217,7 +4200,15 @@ "keyword_new": "Nové klíčové slovo", "class_global": "Globální", "class_other": "Další možnosti", - "mentions_keywords": "Zmínky a klíčová slova" + "mentions_keywords": "Zmínky a klíčová slova", + "default": "Výchozí", + "all_messages": "Všechny zprávy", + "all_messages_description": "Dostávat oznámení o každé zprávě", + "mentions_and_keywords": "@zmínky a klíčová slova", + "mentions_and_keywords_description": "Dostávat oznámení pouze o zmínkách a klíčových slovech podle nastavení", + "mute_description": "Nebudete dostávat žádná oznámení", + "email_pusher_app_display_name": "E-mailová oznámení", + "message_didnt_send": "Zpráva se neodeslala. Klikněte pro informace." }, "mobile_guide": { "toast_title": "Pro lepší zážitek použijte aplikaci", @@ -4243,6 +4234,44 @@ "integration_manager": { "connecting": "Připojování ke správci integrací…", "error_connecting_heading": "Nepovedlo se připojení ke správci integrací", - "error_connecting": "Správce integrací neběží nebo se nemůže připojit k vašemu domovskému serveru." + "error_connecting": "Správce integrací neběží nebo se nemůže připojit k vašemu domovskému serveru.", + "use_im_default": "Použít správce integrací (%(serverName)s) na správu botů, widgetů a nálepek.", + "use_im": "Použít správce integrací na správu botů, widgetů a nálepek.", + "manage_title": "Správa integrací", + "explainer": "Správci integrace přijímají konfigurační data a mohou vaším jménem upravovat widgety, odesílat pozvánky do místností a nastavovat úrovně oprávnění." + }, + "identity_server": { + "url_not_https": "Adresa serveru identit musí být na HTTPS", + "error_invalid": "Toto není platný server identit (stavový kód %(code)s)", + "error_connection": "Nepodařilo se připojit k serveru identit", + "checking": "Kontrolování serveru", + "change": "Změnit server identit", + "change_prompt": "Odpojit se ze serveru a připojit na ?", + "error_invalid_or_terms": "Neodsouhlasené podmínky použití a nebo neplatný server identit.", + "no_terms": "Vybraný server identit nemá žádné podmínky použití.", + "disconnect": "Odpojit se ze serveru identit", + "disconnect_server": "Odpojit se ze serveru identit ?", + "disconnect_offline_warning": "Před odpojením byste měli smazat osobní údaje ze serveru identit . Bohužel, server je offline nebo neodpovídá.", + "suggestions": "Měli byste:", + "suggestions_1": "zkontrolujte, jestli nemáte v prohlížeči nějaký doplněk blokující server identit (např. Privacy Badger)", + "suggestions_2": "kontaktujte správce serveru identit ", + "suggestions_3": "počkejte a zkuste to znovu později", + "disconnect_anyway": "Stejně se odpojit", + "disconnect_personal_data_warning_1": "Pořád sdílíte osobní údaje se serverem identit .", + "disconnect_personal_data_warning_2": "Než se odpojíte, doporučujeme odstranit e-mailovou adresu a telefonní číslo ze serveru identit.", + "url": "Server identit (%(server)s)", + "description_connected": "Pro hledání existujících kontaktů používáte server identit . Níže ho můžete změnit.", + "change_server_prompt": "Pokud nechcete na hledání existujících kontaktů používat server , zvolte si jiný server.", + "description_disconnected": "Pro hledání existujících kontaktů nepoužíváte žádný server identit . Abyste mohli hledat kontakty, nějaký níže nastavte.", + "disconnect_warning": "Po odpojení od serveru identit nebude možné vás najít podle e-mailové adresy ani telefonního čísla, a zároveň podle nich ani vy nebudete moci hledat ostatní kontakty.", + "description_optional": "Použití serveru identit je volitelné. Nemusíte server identit používat, ale nepůjde vás pak najít podle e-mailové adresy ani telefonního čísla a vy také nebudete moci hledat ostatní.", + "do_not_use": "Nepoužívat server identit", + "url_field_label": "Zadejte nový server identit" + }, + "member_list": { + "invite_button_no_perms_tooltip": "Nemáte oprávnění zvát uživatele", + "invited_list_heading": "Pozvaní", + "filter_placeholder": "Najít člena místnosti", + "power_label": "%(userName)s (oprávnění %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/cy.json b/src/i18n/strings/cy.json index 133642d69b..a44c1cc020 100644 --- a/src/i18n/strings/cy.json +++ b/src/i18n/strings/cy.json @@ -1,8 +1,8 @@ { - "Explore rooms": "Archwilio Ystafelloedd", "action": { "dismiss": "Wfftio", - "sign_in": "Mewngofnodi" + "sign_in": "Mewngofnodi", + "explore_rooms": "Archwilio Ystafelloedd" }, "common": { "identity_server": "Gweinydd Adnabod" diff --git a/src/i18n/strings/da.json b/src/i18n/strings/da.json index 536d218213..50dea1cadc 100644 --- a/src/i18n/strings/da.json +++ b/src/i18n/strings/da.json @@ -1,18 +1,10 @@ { - "Filter room members": "Filter medlemmer", - "Rooms": "Rum", - "Low priority": "Lav prioritet", - "Historical": "Historisk", "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", "Warning!": "Advarsel!", "Are you sure you want to reject the invitation?": "Er du sikker på du vil afvise invitationen?", - "Deactivate Account": "Deaktiver brugerkonto", - "Default": "Standard", - "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", "unknown error code": "Ukendt fejlkode", "Failed to forget room %(errCode)s": "Kunne ikke glemme rummet %(errCode)s", "Unnamed room": "Unavngivet rum", @@ -42,7 +34,6 @@ "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s", "Restricted": "Begrænset", "Moderator": "Moderator", - "Reason": "Årsag", "Sunday": "Søndag", "Today": "I dag", "Friday": "Fredag", @@ -54,9 +45,7 @@ "Tuesday": "Tirsdag", "Saturday": "Lørdag", "Monday": "Mandag", - "Invite to this room": "Inviter til dette rum", "Send": "Send", - "All messages": "Alle beskeder", "All Rooms": "Alle rum", "You cannot delete this message. (%(code)s)": "Du kan ikke slette denne besked. (%(code)s)", "Thursday": "Torsdag", @@ -66,19 +55,13 @@ "Logs sent": "Logfiler sendt", "Failed to send logs: ": "Kunne ikke sende logfiler: ", "Preparing to send logs": "Forbereder afsendelse af logfiler", - "Permission Required": "Tilladelse påkrævet", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s. %(monthName)s %(fullYear)s", "%(items)s and %(lastItem)s": "%(items)s og %(lastItem)s", - "Enter passphrase": "Indtast kodeord", - "Explore rooms": "Udforsk rum", - "Verification code": "Verifikationskode", "Headphones": "Hovedtelefoner", "Show more": "Vis mere", "Add a new server": "Tilføj en ny server", - "Checking server": "Tjekker server", "Local address": "Lokal adresse", "This room has no local addresses": "Dette rum har ingen lokal adresse", - "The conversation continues here.": "Samtalen fortsætter her.", "France": "Frankrig", "Finland": "Finland", "Egypt": "Egypten", @@ -334,8 +317,6 @@ "Algeria": "Algeriet", "Åland Islands": "Ålandsøerne", "Your password has been reset.": "Din adgangskode er blevet nulstillet.", - "Your password was successfully changed.": "Din adgangskode blev ændret.", - "Set a new custom sound": "Sæt en ny brugerdefineret lyd", "common": { "analytics": "Analyse data", "error": "Fejl", @@ -358,7 +339,10 @@ "off": "Slukket", "advanced": "Avanceret", "profile": "Profil", - "user_avatar": "Profil billede" + "user_avatar": "Profil billede", + "rooms": "Rum", + "low_priority": "Lav prioritet", + "historical": "Historisk" }, "action": { "continue": "Fortsæt", @@ -391,7 +375,8 @@ "cancel": "Afbryd", "back": "Tilbage", "accept": "Accepter", - "register": "Registrér" + "register": "Registrér", + "explore_rooms": "Udforsk rum" }, "labs": { "pinning": "Fastgørelse af beskeder", @@ -456,7 +441,14 @@ "add_msisdn_confirm_sso_button": "Bekræft tilføjelsen af dette telefonnummer ved at bruge Single Sign On til at bevise din identitet.", "add_msisdn_confirm_button": "Bekræft tilføjelse af telefonnummer", "add_msisdn_confirm_body": "Klik på knappen herunder for at bekræfte tilføjelsen af dette telefonnummer.", - "add_msisdn_dialog_title": "Tilføj telefonnummer" + "add_msisdn_dialog_title": "Tilføj telefonnummer", + "error_password_change_403": "Kunne ikke ændre adgangskoden. Er din adgangskode rigtig?", + "password_change_success": "Din adgangskode blev ændret.", + "deactivate_section": "Deaktiver brugerkonto", + "msisdn_verification_field_label": "Verifikationskode" + }, + "key_export_import": { + "enter_passphrase": "Indtast kodeord" } }, "devtools": { @@ -633,7 +625,9 @@ "placeholder": "Send en besked…", "autocomplete": { "command_description": "Kommandoer" - } + }, + "room_upgraded_link": "Samtalen fortsætter her.", + "poll_button_no_perms_title": "Tilladelse påkrævet" }, "voip": { "call_failed": "Opkald mislykkedes", @@ -788,13 +782,21 @@ "room_settings": { "permissions": { "banned_users_section": "Bortviste brugere", - "permissions_section": "Tilladelser" + "permissions_section": "Tilladelser", + "error_unbanning": "Var ikke i stand til at ophæve forbuddet", + "ban_reason": "Årsag" }, "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." + }, + "general": { + "other_section": "Andre" + }, + "notifications": { + "custom_sound_prompt": "Sæt en ny brugerdefineret lyd" } }, "failed_load_async_component": "Kunne ikke hente! Tjek din netværksforbindelse og prøv igen.", @@ -850,7 +852,8 @@ "context_menu": { "favourite": "Favorit", "low_priority": "Lav prioritet" - } + }, + "invite_this_room": "Inviter til dette rum" }, "items_and_n_others": { "other": " og %(count)s andre", @@ -859,6 +862,14 @@ "notifications": { "enable_prompt_toast_title": "Notifikationer", "error_change_title": "Skift notifikations indstillinger", - "class_other": "Andre" + "class_other": "Andre", + "default": "Standard", + "all_messages": "Alle beskeder" + }, + "identity_server": { + "checking": "Tjekker server" + }, + "member_list": { + "filter_placeholder": "Filter medlemmer" } } diff --git a/src/i18n/strings/de_DE.json b/src/i18n/strings/de_DE.json index 51d54013f8..1bac0d154c 100644 --- a/src/i18n/strings/de_DE.json +++ b/src/i18n/strings/de_DE.json @@ -1,31 +1,16 @@ { - "Filter room members": "Raummitglieder filtern", - "Rooms": "Räume", - "Low priority": "Niedrige Priorität", - "Historical": "Archiv", "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", "Warning!": "Warnung!", "Are you sure you want to reject the invitation?": "Bist du sicher, dass du die Einladung ablehnen willst?", - "Deactivate Account": "Benutzerkonto deaktivieren", - "Default": "Standard", - "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", - "Forget room": "Raum entfernen", - "Invalid Email Address": "Ungültige E-Mail-Adresse", "Moderator": "Moderator", "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.", "Reject invitation": "Einladung ablehnen", "Return to login screen": "Zur Anmeldemaske zurückkehren", - "This doesn't appear to be a valid email address": "Dies scheint keine gültige E-Mail-Adresse zu sein", - "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", - "Unable to verify email address.": "Die E-Mail-Adresse konnte nicht verifiziert werden.", "unknown error code": "Unbekannter Fehlercode", "Verification Pending": "Verifizierung ausstehend", - "You do not have permission to post to this room": "Du hast keine Berechtigung, etwas in diesen Raum zu senden", "Sun": "So", "Mon": "Mo", "Tue": "Di", @@ -47,7 +32,6 @@ "Dec": "Dez", "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(day)s. %(monthName)s %(time)s", "%(weekDayName)s %(time)s": "%(weekDayName)s, %(time)s", - "Reason": "Grund", "Connectivity to the server has been lost.": "Verbindung zum Server wurde unterbrochen.", "Sent messages will be stored until your connection has returned.": "Nachrichten werden gespeichert und gesendet, wenn die Internetverbindung wiederhergestellt ist.", "Failed to forget room %(errCode)s": "Das Entfernen des Raums ist fehlgeschlagen %(errCode)s", @@ -61,8 +45,6 @@ "Failed to ban user": "Verbannen des Benutzers fehlgeschlagen", "Failed to mute user": "Stummschalten des Nutzers fehlgeschlagen", "Failed to reject invite": "Ablehnen der Einladung ist fehlgeschlagen", - "Failed to set display name": "Anzeigename konnte nicht gesetzt werden", - "Incorrect verification code": "Falscher Verifizierungscode", "Join Room": "Raum betreten", "not specified": "nicht angegeben", "No more results": "Keine weiteren Ergebnisse", @@ -77,32 +59,18 @@ "Failed to load timeline position": "Laden der Verlaufsposition fehlgeschlagen", "%(items)s and %(lastItem)s": "%(items)s und %(lastItem)s", "%(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.", "Email address": "E-Mail-Adresse", "Error decrypting attachment": "Fehler beim Entschlüsseln des Anhangs", "Invalid file%(extra)s": "Ungültige Datei%(extra)s", - "Passphrases must match": "Passphrases müssen übereinstimmen", - "Passphrase must not be empty": "Passphrase darf nicht leer sein", - "Export room keys": "Raum-Schlüssel exportieren", - "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.", "Confirm Removal": "Entfernen bestätigen", "Unable to restore session": "Sitzungswiederherstellung fehlgeschlagen", "Error decrypting image": "Entschlüsselung des Bilds fehlgeschlagen", "Error decrypting video": "Videoentschlüsselung fehlgeschlagen", - "Import room keys": "Raum-Schlüssel importieren", - "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", - "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.", "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", - "No Webcams detected": "Keine Webcam erkannt", - "No Microphones detected": "Keine Mikrofone erkannt", "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", "Uploading %(filename)s": "%(filename)s wird hochgeladen", @@ -113,9 +81,6 @@ "Create new room": "Neuer Raum", "Home": "Startseite", "Admin Tools": "Administrationswerkzeuge", - "%(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.", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (Berechtigungslevel %(powerLevelNumber)s)", "(~%(count)s results)": { "one": "(~%(count)s Ergebnis)", "other": "(~%(count)s Ergebnisse)" @@ -123,8 +88,6 @@ "This will allow you to reset your password and receive notifications.": "Dies ermöglicht es dir, dein Passwort zurückzusetzen und Benachrichtigungen zu empfangen.", "AM": "a. m.", "PM": "p. m.", - "Unignore": "Nicht mehr blockieren", - "Banned by %(displayName)s": "Verbannt von %(displayName)s", "Jump to read receipt": "Zur Lesebestätigung springen", "Unnamed room": "Unbenannter Raum", "And %(count)s more...": { @@ -139,7 +102,6 @@ "Send": "Senden", "collapse": "Verbergen", "expand": "Erweitern", - "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.", "In reply to ": "Als Antwort auf ", @@ -157,10 +119,8 @@ "Preparing to send logs": "Senden von Protokolldateien wird vorbereitet", "Saturday": "Samstag", "Monday": "Montag", - "Invite to this room": "In diesen Raum einladen", "Wednesday": "Mittwoch", "You cannot delete this message. (%(code)s)": "Diese Nachricht kann nicht gelöscht werden. (%(code)s)", - "All messages": "Alle Nachrichten", "All Rooms": "In allen Räumen", "Thursday": "Donnerstag", "Search…": "Suchen…", @@ -179,13 +139,10 @@ "Share User": "Teile Benutzer", "Share Room Message": "Raumnachricht teilen", "Link to selected message": "Link zur ausgewählten Nachricht", - "No Audio Outputs detected": "Keine Audioausgabe erkannt", - "Audio Output": "Audioausgabe", "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", "This event could not be displayed": "Dieses Ereignis konnte nicht angezeigt werden", - "Permission Required": "Berechtigung benötigt", "Only room administrators will see this warning": "Nur Raumadministratoren werden diese Nachricht sehen", "Upgrade Room Version": "Raumversion aktualisieren", "Create a new room with the same name, description and avatar": "Einen neuen Raum mit demselben Namen, Beschreibung und Profilbild erstellen", @@ -194,8 +151,6 @@ "Put a link back to the old room at the start of the new room so people can see old messages": "Zu Beginn des neuen Raumes einen Link zum alten Raum setzen, damit Personen die alten Nachrichten sehen können", "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.": "Deine Nachricht wurde nicht gesendet, weil dieser Heim-Server sein Limit an monatlich aktiven Benutzern erreicht hat. Bitte kontaktiere deine Systemadministration, um diesen Dienst weiterzunutzen.", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Deine Nachricht wurde nicht gesendet, weil dieser Heim-Server ein Ressourcen-Limit erreicht hat. Bitte kontaktiere deine Systemadministration, um diesen Dienst weiterzunutzen.", - "This room has been replaced and is no longer active.": "Dieser Raum wurde ersetzt und ist nicht länger aktiv.", - "The conversation continues here.": "Die Konversation wird hier fortgesetzt.", "Failed to upgrade room": "Raumaktualisierung fehlgeschlagen", "The room upgrade could not be completed": "Die Raumaktualisierung konnte nicht fertiggestellt werden", "Upgrade this room to version %(version)s": "Raum auf Version %(version)s aktualisieren", @@ -210,10 +165,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": "Um zu vermeiden, dass dein Verlauf verloren geht, musst du deine Raumschlüssel exportieren, bevor du dich abmeldest. Dazu musst du auf die neuere Version von %(brand)s zurückgehen", "Incompatible Database": "Inkompatible Datenbanken", "Continue With Encryption Disabled": "Mit deaktivierter Verschlüsselung fortfahren", - "That matches!": "Das passt!", - "That doesn't match.": "Das passt nicht.", - "Go back to set it again.": "Gehe zurück und setze es erneut.", - "Unable to create key backup": "Konnte Schlüsselsicherung nicht erstellen", "Unable to restore backup": "Konnte Schlüsselsicherung nicht wiederherstellen", "No backup found!": "Keine Schlüsselsicherung gefunden!", "Set up": "Einrichten", @@ -223,24 +174,10 @@ "Invalid homeserver discovery response": "Ungültige Antwort beim Aufspüren des Heim-Servers", "Invalid identity server discovery response": "Ungültige Antwort beim Aufspüren des Identitäts-Servers", "General failure": "Allgemeiner Fehler", - "New Recovery Method": "Neue Wiederherstellungsmethode", - "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.": "Wenn du die neue Wiederherstellungsmethode nicht festgelegt hast, versucht ein Angreifer möglicherweise, auf dein Konto zuzugreifen. Ändere dein Kontopasswort und lege sofort eine neue Wiederherstellungsmethode in den Einstellungen fest.", - "Set up Secure Messages": "Richte sichere Nachrichten ein", - "Go to Settings": "Gehe zu Einstellungen", "The following users may not exist": "Eventuell existieren folgende Benutzer nicht", "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", - "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", - "Unable to verify phone number.": "Die Telefonnummer kann nicht überprüft werden.", - "Verification code": "Bestätigungscode", - "Phone Number": "Telefonnummer", - "Room information": "Rauminformationen", - "Email addresses": "E-Mail-Adressen", - "Phone numbers": "Telefonnummern", - "Account management": "Benutzerkontenverwaltung", - "Room Addresses": "Raumadressen", "Dog": "Hund", "Cat": "Katze", "Lion": "Löwe", @@ -302,9 +239,6 @@ "Anchor": "Anker", "Headphones": "Kopfhörer", "Folder": "Ordner", - "Ignored users": "Blockierte Benutzer", - "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", "Room avatar": "Raumbild", "Room Name": "Raumname", @@ -313,9 +247,6 @@ "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Verschlüsselte Nachrichten sind mit Ende-zu-Ende-Verschlüsselung gesichert. Nur du und der/die Empfänger haben die Schlüssel um diese Nachrichten zu lesen.", "Back up your keys before signing out to avoid losing them.": "Um deine Schlüssel nicht zu verlieren, musst du sie vor der Abmeldung sichern.", "Start using Key Backup": "Beginne Schlüsselsicherung zu nutzen", - "Success!": "Erfolgreich!", - "Your keys are being backed up (the first backup could take a few minutes).": "Deine Schlüssel werden gesichert (Das erste Backup könnte ein paar Minuten in Anspruch nehmen).", - "Voice & Video": "Anrufe", "Are you sure you want to sign out?": "Bist du sicher, dass du dich abmelden möchtest?", "Manually export keys": "Schlüssel manuell exportieren", "Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Überprüfe diesen Benutzer, um ihn als vertrauenswürdig zu kennzeichnen. Benutzern zu vertrauen gibt dir zusätzliche Sicherheit bei der Verwendung von Ende-zu-Ende-verschlüsselten Nachrichten.", @@ -325,8 +256,6 @@ "Email (optional)": "E-Mail-Adresse (optional)", "Couldn't load page": "Konnte Seite nicht laden", "Your password has been reset.": "Dein Passwort wurde zurückgesetzt.", - "Recovery Method Removed": "Wiederherstellungsmethode gelöscht", - "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.": "Wenn du die Wiederherstellungsmethode nicht gelöscht hast, kann ein Angreifer versuchen, Zugang zu deinem Konto zu bekommen. Ändere dein Passwort und richte sofort eine neue Wiederherstellungsmethode in den Einstellungen ein.", "Warning: you should only set up key backup from a trusted computer.": "Warnung: Du solltest die Schlüsselsicherung nur auf einem vertrauenswürdigen Gerät einrichten.", "Join millions for free on the largest public server": "Schließe dich kostenlos auf dem größten öffentlichen Server Millionen von Menschen an", "Scissors": "Schere", @@ -335,56 +264,23 @@ "Power level": "Berechtigungsstufe", "Room Settings - %(roomName)s": "Raumeinstellungen - %(roomName)s", "Could not load user profile": "Konnte Nutzerprofil nicht laden", - "Sign Up": "Registrieren", - "Reason: %(reason)s": "Grund: %(reason)s", - "Forget this room": "Diesen Raum entfernen", - "Do you want to join %(roomName)s?": "Möchtest du %(roomName)s betreten?", - " invited you": " hat dich eingeladen", "edited": "bearbeitet", "Edit message": "Nachricht bearbeiten", "Upload files": "Dateien hochladen", "Upload all": "Alle hochladen", "Cancel All": "Alle abbrechen", "Upload Error": "Fehler beim Hochladen", - "Add room": "Raum hinzufügen", "Failed to revoke invite": "Einladung konnte nicht zurückgezogen werden", "Revoke invite": "Einladung zurückziehen", "Invited by %(sender)s": "%(sender)s eingeladen", - "Checking server": "Überprüfe Server", - "Terms of service not accepted or the identity server is invalid.": "Nutzungsbedingungen nicht akzeptiert oder der Identitäts-Server ist ungültig.", - "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.": "Die Verwendung eines Identitäts-Servers ist optional. Solltest du dich dazu entschließen, keinen Identitäts-Server zu verwenden, kannst du von anderen Nutzern nicht gefunden werden und andere nicht per E-Mail-Adresse oder Telefonnummer einladen.", - "Do not use an identity server": "Keinen Identitäts-Server verwenden", - "Enter a new identity server": "Gib einen neuen Identitäts-Server ein", - "Clear personal data": "Persönliche Daten löschen", - "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.": "Wenn du die Verbindung zu deinem Identitäts-Server trennst, kannst du nicht mehr von anderen Benutzern gefunden werden und andere nicht mehr per E-Mail oder Telefonnummer einladen.", - "Disconnect from the identity server ?": "Verbindung zum Identitäts-Server trennen?", "Deactivate account": "Benutzerkonto deaktivieren", - "Change identity server": "Identitäts-Server wechseln", - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Du solltest deine persönlichen Daten vom Identitäts-Server entfernen, bevor du die Verbindung trennst. Leider ist der Identitäts-Server derzeit außer Betrieb oder kann nicht erreicht werden.", - "You should:": "Du solltest:", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "Überprüfe deinen Browser auf Erweiterungen, die den Identitäts-Server blockieren könnten (z. B. Privacy Badger)", "Lock": "Schloss", - "Disconnect from the identity server and connect to instead?": "Vom Identitäts-Server trennen, und stattdessen mit verbinden?", - "The identity server you have chosen does not have any terms of service.": "Der von dir gewählte Identitäts-Server gibt keine Nutzungsbedingungen an.", - "Disconnect identity server": "Verbindung zum Identitäts-Server trennen", - "contact the administrators of identity server ": "Kontaktiere die Administration des Identitäts-Servers ", - "wait and try again later": "warte und versuche es später erneut", - "Disconnect anyway": "Verbindung trotzdem trennen", - "You are still sharing your personal data on the identity server .": "Du teilst deine persönlichen Daten noch immer auf dem Identitäts-Server .", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Wir empfehlen, dass du deine E-Mail-Adressen und Telefonnummern vom Identitäts-Server löschst, bevor du die Verbindung trennst.", - "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.", - "Notification sound": "Benachrichtigungston", - "Set a new custom sound": "Neuen individuellen Ton festlegen", - "Browse": "Durchsuchen", "Direct Messages": "Direktnachrichten", "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.", "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", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Die Aktualisierung dieses Raums deaktiviert die aktuelle Instanz des Raums und erstellt einen aktualisierten Raum mit demselben Namen.", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) hat sich zu einer neuen Sitzung angemeldet, ohne sie zu verifizieren:", "%(count)s verified sessions": { @@ -406,35 +302,20 @@ "%(name)s cancelled": "%(name)s hat abgebrochen", "%(name)s wants to verify": "%(name)s will eine Verifizierung", "Session name": "Sitzungsname", - "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", "Messages in this room are not end-to-end encrypted.": "Nachrichten in diesem Raum sind nicht Ende-zu-Ende verschlüsselt.", "Ask %(displayName)s to scan your code:": "Bitte %(displayName)s, deinen Code zu scannen:", "Verify by emoji": "Mit Emojis verifizieren", "Verify by comparing unique emoji.": "Durch den Vergleich einzigartiger Emojis verifizieren.", "You've successfully verified %(displayName)s!": "Du hast %(displayName)s erfolgreich verifiziert!", - "Explore rooms": "Räume erkunden", - "Discovery options will appear once you have added an email above.": "Entdeckungsoptionen werden angezeigt, sobald du eine E-Mail-Adresse hinzugefügt hast.", - "Discovery options will appear once you have added a phone number above.": "Entdeckungsoptionen werden angezeigt, sobald du eine Telefonnummer hinzugefügt hast.", - "Close preview": "Vorschau schließen", - "Join the discussion": "An Diskussion teilnehmen", - "Remove %(email)s?": "%(email)s entfernen?", - "Remove %(phone)s?": "%(phone)s entfernen?", "Remove recent messages by %(user)s": "Kürzlich gesendete Nachrichten von %(user)s entfernen", "Remove %(count)s messages": { "other": "%(count)s Nachrichten entfernen", "one": "Eine Nachricht entfernen" }, "Remove recent messages": "Kürzlich gesendete Nachrichten entfernen", - "You're previewing %(roomName)s. Want to join it?": "Du erkundest den Raum %(roomName)s. Willst du ihn betreten?", - "Do you want to chat with %(user)s?": "Möchtest du mit %(user)s schreiben?", - " wants to chat": " möchte mit dir schreiben", - "Start chatting": "Unterhaltung beginnen", - "Reject & Ignore user": "Ablehnen und Nutzer blockieren", "Show more": "Mehr zeigen", "This backup is trusted because it has been restored on this session": "Dieser Sicherung wird vertraut, da sie während dieser Sitzung wiederhergestellt wurde", - "Sounds": "Töne", "Encrypted by an unverified session": "Von einer nicht verifizierten Sitzung verschlüsselt", "Unencrypted": "Unverschlüsselt", "Encrypted by a deleted session": "Von einer gelöschten Sitzung verschlüsselt", @@ -450,22 +331,10 @@ "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", - "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.", - "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", - "None": "Nichts", - "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", "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:", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Zurzeit verwendest du , um Kontakte zu finden und von anderen gefunden zu werden. Du kannst deinen Identitäts-Server nachfolgend wechseln.", - "Error changing power level requirement": "Fehler beim Ändern der Anforderungen für Benutzerrechte", - "Error changing power level": "Fehler beim Ändern der Benutzerrechte", - "Your email address hasn't been verified yet": "Deine E-Mail-Adresse wurde noch nicht verifiziert", - "Verify the link in your inbox": "Verifiziere den Link in deinem Posteingang", "You have not verified this user.": "Du hast diesen Nutzer nicht verifiziert.", "Everyone in this room is verified": "Alle in diesem Raum sind verifiziert", "Scroll to most recent messages": "Zur neusten Nachricht springen", @@ -476,19 +345,6 @@ "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?": "Beim Deaktivieren wirst du abgemeldet und ein erneutes Anmelden verhindert. Zusätzlich wirst du aus allen Räumen entfernt. Diese Aktion kann nicht rückgängig gemacht werden. Bist du sicher, dass du dieses Konto deaktivieren willst?", "Deactivate user": "Konto deaktivieren", "Failed to deactivate user": "Benutzer konnte nicht deaktiviert werden", - "Italics": "Kursiv", - "Join the conversation with an account": "An Unterhaltung mit einem Konto teilnehmen", - "Re-join": "Erneut betreten", - "You were banned from %(roomName)s by %(memberName)s": "Du wurdest von %(memberName)s aus %(roomName)s verbannt", - "Something went wrong with your invite to %(roomName)s": "Bei deiner Einladung zu %(roomName)s ist ein Fehler aufgetreten", - "You can only join it with a working invite.": "Das Betreten ist nur mit gültiger Einladung möglich.", - "Try to join anyway": "Dennoch versuchen beizutreten", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Diese Einladung zu %(roomName)s wurde an die Adresse %(email)s gesendet, die nicht zu deinem Konto gehört", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Verbinde diese E-Mail-Adresse in den Einstellungen mit deinem Konto, um die Einladungen direkt in %(brand)s zu erhalten.", - "This invite to %(roomName)s was sent to %(email)s": "Diese Einladung zu %(roomName)s wurde an %(email)s gesendet", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Verknüpfe einen Identitäts-Server in den Einstellungen, um die Einladungen direkt in %(brand)s zu erhalten.", - "Share this email in Settings to receive invites directly in %(brand)s.": "Teile diese E-Mail-Adresse in den Einstellungen, um Einladungen direkt in %(brand)s zu erhalten.", - "%(roomName)s can't be previewed. Do you want to join it?": "Vorschau von %(roomName)s kann nicht angezeigt werden. Möchtest du den Raum betreten?", "This room has already been upgraded.": "Dieser Raum wurde bereits aktualisiert.", "This room is running room version , which this homeserver has marked as unstable.": "Dieser Raum läuft mit der Raumversion , welche dieser Heim-Server als instabil markiert hat.", "Failed to connect to integration manager": "Fehler beim Verbinden mit dem Integrations-Server", @@ -591,16 +447,8 @@ "Homeserver URL does not appear to be a valid Matrix homeserver": "Die Heim-Server-URL scheint kein gültiger Matrix-Heim-Server zu sein", "Invalid base_url for m.identity_server": "Ungültige base_url für m.identity_server", "Identity server URL does not appear to be a valid identity server": "Die Identitäts-Server-URL scheint kein gültiger Identitäts-Server zu sein", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Wenn du nicht verwenden willst, um Kontakte zu finden und von anderen gefunden zu werden, trage unten einen anderen Identitäts-Server ein.", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Um ein Matrix-bezogenes Sicherheitsproblem zu melden, lies bitte die Matrix.org Sicherheitsrichtlinien.", - "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Beim Ändern der Anforderungen für Benutzerrechte ist ein Fehler aufgetreten. Stelle sicher, dass du die nötigen Berechtigungen besitzt und versuche es erneut.", - "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Beim Ändern der Benutzerrechte ist ein Fehler aufgetreten. Stelle sicher, dass du die nötigen Berechtigungen besitzt und versuche es erneut.", - "Unable to share email address": "E-Mail-Adresse kann nicht geteilt werden", - "Please enter verification code sent via text.": "Gib den Bestätigungscode ein, den du empfangen hast.", "Almost there! Is %(displayName)s showing the same shield?": "Fast geschafft! Wird bei %(displayName)s das gleiche Schild angezeigt?", - "Click the link in the email you received to verify and then click continue again.": "Klicke auf den Link in der Bestätigungs-E-Mail, und dann auf Weiter.", - "Unable to revoke sharing for phone number": "Widerrufen der geteilten Telefonnummer nicht möglich", - "Unable to share phone number": "Teilen der Telefonnummer nicht möglich", "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.": "Das Löschen von Quersignierungsschlüsseln ist dauerhaft. Alle, mit dem du dich verifiziert hast, werden Sicherheitswarnungen angezeigt bekommen. Du möchtest dies mit ziemlicher Sicherheit nicht tun, es sei denn, du hast jedes Gerät verloren, von dem aus du quersignieren kannst.", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Das Löschen aller Daten aus dieser Sitzung ist dauerhaft. Verschlüsselte Nachrichten gehen verloren, sofern deine Schlüssel nicht gesichert wurden.", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Wenn du diesen Benutzer verifizierst werden seine Sitzungen für dich und deine Sitzungen für ihn als vertrauenswürdig markiert.", @@ -620,16 +468,7 @@ "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.", - "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", - "Unable to set up secret storage": "Sicherer Speicher kann nicht eingerichtet werden", - "Create key backup": "Schlüsselsicherung erstellen", - "This session is encrypting history using the new recovery method.": "Diese Sitzung verschlüsselt den Verlauf mit der neuen Wiederherstellungsmethode.", - "Unable to revoke sharing for email address": "Dem Teilen der E-Mail-Adresse kann nicht widerrufen werden", - "Unable to query secret storage status": "Status des sicheren Speichers kann nicht gelesen werden", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Es gab einen Fehler beim Ändern des Raumalias. Entweder erlaubt es der Server nicht oder es gab ein temporäres Problem.", - "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.": "Wenn du dies versehentlich getan hast, kannst du in dieser Sitzung \"sichere Nachrichten\" einrichten, die den Nachrichtenverlauf dieser Sitzung mit einer neuen Wiederherstellungsmethode erneut verschlüsseln.", "You've successfully verified your device!": "Du hast dein Gerät erfolgreich verifiziert!", "To continue, use Single Sign On to prove your identity.": "Zum Fortfahren, nutze „Single Sign-On“ um deine Identität zu bestätigen.", "Confirm to continue": "Bestätige um fortzufahren", @@ -647,14 +486,10 @@ "Room address": "Raumadresse", "This address is available to use": "Diese Adresse ist verfügbar", "This address is already in use": "Diese Adresse wird bereits verwendet", - "Use a different passphrase?": "Eine andere Passphrase verwenden?", - "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 theme": "Design wechseln", - "No recently visited rooms": "Keine kürzlich besuchten Räume", "Message preview": "Nachrichtenvorschau", - "Room options": "Raumoptionen", "Looks good!": "Sieht gut aus!", "The authenticity of this encrypted message can't be guaranteed on this device.": "Die Echtheit dieser verschlüsselten Nachricht kann auf diesem Gerät nicht garantiert werden.", "Wrong file type": "Falscher Dateityp", @@ -674,19 +509,9 @@ "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", - "Set a Security Phrase": "Sicherheitsphrase setzen", - "Confirm Security Phrase": "Sicherheitsphrase bestätigen", - "Save your Security Key": "Sicherungsschlüssel sichern", "Security Phrase": "Sicherheitsphrase", "Security Key": "Sicherheitsschlüssel", "Use your Security Key to continue.": "Benutze deinen Sicherheitsschlüssel um fortzufahren.", - "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", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Verwende für deine Sicherung eine geheime Phrase, die nur du kennst, und speichere optional einen Sicherheitsschlüssel.", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Wenn du jetzt abbrichst, kannst du verschlüsselte Nachrichten und Daten verlieren, wenn du den Zugriff auf deine Sitzungen verlierst.", - "You can also set up Secure Backup & manage your keys in Settings.": "Du kannst auch in den Einstellungen Sicherungen einrichten und deine Schlüssel verwalten.", - "Explore public rooms": "Öffentliche Räume erkunden", "Preparing to download logs": "Bereite das Herunterladen der Protokolle vor", "Information": "Information", "Not encrypted": "Nicht verschlüsselt", @@ -711,8 +536,6 @@ "You can only pin up to %(count)s widgets": { "other": "Du kannst nur %(count)s Widgets anheften" }, - "Show Widgets": "Widgets anzeigen", - "Hide Widgets": "Widgets verstecken", "Data on this screen is shared with %(widgetDomain)s": "Daten auf diesem Bildschirm werden mit %(widgetDomain)s geteilt", "Modal Widget": "Modales Widget", "Uzbekistan": "Usbekistan", @@ -990,10 +813,6 @@ "Wrong Security Key": "Falscher Sicherheitsschlüssel", "Open dial pad": "Wähltastatur öffnen", "Dial pad": "Wähltastatur", - "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "In dieser Sitzung wurde festgestellt, dass deine Sicherheitsphrase und dein Schlüssel für sichere Nachrichten entfernt wurden.", - "A new Security Phrase and key for Secure Messages have been detected.": "Eine neue Sicherheitsphrase und ein neuer Schlüssel für sichere Nachrichten wurden erkannt.", - "Confirm your Security Phrase": "Deine Sicherheitsphrase bestätigen", - "Great! This Security Phrase looks strong enough.": "Großartig! Diese Sicherheitsphrase sieht stark genug aus.", "Access your secure message history and set up secure messaging by entering your Security Phrase.": "Greife auf deinen verschlüsselten Nachrichtenverlauf zu und richte die sichere Kommunikation ein, indem du deine Sicherheitsphrase eingibst.", "If you've forgotten your Security Key you can ": "Wenn du deinen Sicherheitsschlüssel vergessen hast, kannst du ", "Access your secure message history and set up secure messaging by entering your Security Key.": "Greife auf deinen verschlüsselten Nachrichtenverlauf zu und richte die sichere Kommunikation ein, indem du deinen Sicherheitsschlüssel eingibst.", @@ -1003,20 +822,14 @@ "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", - "Recently visited rooms": "Kürzlich besuchte Räume", "%(count)s members": { "other": "%(count)s Mitglieder", "one": "%(count)s Mitglied" }, "Create a new room": "Neuen Raum erstellen", - "Suggested Rooms": "Vorgeschlagene Räume", - "Add existing room": "Existierenden Raum hinzufügen", "Create a space": "Neuen Space erstellen", "Your message was sent": "Die Nachricht wurde gesendet", "Leave space": "Space verlassen", - "Invite to this space": "In diesen Space einladen", - "Private space": "Privater Space", - "Public space": "Öffentlicher Space", " invites you": "Du wirst von eingeladen", "No results found": "Keine Ergebnisse", "%(count)s rooms": { @@ -1064,11 +877,8 @@ "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", "Retry all": "Alle erneut senden", - "Verify your identity to access encrypted messages and prove your identity to others.": "Verifiziere diese Anmeldung, um auf verschlüsselte Nachrichten zuzugreifen und dich anderen gegenüber zu identifizieren.", "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": "Falls du es wirklich willst: Es werden keine Nachrichten gelöscht. Außerdem wird die Suche, während der Index erstellt wird, etwas langsamer sein", "Including %(commaSeparatedMembers)s": "Inklusive %(commaSeparatedMembers)s", - "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", "Want to add a new room instead?": "Willst du einen neuen Raum hinzufügen?", "Adding rooms... (%(progress)s out of %(count)s)": { @@ -1085,10 +895,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.", - "Currently joining %(count)s rooms": { - "one": "Betrete %(count)s Raum", - "other": "Betrete %(count)s Räume" - }, "Some suggestions may be hidden for privacy.": "Einige Vorschläge könnten aus Gründen der Privatsphäre ausgeblendet sein.", "Or send invite link": "Oder versende einen Einladungslink", "If you have permissions, open the menu on any message and select Pin to stick them here.": "Sofern du die Berechtigung hast, öffne das Menü einer Nachricht und wähle Anheften, ⁣ um sie hier aufzubewahren.", @@ -1103,25 +909,12 @@ "Published addresses can be used by anyone on any server to join your room.": "Veröffentlichte Adressen erlauben jedem, den Raum zu betreten.", "Published addresses can be used by anyone on any server to join your space.": "Veröffentlichte Adressen erlauben jedem, den Space zu betreten.", "This space has no local addresses": "Dieser Space hat keine lokale Adresse", - "Space information": "Information über den Space", - "Address": "Adresse", "Message search initialisation failed, check your settings for more information": "Initialisierung der Suche fehlgeschlagen, für weitere Informationen öffne deine Einstellungen", "Unnamed audio": "Unbenannte Audiodatei", - "Show %(count)s other previews": { - "one": "%(count)s andere Vorschau zeigen", - "other": "%(count)s weitere Vorschauen zeigen" - }, "Unable to copy a link to the room to the clipboard.": "Der Link zum Raum konnte nicht kopiert werden.", "Unable to copy room link": "Raumlink konnte nicht kopiert werden", "User Directory": "Benutzerverzeichnis", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "%(brand)s erlaubt dir nicht, eine Integrationsverwaltung zu verwenden, um dies zu tun. Bitte kontaktiere einen Administrator.", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Integrationsassistenten erhalten Konfigurationsdaten und können Widgets modifizieren, Raumeinladungen verschicken und in deinem Namen Berechtigungslevel setzen.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Verwende einen Integrations-Server, um Bots, Widgets und Sticker-Pakete zu verwalten.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Nutze einen Integrations-Server (%(serverName)s), um Bots, Widgets und Sticker-Pakete zu verwalten.", - "Identity server (%(server)s)": "Identitäts-Server (%(server)s)", - "Could not connect to identity server": "Verbindung zum Identitäts-Server konnte nicht hergestellt werden", - "Not a valid identity server (status code %(code)s)": "Ungültiger Identitäts-Server (Fehlercode %(code)s)", - "Identity server URL must be HTTPS": "Identitäts-Server-URL muss mit HTTPS anfangen", "Error processing audio message": "Fehler beim Verarbeiten der Audionachricht", "The call is in an unknown state!": "Dieser Anruf ist in einem unbekannten Zustand!", "Call back": "Zurückrufen", @@ -1140,8 +933,6 @@ "Unknown failure: %(reason)s": "Unbekannter Fehler: %(reason)s", "Stop recording": "Aufnahme beenden", "Send voice message": "Sprachnachricht senden", - "Public room": "Öffentlicher Raum", - "Add space": "Space hinzufügen", "Automatically invite members from this room to the new one": "Mitglieder automatisch in den neuen Raum einladen", "Search spaces": "Spaces durchsuchen", "Select spaces": "Spaces wählen", @@ -1164,20 +955,16 @@ "Role in ": "Rolle in ", "Results": "Ergebnisse", "Rooms and spaces": "Räume und Spaces", - "Unknown failure": "Unbekannter Fehler", - "Failed to update the join rules": "Fehler beim Aktualisieren der Beitrittsregeln", "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.", "Leave some rooms": "Zu verlassende Räume auswählen", "Leave all rooms": "Alle Räume verlassen", "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.", "%(count)s reply": { "one": "%(count)s Antwort", "other": "%(count)s Antworten" }, - "I'll verify later": "Später verifizieren", "Skip verification for now": "Verifizierung vorläufig überspringen", "Really reset verification keys?": "Willst du deine Verifizierungsschlüssel wirklich zurücksetzen?", "Joined": "Beigetreten", @@ -1191,16 +978,7 @@ "Unban from %(roomName)s": "Von %(roomName)s entbannen", "Disinvite from %(roomName)s": "Einladung für %(roomName)s zurückziehen", "Export chat": "Unterhaltung exportieren", - "Insert link": "Link einfügen", - "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Bewahre deinen Sicherheitsschlüssel sicher auf, etwa in einem Passwortmanager oder einem Safe, da er verwendet wird, um deine Daten zu sichern.", - "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Wir generieren einen Sicherheitsschlüssel für dich, den du in einem Passwort-Manager oder Safe sicher aufbewahren solltest.", "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.": "Zugriff auf dein Konto wiederherstellen und in dieser Sitzung gespeicherte Verschlüsselungs-Schlüssel wiederherstellen. Ohne diese wirst du nicht all deine verschlüsselten Nachrichten lesen können.", - "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.": "Das Zurücksetzen deiner Sicherheitsschlüssel kann nicht rückgängig gemacht werden. Nach dem Zurücksetzen wirst du alte Nachrichten nicht mehr lesen können un Freunde, die dich vorher verifiziert haben werden Sicherheitswarnungen bekommen, bis du dich erneut mit ihnen verifizierst.", - "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Ohne dich zu verifizieren wirst du keinen Zugriff auf alle deine Nachrichten haben und könntest für andere als nicht vertrauenswürdig erscheinen.", - "Verify with Security Key": "Mit Sicherheitsschlüssel verifizieren", - "Verify with Security Key or Phrase": "Mit Sicherheitsschlüssel oder Sicherheitsphrase verifizieren", - "Proceed with reset": "Mit Zurücksetzen fortfahren", - "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.": "Es sieht so aus, als hättest du keinen Sicherheitsschlüssel oder andere Geräte, mit denen du dich verifizieren könntest. Dieses Gerät wird keine alten verschlüsselten Nachrichten lesen können. Um deine Identität auf diesem Gerät zu verifizieren musst du deine Verifizierungsschlüssel zurücksetzen.", "Joining": "Trete bei", "Copy link to thread": "Link zu Thread kopieren", "Thread options": "Thread-Optionen", @@ -1211,29 +989,17 @@ "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", "The homeserver the user you're verifying is connected to": "Der Heim-Server der Person, die du verifizierst", - "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.", "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.", "Reply in thread": "In Thread antworten", - "Get notifications as set up in your settings": "Du erhältst Benachrichtigungen, wie du sie in den Einstellungen konfiguriert hast", "Forget": "Vergessen", "Files": "Dateien", - "You won't get any notifications": "Du wirst keine Benachrichtigungen erhalten", - "Get notified only with mentions and keywords as set up in your settings": "Nur bei Erwähnungen und Schlüsselwörtern benachrichtigen, die du in den Einstellungen konfigurieren kannst", - "@mentions & keywords": "@Erwähnungen und Schlüsselwörter", - "Get notified for every message": "Bei jeder Nachricht benachrichtigen", "%(count)s votes": { "one": "%(count)s Stimme", "other": "%(count)s Stimmen" }, "Chat": "Unterhaltung", - "%(spaceName)s menu": "%(spaceName)s-Menü", - "Join public room": "Öffentlichen Raum betreten", - "Add people": "Personen hinzufügen", - "Invite to space": "In Space einladen", - "Start new chat": "Neue Direktnachricht", "Recently viewed": "Kürzlich besucht", "Developer": "Entwickler", "Experimental": "Experimentell", @@ -1281,7 +1047,6 @@ "Unban them from everything I'm able to": "Überall wo ich die Rechte dazu habe, entbannen", "Messaging": "Kommunikation", "Close this widget to view it in this panel": "Widget schließen und in diesem Panel anzeigen", - "Home options": "Startseiteneinstellungen", "Unpin this widget to view it in this panel": "Widget nicht mehr anheften und in diesem Panel anzeigen", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Gruppiere Unterhaltungen mit Mitgliedern dieses Spaces. Diese Option zu deaktivieren, wird die Unterhaltungen aus %(spaceName)s ausblenden.", "Including you, %(commaSeparatedMembers)s": "Mit dir, %(commaSeparatedMembers)s", @@ -1292,14 +1057,10 @@ "Remove from room": "Aus Raum entfernen", "Failed to remove user": "Fehler beim entfernen des Nutzers", "Remove from %(roomName)s": "Aus %(roomName)s entfernen", - "You were removed from %(roomName)s by %(memberName)s": "%(memberName)s hat dich aus %(roomName)s entfernt", "From a thread": "Aus einem Thread", "Remove them from specific things I'm able to": "Person aus gewählten, mir möglichen, Bereichen entfernen", "Remove them from everything I'm able to": "Person aus allen, mir möglichen Bereichen entfernen", "To proceed, please accept the verification request on your other device.": "Akzeptiere die Verifizierungsanfrage am anderen Gerät, um fortzufahren.", - "Your new device is now verified. Other users will see it as trusted.": "Dein neues Gerät ist jetzt verifiziert. Anderen wird es als vertrauenswürdig angezeigt werden.", - "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Dein neues Gerät ist jetzt verifiziert und hat Zugriff auf deine verschlüsselten Nachrichten und anderen wird es als vertrauenswürdig angezeigt werden.", - "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", "Verify other device": "Anderes Gerät verifizieren", @@ -1315,9 +1076,6 @@ "Jump to date": "Zu Datum springen", "The beginning of the room": "Der Anfang des Raums", "Location": "Standort", - "Poll": "Umfrage", - "Voice Message": "Sprachnachricht", - "Hide stickers": "Sticker ausblenden", "Feedback sent! Thanks, we appreciate it!": "Rückmeldung gesendet! Danke, wir wissen es zu schätzen!", "%(space1Name)s and %(space2Name)s": "%(space1Name)s und %(space2Name)s", "Use to scroll": "Benutze zum scrollen", @@ -1347,10 +1105,6 @@ "other": "Du bist gerade dabei, %(count)s Nachrichten von %(user)s Benutzern zu löschen. Die Nachrichten werden für niemanden mehr sichtbar sein. Willst du fortfahren?" }, "%(displayName)s's live location": "Echtzeit-Standort von %(displayName)s", - "Currently removing messages in %(count)s rooms": { - "one": "Entferne Nachrichten in %(count)s Raum", - "other": "Entferne Nachrichten in %(count)s Räumen" - }, "View live location": "Echtzeit-Standort anzeigen", "Ban from room": "Bannen", "Unban from room": "Entbannen", @@ -1363,29 +1117,8 @@ "one": "1 Teilnehmer", "other": "%(count)s Teilnehmer" }, - "Try again later, or ask a room or space admin to check if you have access.": "Versuche es später erneut oder bitte einen Raum- oder Space-Admin um eine Zutrittserlaubnis.", - "This room or space is not accessible at this time.": "Dieser Raum oder Space ist im Moment nicht zugänglich.", - "Are you sure you're at the right place?": "Bist du sicher am richtigen Ort?", - "This room or space does not exist.": "Dieser Raum oder Space existiert nicht.", - "There's no preview, would you like to join?": "Es gibt keine Vorschau, dennoch betreten?", - "This invite was sent to %(email)s": "Einladung an %(email)s gesendet", - "This invite was sent to %(email)s which is not associated with your account": "Diese Einladung wurde an die E-Mail-Adresse %(email)s gesendet, die nicht zu deinem Konto gehört", - "You can still join here.": "Betreten ist dennoch möglich.", - "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.": "Beim Überprüfen der Einladung gab es den Fehler %(errcode)s. Du kannst diese Info der Person, die dich eingeladen hat weitergeben, eventuell kann dies ihr helfen.", - "Something went wrong with your invite.": "Bei der Einladung ist etwas schiefgelaufen.", - "You were banned by %(memberName)s": "Du wurdest von %(memberName)s gebannt", - "Forget this space": "Diesen Space vergessen", - "You were removed by %(memberName)s": "Du wurdest von %(memberName)s entfernt", - "Loading preview": "Lade Vorschau", - "New video room": "Neuer Videoraum", - "New room": "Neuer Raum", - "Seen by %(count)s people": { - "one": "Von %(count)s Person gesehen", - "other": "Von %(count)s Personen gesehen" - }, "%(members)s and %(last)s": "%(members)s und %(last)s", "%(members)s and more": "%(members)s und weitere", - "Your password was successfully changed.": "Dein Passwort wurde erfolgreich geändert.", "View List": "Liste Anzeigen", "View list": "Liste anzeigen", "Cameras": "Kameras", @@ -1403,13 +1136,9 @@ "To continue, please enter your account password:": "Um fortzufahren, gib bitte das Passwort deines Kontos ein:", "%(featureName)s Beta feedback": "Rückmeldung zur %(featureName)s-Beta", "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.": "Du kannst in den benutzerdefinierten Server-Optionen eine andere Heim-Server-URL angeben, um dich bei anderen Matrix-Servern anzumelden. Dadurch kannst du %(brand)s mit einem auf einem anderen Heim-Server liegenden Matrix-Konto nutzen.", - "To view %(roomName)s, you need an invite": "Um %(roomName)s zu betrachten, benötigst du eine Einladung", - "%(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 wurde während des Betretens zurückgegeben. Wenn du denkst, dass diese Meldung nicht korrekt ist, reiche bitte einen Fehlerbericht ein.", - "Private room": "Privater Raum", "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.": "Du wurdest von allen Geräten abgemeldet und erhältst keine Push-Benachrichtigungen mehr. Um Benachrichtigungen wieder zu aktivieren, melde dich auf jedem Gerät erneut an.", "Your message wasn't sent because this homeserver has been blocked by its administrator. Please contact your service administrator to continue using the service.": "Deine Nachricht wurde nicht gesendet, weil dieser Heim-Server von dessen Administration gesperrt wurde. Bitte kontaktiere deine Dienstadministration, um den Dienst weiterzunutzen.", "Explore public spaces in the new search dialog": "Erkunde öffentliche Räume mit der neuen Suchfunktion", - "Video room": "Videoraum", "Remove server “%(roomServer)s”": "Server „%(roomServer)s“ entfernen", "Add new server…": "Neuen Server hinzufügen …", "Show: %(instance)s rooms (%(server)s)": "%(instance)s Räume zeigen (%(server)s)", @@ -1447,10 +1176,7 @@ "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.", - "Deactivating your account is a permanent action — be careful!": "Die Deaktivierung deines Kontos ist unwiderruflich — sei vorsichtig!", - "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", "Online community members": "Online Community-Mitglieder", "You don't have permission to share locations": "Dir fehlt die Berechtigung, Echtzeit-Standorte freigeben zu dürfen", "Start a group chat": "Gruppenunterhaltung beginnen", @@ -1460,30 +1186,15 @@ "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.", - "To join, please enable video rooms in Labs first": "Zum Betreten, aktiviere bitte Videoräume in den Laboreinstellungen", "Stop and close": "Beenden und schließen", "We'll help you get connected.": "Wir helfen dir, dich zu vernetzen.", "You're in": "Los gehts", "Choose a locale": "Wähle ein Gebietsschema", "Saved Items": "Gespeicherte Elemente", - "Read receipts": "Lesebestätigungen", - "Join the room to participate": "Betrete den Raum, um teilzunehmen", - "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s oder %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s oder %(recoveryFile)s", - "Video call (Jitsi)": "Videoanruf (Jitsi)", - "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", - "Freedom": "Freiraum", - "Spotlight": "Rampenlicht", "Room info": "Raum-Info", - "View chat timeline": "Nachrichtenverlauf anzeigen", - "Close call": "Anruf schließen", - "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", "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", @@ -1502,16 +1213,8 @@ "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 formatting": "Formatierung anzeigen", - "Hide formatting": "Formatierung ausblenden", - "Connection": "Verbindung", - "Voice processing": "Sprachverarbeitung", - "Video settings": "Videoeinstellungen", - "Automatically adjust the microphone volume": "Gleiche die Mikrofonlautstärke automatisch an", - "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", - "Send email": "E-Mail senden", "Sign out of all devices": "Auf allen Geräten abmelden", "Confirm new password": "Neues Passwort bestätigen", "Too many attempts in a short time. Retry after %(timeout)s.": "Zu viele Versuche in zu kurzer Zeit. Versuche es erneut nach %(timeout)s.", @@ -1520,7 +1223,6 @@ "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.", "WARNING: ": "WARNUNG: ", - "Change layout": "Anordnung ändern", "Unable to decrypt message": "Nachrichten-Entschlüsselung nicht möglich", "This message could not be decrypted": "Diese Nachricht konnte nicht enschlüsselt werden", " in %(room)s": " in %(room)s", @@ -1530,15 +1232,12 @@ "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", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", - "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", "unknown": "unbekannt", "Declining…": "Ablehnen …", "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.", - "Starting backup…": "Beginne Sicherung …", "Connecting…": "Verbinde …", "Scan QR code": "QR-Code einlesen", "Select '%(scanQRCode)s'": "Wähle „%(scanQRCode)s“", @@ -1548,17 +1247,9 @@ "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 …", - "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 …", - "Set a new account password…": "Setze neues Kontopasswort …", "Starting export process…": "Beginne Exportvorgang …", - "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.": "Gib eine nur dir bekannte Sicherheitsphrase ein, die dem Schutz deiner Daten dient. Um die Sicherheit zu gewährleisten, sollte dies nicht dein Kontopasswort sein.", - "Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Bitte fahre nur fort, wenn du sicher bist, dass du alle anderen Geräte und deinen Sicherheitsschlüssel verloren hast.", - "Secure Backup successful": "Verschlüsselte Sicherung erfolgreich", - "Your keys are now being backed up from this device.": "Deine Schlüssel werden nun von dieser Sitzung gesichert.", "Loading polls": "Lade Umfragen", "The sender has blocked you from receiving this message": "Der Absender hat dich vom Erhalt dieser Nachricht ausgeschlossen", "Due to decryption errors, some votes may not be counted": "Evtl. werden infolge von Entschlüsselungsfehlern einige Stimmen nicht gezählt", @@ -1596,64 +1287,17 @@ "Start DM anyway": "Dennoch DM beginnen", "Start DM anyway and never warn me again": "Dennoch DM beginnen und mich nicht mehr warnen", "Unable to find profiles for the Matrix IDs listed below - would you like to start a DM anyway?": "Konnte keine Profile für die folgenden Matrix-IDs finden – möchtest du dennoch eine Direktnachricht beginnen?", - "Formatting": "Formatierung", "Search all rooms": "Alle Räume durchsuchen", "Search this room": "Diesen Raum durchsuchen", - "Upload custom sound": "Eigenen Ton hochladen", - "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)", "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", "Waiting for users to join %(brand)s": "Warte darauf, dass Benutzer %(brand)s beitreten", - "You do not have permission to invite users": "Du bist nicht berechtigt, Benutzer einzuladen", "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.", - "People, Mentions and Keywords": "Personen, Erwähnungen und Schlüsselwörter", - "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": "Aktualisierung: Wir haben die Benachrichtigungseinstellungen vereinfacht, damit Optionen schneller zu finden sind. Einige benutzerdefinierte Einstellungen werden hier nicht angezeigt, sind aber dennoch aktiv. Wenn du fortfährst, könnten sich einige Einstellungen ändern. Erfahre mehr", - "Email Notifications": "E-Mail-Benachrichtigungen", - "Email summary": "E-Mail-Zusammenfassung", - "Receive an email summary of missed notifications": "E-Mail-Zusammenfassung für verpasste Benachrichtigungen erhalten", - "Select which emails you want to send summaries to. Manage your emails in .": "Wähle, an welche E-Mail-Adresse die Zusammenfassungen gesendet werden. Verwalte deine E-Mail-Adressen unter .", - "Mentions and Keywords only": "Nur Erwähnungen und Schlüsselwörter", - "Show message preview in desktop notification": "Nachrichtenvorschau in der Desktopbenachrichtigung anzeigen", - "I want to be notified for (Default Setting)": "Ich möchte benachrichtigt werden für (Standardeinstellung)", - "This setting will be applied by default to all your rooms.": "Diese Einstellung wird standardmäßig für all deine Räume übernommen.", - "Play a sound for": "Spiele einen Ton für", - "Applied by default to all rooms on all devices.": "Standardmäßig übernommen für alle Räume auf allen Geräten.", - "Mentions and Keywords": "Erwähnungen und Schlüsselwörter", - "Audio and Video calls": "Audio- und Videoanrufe", - "Other things we think you might be interested in:": "Andere Dinge, an denen du interessiert sein könntest:", - "Invited to a room": "In einen Raum eingeladen", - "New room activity, upgrades and status messages occur": "Neue Raumaktivitäten, -aktualisierungen und -statusmeldungen", - "Messages sent by bots": "Nachrichten von Bots", - "Show a badge when keywords are used in a room.": "Zeige einen Hinweis , wenn Schlüsselwörter in einem Raum verwendet werden.", - "Notify when someone mentions using @room": "Benachrichtigen, wenn jemand @room erwähnt", - "Notify when someone mentions using @displayname or %(mxid)s": "Benachrichtigen, wenn jemand @anzeigename oder %(mxid)s erwähnt", - "Notify when someone uses a keyword": "Benachrichtigen, wenn jemand ein Schlüsselwort erwähnt", - "Enter keywords here, or use for spelling variations or nicknames": "Schlüsselwörter, Variationen dieser oder Anzeigenamen eingeben", - "Quick Actions": "Schnellaktionen", - "Mark all messages as read": "Alle Nachrichten als gelesen markieren", - "Reset to default settings": "Standardeinstellungen wiederherstellen", - "Unable to find user by email": "Kann Benutzer nicht via E-Mail-Adresse finden", "Messages here are end-to-end encrypted. Verify %(displayName)s in their profile - tap on their profile picture.": "Nachrichten hier sind Ende-zu-Ende-verschlüsselt. Verifiziere %(displayName)s in deren Profil – klicke auf deren Profilbild.", "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.": "Nachrichten in diesem Raum sind Ende-zu-Ende-verschlüsselt. Wenn Personen beitreten, kannst du sie in ihrem Profil verifizieren, indem du auf deren Profilbild klickst.", - "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Die exportierte Datei erlaubt Unbefugten, jede Nachricht zu entschlüsseln, sei also vorsichtig und halte sie versteckt. Um dies zu verhindern, empfiehlt es sich eine einzigartige Passphrase unten einzugeben, die nur für das Entschlüsseln der exportierten Datei genutzt wird. Es ist nur möglich, diese Datei mit der selben Passphrase zu importieren.", "Upgrade room": "Raum aktualisieren", - "Great! This passphrase looks strong enough": "Super! Diese Passphrase wirkt stark genug", "Other spaces you know": "Andere dir bekannte Spaces", - "Ask to join %(roomName)s?": "Beitrittsanfrage für %(roomName)s stellen?", - "You need to be granted access to this room in order to view or participate in the conversation. You can send a request to join below.": "Du benötigst eine Beitrittsberechtigung, um den Raum betrachten oder an der Unterhaltung teilnehmen zu können. Du kannst nachstehend eine Beitrittsanfrage stellen.", - "Ask to join?": "Beitrittsanfrage stellen?", - "Message (optional)": "Nachricht (optional)", - "Request access": "Beitrittsanfrage stellen", - "Request to join sent": "Beitrittsanfrage gestellt", - "Your request to join is pending.": "Deine Beitrittsanfrage wurde noch nicht bearbeitet.", - "Cancel request": "Anfrage abbrechen", "Failed to query public rooms": "Abfrage öffentlicher Räume fehlgeschlagen", - "No requests": "Keine Anfragen", - "Asking to join": "Beitrittsanfragen", - "See less": "Weniger", - "See more": "Mehr", "common": { "about": "Über", "analytics": "Analysedaten", @@ -1759,7 +1403,18 @@ "saving": "Speichere …", "profile": "Profil", "display_name": "Anzeigename", - "user_avatar": "Profilbild" + "user_avatar": "Profilbild", + "authentication": "Authentifizierung", + "public_room": "Öffentlicher Raum", + "video_room": "Videoraum", + "public_space": "Öffentlicher Space", + "private_space": "Privater Space", + "private_room": "Privater Raum", + "rooms": "Räume", + "low_priority": "Niedrige Priorität", + "historical": "Archiv", + "go_to_settings": "Gehe zu Einstellungen", + "setup_secure_messages": "Richte sichere Nachrichten ein" }, "action": { "continue": "Fortfahren", @@ -1866,7 +1521,16 @@ "unban": "Verbannung aufheben", "click_to_copy": "Klicken um zu kopieren", "hide_advanced": "Erweiterte Einstellungen ausblenden", - "show_advanced": "Erweiterte Einstellungen" + "show_advanced": "Erweiterte Einstellungen", + "unignore": "Nicht mehr blockieren", + "start_new_chat": "Neue Direktnachricht", + "invite_to_space": "In Space einladen", + "add_people": "Personen hinzufügen", + "explore_rooms": "Räume erkunden", + "new_room": "Neuer Raum", + "new_video_room": "Neuer Videoraum", + "add_existing_room": "Existierenden Raum hinzufügen", + "explore_public_rooms": "Öffentliche Räume erkunden" }, "a11y": { "user_menu": "Benutzermenü", @@ -1879,7 +1543,8 @@ "one": "1 ungelesene Nachricht." }, "unread_messages": "Ungelesene Nachrichten.", - "jump_first_invite": "Zur ersten Einladung springen." + "jump_first_invite": "Zur ersten Einladung springen.", + "room_name": "Raum %(name)s" }, "labs": { "video_rooms": "Videoräume", @@ -2071,7 +1736,22 @@ "space_a11y": "Spaces automatisch vervollständigen", "user_description": "Benutzer", "user_a11y": "Nutzer-Auto-Vervollständigung" - } + }, + "room_upgraded_link": "Die Konversation wird hier fortgesetzt.", + "room_upgraded_notice": "Dieser Raum wurde ersetzt und ist nicht länger aktiv.", + "no_perms_notice": "Du hast keine Berechtigung, etwas in diesen Raum zu senden", + "send_button_voice_message": "Sprachnachricht senden", + "close_sticker_picker": "Sticker ausblenden", + "voice_message_button": "Sprachnachricht", + "poll_button_no_perms_title": "Berechtigung benötigt", + "poll_button_no_perms_description": "Du bist nicht berechtigt, Umfragen in diesem Raum zu beginnen.", + "poll_button": "Umfrage", + "mode_plain": "Formatierung ausblenden", + "mode_rich_text": "Formatierung anzeigen", + "formatting_toolbar_label": "Formatierung", + "format_italics": "Kursiv", + "format_insert_link": "Link einfügen", + "replying_title": "Antwortet" }, "Link": "Link", "Code": "Code", @@ -2251,7 +1931,32 @@ "error_title": "Benachrichtigungen konnten nicht aktiviert werden", "error_updating": "Ein Fehler ist während der Aktualisierung deiner Benachrichtigungseinstellungen aufgetreten. Bitte versuche die Option erneut umzuschalten.", "push_targets": "Benachrichtigungsziele", - "error_loading": "Fehler beim Laden der Benachrichtigungseinstellungen." + "error_loading": "Fehler beim Laden der Benachrichtigungseinstellungen.", + "email_section": "E-Mail-Zusammenfassung", + "email_description": "E-Mail-Zusammenfassung für verpasste Benachrichtigungen erhalten", + "email_select": "Wähle, an welche E-Mail-Adresse die Zusammenfassungen gesendet werden. Verwalte deine E-Mail-Adressen unter .", + "people_mentions_keywords": "Personen, Erwähnungen und Schlüsselwörter", + "mentions_keywords_only": "Nur Erwähnungen und Schlüsselwörter", + "labs_notice_prompt": "Aktualisierung: Wir haben die Benachrichtigungseinstellungen vereinfacht, damit Optionen schneller zu finden sind. Einige benutzerdefinierte Einstellungen werden hier nicht angezeigt, sind aber dennoch aktiv. Wenn du fortfährst, könnten sich einige Einstellungen ändern. Erfahre mehr", + "desktop_notification_message_preview": "Nachrichtenvorschau in der Desktopbenachrichtigung anzeigen", + "default_setting_section": "Ich möchte benachrichtigt werden für (Standardeinstellung)", + "default_setting_description": "Diese Einstellung wird standardmäßig für all deine Räume übernommen.", + "play_sound_for_section": "Spiele einen Ton für", + "play_sound_for_description": "Standardmäßig übernommen für alle Räume auf allen Geräten.", + "mentions_keywords": "Erwähnungen und Schlüsselwörter", + "voip": "Audio- und Videoanrufe", + "other_section": "Andere Dinge, an denen du interessiert sein könntest:", + "invites": "In einen Raum eingeladen", + "room_activity": "Neue Raumaktivitäten, -aktualisierungen und -statusmeldungen", + "notices": "Nachrichten von Bots", + "keywords": "Zeige einen Hinweis , wenn Schlüsselwörter in einem Raum verwendet werden.", + "notify_at_room": "Benachrichtigen, wenn jemand @room erwähnt", + "notify_mention": "Benachrichtigen, wenn jemand @anzeigename oder %(mxid)s erwähnt", + "notify_keyword": "Benachrichtigen, wenn jemand ein Schlüsselwort erwähnt", + "keywords_prompt": "Schlüsselwörter, Variationen dieser oder Anzeigenamen eingeben", + "quick_actions_section": "Schnellaktionen", + "quick_actions_mark_all_read": "Alle Nachrichten als gelesen markieren", + "quick_actions_reset": "Standardeinstellungen wiederherstellen" }, "appearance": { "layout_irc": "IRC (Experimentell)", @@ -2289,7 +1994,19 @@ "echo_cancellation": "Echounterdrückung", "noise_suppression": "Rauschreduzierung", "enable_fallback_ice_server": "Ersatz-Anrufassistenz-Server erlauben (%(server)s)", - "enable_fallback_ice_server_description": "Dieser wird nur verwendet, sollte dein Heim-Server keinen bieten. Deine IP-Adresse würde während eines Anrufs geteilt werden." + "enable_fallback_ice_server_description": "Dieser wird nur verwendet, sollte dein Heim-Server keinen bieten. Deine IP-Adresse würde während eines Anrufs geteilt werden.", + "missing_permissions_prompt": "Fehlende Medienberechtigungen. Verwende die nachfolgende Schaltfläche, um sie anzufordern.", + "request_permissions": "Medienberechtigungen anfordern", + "audio_output": "Audioausgabe", + "audio_output_empty": "Keine Audioausgabe erkannt", + "audio_input_empty": "Keine Mikrofone erkannt", + "video_input_empty": "Keine Webcam erkannt", + "title": "Anrufe", + "voice_section": "Spracheinstellungen", + "voice_agc": "Gleiche die Mikrofonlautstärke automatisch an", + "video_section": "Videoeinstellungen", + "voice_processing": "Sprachverarbeitung", + "connection_section": "Verbindung" }, "send_read_receipts_unsupported": "Dein Server unterstützt das Deaktivieren von Lesebestätigungen nicht.", "security": { @@ -2362,7 +2079,11 @@ "key_backup_in_progress": "Sichere %(sessionsRemaining)s Schlüssel …", "key_backup_complete": "Alle Schlüssel gesichert", "key_backup_algorithm": "Algorithmus:", - "key_backup_inactive_warning": "Deine Schlüssel werden von dieser Sitzung nicht gesichert." + "key_backup_inactive_warning": "Deine Schlüssel werden von dieser Sitzung nicht gesichert.", + "key_backup_active_version_none": "Nichts", + "ignore_users_empty": "Du ignorierst keine Benutzer.", + "ignore_users_section": "Blockierte Benutzer", + "e2ee_default_disabled_warning": "Deine Server-Administration hat die Ende-zu-Ende-Verschlüsselung für private Räume und Direktnachrichten standardmäßig deaktiviert." }, "preferences": { "room_list_heading": "Raumliste", @@ -2482,7 +2203,8 @@ "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?" }, - "other_sessions_subsection_description": "Für bestmögliche Sicherheit verifiziere deine Sitzungen und melde dich von allen ab, die du nicht erkennst oder nutzt." + "other_sessions_subsection_description": "Für bestmögliche Sicherheit verifiziere deine Sitzungen und melde dich von allen ab, die du nicht erkennst oder nutzt.", + "error_pusher_state": "Konfigurieren des Push-Dienstes fehlgeschlagen" }, "general": { "oidc_manage_button": "Konto verwalten", @@ -2504,7 +2226,46 @@ "add_msisdn_dialog_title": "Telefonnummer hinzufügen", "name_placeholder": "Kein Anzeigename", "error_saving_profile_title": "Speichern des Profils fehlgeschlagen", - "error_saving_profile": "Die Operation konnte nicht abgeschlossen werden" + "error_saving_profile": "Die Operation konnte nicht abgeschlossen werden", + "error_password_change_unknown": "Unbekannter Fehler während der Passwortänderung (%(stringifiedError)s)", + "error_password_change_403": "Passwortänderung fehlgeschlagen. Ist dein Passwort richtig?", + "error_password_change_http": "%(errorMessage)s (HTTP-Status %(httpStatus)s)", + "error_password_change_title": "Fehler während der Passwortänderung", + "password_change_success": "Dein Passwort wurde erfolgreich geändert.", + "emails_heading": "E-Mail-Adressen", + "msisdns_heading": "Telefonnummern", + "password_change_section": "Setze neues Kontopasswort …", + "external_account_management": "Deine Kontodaten werden separat auf %(hostname)s verwaltet.", + "discovery_needs_terms": "Stimme den Nutzungsbedingungen des Identitäts-Servers %(serverName)s zu, um per E-Mail-Adresse oder Telefonnummer auffindbar zu werden.", + "deactivate_section": "Benutzerkonto deaktivieren", + "account_management_section": "Benutzerkontenverwaltung", + "deactivate_warning": "Die Deaktivierung deines Kontos ist unwiderruflich — sei vorsichtig!", + "discovery_section": "Kontakte", + "error_revoke_email_discovery": "Dem Teilen der E-Mail-Adresse kann nicht widerrufen werden", + "error_share_email_discovery": "E-Mail-Adresse kann nicht geteilt werden", + "email_not_verified": "Deine E-Mail-Adresse wurde noch nicht verifiziert", + "email_verification_instructions": "Klicke auf den Link in der Bestätigungs-E-Mail, und dann auf Weiter.", + "error_email_verification": "Die E-Mail-Adresse konnte nicht verifiziert werden.", + "discovery_email_verification_instructions": "Verifiziere den Link in deinem Posteingang", + "discovery_email_empty": "Entdeckungsoptionen werden angezeigt, sobald du eine E-Mail-Adresse hinzugefügt hast.", + "error_revoke_msisdn_discovery": "Widerrufen der geteilten Telefonnummer nicht möglich", + "error_share_msisdn_discovery": "Teilen der Telefonnummer nicht möglich", + "error_msisdn_verification": "Die Telefonnummer kann nicht überprüft werden.", + "incorrect_msisdn_verification": "Falscher Verifizierungscode", + "msisdn_verification_instructions": "Gib den Bestätigungscode ein, den du empfangen hast.", + "msisdn_verification_field_label": "Bestätigungscode", + "discovery_msisdn_empty": "Entdeckungsoptionen werden angezeigt, sobald du eine Telefonnummer hinzugefügt hast.", + "error_set_name": "Anzeigename konnte nicht gesetzt werden", + "error_remove_3pid": "Die Kontaktinformationen können nicht gelöscht werden", + "remove_email_prompt": "%(email)s entfernen?", + "error_invalid_email": "Ungültige E-Mail-Adresse", + "error_invalid_email_detail": "Dies scheint keine gültige E-Mail-Adresse zu sein", + "error_add_email": "E-Mail-Adresse konnte nicht hinzugefügt werden", + "add_email_instructions": "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_label": "E-Mail-Adresse", + "remove_msisdn_prompt": "%(phone)s entfernen?", + "add_msisdn_instructions": "Gib den per SMS an +%(msisdn)s gesendeten Bestätigungscode ein.", + "msisdn_label": "Telefonnummer" }, "sidebar": { "title": "Seitenleiste", @@ -2517,6 +2278,58 @@ "metaspaces_orphans_description": "Gruppiere all deine Räume, die nicht Teil eines Spaces sind, an einem Ort.", "metaspaces_home_all_rooms_description": "Alle Räume auf der Startseite anzeigen, auch wenn sie Teil eines Space sind.", "metaspaces_home_all_rooms": "Alle Räume anzeigen" + }, + "key_backup": { + "backup_in_progress": "Deine Schlüssel werden gesichert (Das erste Backup könnte ein paar Minuten in Anspruch nehmen).", + "backup_starting": "Beginne Sicherung …", + "backup_success": "Erfolgreich!", + "create_title": "Schlüsselsicherung erstellen", + "cannot_create_backup": "Konnte Schlüsselsicherung nicht erstellen", + "setup_secure_backup": { + "generate_security_key_title": "Sicherheitsschlüssel generieren", + "generate_security_key_description": "Wir generieren einen Sicherheitsschlüssel für dich, den du in einem Passwort-Manager oder Safe sicher aufbewahren solltest.", + "enter_phrase_title": "Sicherheitsphrase eingeben", + "description": "Verhindere, den Zugriff auf verschlüsselte Nachrichten und Daten zu verlieren, indem du die Verschlüsselungs-Schlüssel auf deinem Server sicherst.", + "requires_password_confirmation": "Gib dein Kontopasswort ein, um die Aktualisierung zu bestätigen:", + "requires_key_restore": "Schlüsselsicherung wiederherstellen, um deine Verschlüsselung zu aktualisieren", + "requires_server_authentication": "Du musst dich authentifizieren, um die Aktualisierung zu bestätigen.", + "session_upgrade_description": "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.", + "enter_phrase_description": "Gib eine nur dir bekannte Sicherheitsphrase ein, die dem Schutz deiner Daten dient. Um die Sicherheit zu gewährleisten, sollte dies nicht dein Kontopasswort sein.", + "phrase_strong_enough": "Großartig! Diese Sicherheitsphrase sieht stark genug aus.", + "pass_phrase_match_success": "Das passt!", + "use_different_passphrase": "Eine andere Passphrase verwenden?", + "pass_phrase_match_failed": "Das passt nicht.", + "set_phrase_again": "Gehe zurück und setze es erneut.", + "enter_phrase_to_confirm": "Gib dein Kennwort ein zweites Mal zur Bestätigung ein.", + "confirm_security_phrase": "Deine Sicherheitsphrase bestätigen", + "security_key_safety_reminder": "Bewahre deinen Sicherheitsschlüssel sicher auf, etwa in einem Passwortmanager oder einem Safe, da er verwendet wird, um deine Daten zu sichern.", + "download_or_copy": "%(downloadButton)s oder %(copyButton)s", + "backup_setup_success_description": "Deine Schlüssel werden nun von dieser Sitzung gesichert.", + "backup_setup_success_title": "Verschlüsselte Sicherung erfolgreich", + "secret_storage_query_failure": "Status des sicheren Speichers kann nicht gelesen werden", + "cancel_warning": "Wenn du jetzt abbrichst, kannst du verschlüsselte Nachrichten und Daten verlieren, wenn du den Zugriff auf deine Sitzungen verlierst.", + "settings_reminder": "Du kannst auch in den Einstellungen Sicherungen einrichten und deine Schlüssel verwalten.", + "title_upgrade_encryption": "Aktualisiere deine Verschlüsselung", + "title_set_phrase": "Sicherheitsphrase setzen", + "title_confirm_phrase": "Sicherheitsphrase bestätigen", + "title_save_key": "Sicherungsschlüssel sichern", + "unable_to_setup": "Sicherer Speicher kann nicht eingerichtet werden", + "use_phrase_only_you_know": "Verwende für deine Sicherung eine geheime Phrase, die nur du kennst, und speichere optional einen Sicherheitsschlüssel." + } + }, + "key_export_import": { + "export_title": "Raum-Schlüssel exportieren", + "export_description_1": "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.", + "export_description_2": "Die exportierte Datei erlaubt Unbefugten, jede Nachricht zu entschlüsseln, sei also vorsichtig und halte sie versteckt. Um dies zu verhindern, empfiehlt es sich eine einzigartige Passphrase unten einzugeben, die nur für das Entschlüsseln der exportierten Datei genutzt wird. Es ist nur möglich, diese Datei mit der selben Passphrase zu importieren.", + "enter_passphrase": "Passphrase eingeben", + "phrase_strong_enough": "Super! Diese Passphrase wirkt stark genug", + "confirm_passphrase": "Passphrase bestätigen", + "phrase_cannot_be_empty": "Passphrase darf nicht leer sein", + "phrase_must_match": "Passphrases müssen übereinstimmen", + "import_title": "Raum-Schlüssel importieren", + "import_description_1": "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.", + "import_description_2": "Die exportierte Datei ist mit einer Passphrase geschützt. Du kannst die Passphrase hier eingeben, um die Datei zu entschlüsseln.", + "file_to_import": "Zu importierende Datei" } }, "devtools": { @@ -3028,7 +2841,19 @@ "collapse_reply_thread": "Antworten verbergen", "view_related_event": "Zugehöriges Ereignis anzeigen", "report": "Melden" - } + }, + "url_preview": { + "show_n_more": { + "one": "%(count)s andere Vorschau zeigen", + "other": "%(count)s weitere Vorschauen zeigen" + }, + "close": "Vorschau schließen" + }, + "read_receipt_title": { + "one": "Von %(count)s Person gesehen", + "other": "Von %(count)s Personen gesehen" + }, + "read_receipts_label": "Lesebestätigungen" }, "slash_command": { "spoiler": "Die gegebene Nachricht als Spoiler senden", @@ -3295,7 +3120,14 @@ "permissions_section_description_room": "Wähle Rollen, die benötigt werden, um einige Teile des Raumes zu ändern", "add_privileged_user_heading": "Berechtigten Benutzer hinzufügen", "add_privileged_user_description": "Einem oder mehreren Benutzern im Raum mehr Berechtigungen geben", - "add_privileged_user_filter_placeholder": "Benutzer im Raum suchen …" + "add_privileged_user_filter_placeholder": "Benutzer im Raum suchen …", + "error_unbanning": "Aufheben der Verbannung fehlgeschlagen", + "banned_by": "Verbannt von %(displayName)s", + "ban_reason": "Grund", + "error_changing_pl_reqs_title": "Fehler beim Ändern der Anforderungen für Benutzerrechte", + "error_changing_pl_reqs_description": "Beim Ändern der Anforderungen für Benutzerrechte ist ein Fehler aufgetreten. Stelle sicher, dass du die nötigen Berechtigungen besitzt und versuche es erneut.", + "error_changing_pl_title": "Fehler beim Ändern der Benutzerrechte", + "error_changing_pl_description": "Beim Ändern der Benutzerrechte ist ein Fehler aufgetreten. Stelle sicher, dass du die nötigen Berechtigungen besitzt und versuche es erneut." }, "security": { "strict_encryption": "Niemals verschlüsselte Nachrichten von dieser Sitzung zu unverifizierten Sitzungen in diesem Raum senden", @@ -3350,7 +3182,9 @@ "join_rule_upgrade_updating_spaces": { "one": "Space aktualisieren …", "other": "Spaces aktualisieren … (%(progress)s von %(count)s)" - } + }, + "error_join_rule_change_title": "Fehler beim Aktualisieren der Beitrittsregeln", + "error_join_rule_change_unknown": "Unbekannter Fehler" }, "general": { "publish_toggle": "Diesen Raum im Raumverzeichnis von %(domain)s veröffentlichen?", @@ -3364,7 +3198,9 @@ "error_save_space_settings": "Spaceeinstellungen konnten nicht gespeichert werden.", "description_space": "Einstellungen vom Space bearbeiten.", "save": "Speichern", - "leave_space": "Space verlassen" + "leave_space": "Space verlassen", + "aliases_section": "Raumadressen", + "other_section": "Sonstiges" }, "advanced": { "unfederated": "Dieser Raum ist von Personen auf anderen Matrix-Servern nicht betretbar", @@ -3375,7 +3211,9 @@ "room_predecessor": "Alte Nachrichten in %(roomName)s anzeigen.", "room_id": "Interne Raum-ID", "room_version_section": "Raumversion", - "room_version": "Raumversion:" + "room_version": "Raumversion:", + "information_section_space": "Information über den Space", + "information_section_room": "Rauminformationen" }, "delete_avatar_label": "Avatar löschen", "upload_avatar_label": "Profilbild hochladen", @@ -3389,11 +3227,38 @@ "history_visibility_anyone_space": "Space-Vorschau erlauben", "history_visibility_anyone_space_description": "Personen können den Space vor dem Betreten erkunden.", "history_visibility_anyone_space_recommendation": "Empfohlen für öffentliche Spaces.", - "guest_access_label": "Gastzutritt" + "guest_access_label": "Gastzutritt", + "alias_section": "Adresse" }, "access": { "title": "Zutritt", "description_space": "Konfiguriere, wer %(spaceName)s sehen und betreten kann." + }, + "bridges": { + "description": "Dieser Raum leitet Nachrichten von/an folgende(n) Plattformen weiter. Mehr erfahren.", + "empty": "Dieser Raum leitet keine Nachrichten von/an andere(n) Plattformen weiter. Mehr erfahren.", + "title": "Brücken" + }, + "notifications": { + "uploaded_sound": "Hochgeladener Ton", + "settings_link": "Du erhältst Benachrichtigungen, wie du sie in den Einstellungen konfiguriert hast", + "sounds_section": "Töne", + "notification_sound": "Benachrichtigungston", + "custom_sound_prompt": "Neuen individuellen Ton festlegen", + "upload_sound_label": "Eigenen Ton hochladen", + "browse_button": "Durchsuchen" + }, + "people": { + "see_less": "Weniger", + "see_more": "Mehr", + "knock_section": "Beitrittsanfragen", + "knock_empty": "Keine Anfragen" + }, + "voip": { + "enable_element_call_label": "Verwende %(brand)s als alternative Anrufoption in diesem Raum", + "enable_element_call_caption": "%(brand)s ist Ende-zu-Ende-verschlüsselt, allerdings noch auf eine geringere Anzahl Benutzer beschränkt.", + "enable_element_call_no_permissions_tooltip": "Du hast nicht die erforderlichen Berechtigungen, um dies zu ändern.", + "call_type_section": "Anrufart" } }, "encryption": { @@ -3428,7 +3293,19 @@ "unverified_session_toast_accept": "Ja, das war ich", "request_toast_detail": "%(deviceId)s von %(ip)s", "request_toast_decline_counter": "Ignorieren (%(counter)s)", - "request_toast_accept": "Sitzung verifizieren" + "request_toast_accept": "Sitzung verifizieren", + "no_key_or_device": "Es sieht so aus, als hättest du keinen Sicherheitsschlüssel oder andere Geräte, mit denen du dich verifizieren könntest. Dieses Gerät wird keine alten verschlüsselten Nachrichten lesen können. Um deine Identität auf diesem Gerät zu verifizieren musst du deine Verifizierungsschlüssel zurücksetzen.", + "reset_proceed_prompt": "Mit Zurücksetzen fortfahren", + "verify_using_key_or_phrase": "Mit Sicherheitsschlüssel oder Sicherheitsphrase verifizieren", + "verify_using_key": "Mit Sicherheitsschlüssel verifizieren", + "verify_using_device": "Mit anderem Gerät verifizieren", + "verification_description": "Verifiziere diese Anmeldung, um auf verschlüsselte Nachrichten zuzugreifen und dich anderen gegenüber zu identifizieren.", + "verification_success_with_backup": "Dein neues Gerät ist jetzt verifiziert und hat Zugriff auf deine verschlüsselten Nachrichten und anderen wird es als vertrauenswürdig angezeigt werden.", + "verification_success_without_backup": "Dein neues Gerät ist jetzt verifiziert. Anderen wird es als vertrauenswürdig angezeigt werden.", + "verification_skip_warning": "Ohne dich zu verifizieren wirst du keinen Zugriff auf alle deine Nachrichten haben und könntest für andere als nicht vertrauenswürdig erscheinen.", + "verify_later": "Später verifizieren", + "verify_reset_warning_1": "Das Zurücksetzen deiner Sicherheitsschlüssel kann nicht rückgängig gemacht werden. Nach dem Zurücksetzen wirst du alte Nachrichten nicht mehr lesen können un Freunde, die dich vorher verifiziert haben werden Sicherheitswarnungen bekommen, bis du dich erneut mit ihnen verifizierst.", + "verify_reset_warning_2": "Bitte fahre nur fort, wenn du sicher bist, dass du alle anderen Geräte und deinen Sicherheitsschlüssel verloren hast." }, "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.", @@ -3449,7 +3326,19 @@ "cross_signing_ready_no_backup": "Quersignatur ist bereit, die Schlüssel sind aber nicht gesichert.", "cross_signing_untrusted": "Dein Konto hat eine Quersignaturidentität im sicheren Speicher, der von dieser Sitzung jedoch noch nicht vertraut wird.", "cross_signing_not_ready": "Quersignierung wurde nicht eingerichtet.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Neue Wiederherstellungsmethode", + "description_1": "Eine neue Sicherheitsphrase und ein neuer Schlüssel für sichere Nachrichten wurden erkannt.", + "description_2": "Diese Sitzung verschlüsselt den Verlauf mit der neuen Wiederherstellungsmethode.", + "warning": "Wenn du die neue Wiederherstellungsmethode nicht festgelegt hast, versucht ein Angreifer möglicherweise, auf dein Konto zuzugreifen. Ändere dein Kontopasswort und lege sofort eine neue Wiederherstellungsmethode in den Einstellungen fest." + }, + "recovery_method_removed": { + "title": "Wiederherstellungsmethode gelöscht", + "description_1": "In dieser Sitzung wurde festgestellt, dass deine Sicherheitsphrase und dein Schlüssel für sichere Nachrichten entfernt wurden.", + "description_2": "Wenn du dies versehentlich getan hast, kannst du in dieser Sitzung \"sichere Nachrichten\" einrichten, die den Nachrichtenverlauf dieser Sitzung mit einer neuen Wiederherstellungsmethode erneut verschlüsseln.", + "warning": "Wenn du die Wiederherstellungsmethode nicht gelöscht hast, kann ein Angreifer versuchen, Zugang zu deinem Konto zu bekommen. Ändere dein Passwort und richte sofort eine neue Wiederherstellungsmethode in den Einstellungen ein." + } }, "emoji": { "category_frequently_used": "Oft verwendet", @@ -3631,7 +3520,11 @@ "autodiscovery_unexpected_error_is": "Ein unerwarteter Fehler ist beim Laden der Identitäts-Server-Konfiguration aufgetreten", "autodiscovery_hs_incompatible": "Dein Heim-Server ist zu alt und unterstützt nicht die benötigte API-Version. Bitte kontaktiere deine Server-Administration oder aktualisiere deinen Server.", "incorrect_credentials_detail": "Bitte beachte, dass du dich gerade auf %(hs)s anmeldest, nicht matrix.org.", - "create_account_title": "Konto anlegen" + "create_account_title": "Konto anlegen", + "failed_soft_logout_homeserver": "Erneute Authentifizierung aufgrund eines Problems des Heim-Servers fehlgeschlagen", + "soft_logout_subheading": "Persönliche Daten löschen", + "soft_logout_warning": "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.", + "forgot_password_send_email": "E-Mail senden" }, "room_list": { "sort_unread_first": "Räume mit ungelesenen Nachrichten zuerst zeigen", @@ -3648,7 +3541,23 @@ "notification_options": "Benachrichtigungsoptionen", "failed_set_dm_tag": "Fehler beim Setzen der Nachrichtenmarkierung", "failed_remove_tag": "Entfernen der Raum-Kennzeichnung %(tagName)s fehlgeschlagen", - "failed_add_tag": "Fehler beim Hinzufügen des \"%(tagName)s\"-Tags an dem Raum" + "failed_add_tag": "Fehler beim Hinzufügen des \"%(tagName)s\"-Tags an dem Raum", + "breadcrumbs_label": "Kürzlich besuchte Räume", + "breadcrumbs_empty": "Keine kürzlich besuchten Räume", + "add_room_label": "Raum hinzufügen", + "suggested_rooms_heading": "Vorgeschlagene Räume", + "add_space_label": "Space hinzufügen", + "join_public_room_label": "Öffentlichen Raum betreten", + "joining_rooms_status": { + "one": "Betrete %(count)s Raum", + "other": "Betrete %(count)s Räume" + }, + "redacting_messages_status": { + "one": "Entferne Nachrichten in %(count)s Raum", + "other": "Entferne Nachrichten in %(count)s Räumen" + }, + "space_menu_label": "%(spaceName)s-Menü", + "home_menu_label": "Startseiteneinstellungen" }, "report_content": { "missing_reason": "Bitte gib an, weshalb du einen Fehler meldest.", @@ -3906,7 +3815,8 @@ "search_children": "%(spaceName)s durchsuchen", "invite_link": "Einladungslink teilen", "invite": "Personen einladen", - "invite_description": "Personen mit E-Mail oder Benutzernamen einladen" + "invite_description": "Personen mit E-Mail oder Benutzernamen einladen", + "invite_this_space": "In diesen Space einladen" }, "location_sharing": { "MapStyleUrlNotConfigured": "Dein Heim-Server unterstützt das Anzeigen von Karten nicht.", @@ -3962,7 +3872,8 @@ "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" + "lists_new_label": "Raum-ID oder Adresse der Verbotsliste", + "rules_empty": "Nichts" }, "create_space": { "name_required": "Gib den Namen des Spaces ein", @@ -4064,8 +3975,80 @@ "forget": "Raum vergessen", "mark_read": "Als gelesen markieren", "notifications_default": "Standardeinstellung verwenden", - "notifications_mute": "Raum stumm stellen" - } + "notifications_mute": "Raum stumm stellen", + "title": "Raumoptionen" + }, + "invite_this_room": "In diesen Raum einladen", + "header": { + "video_call_button_jitsi": "Videoanruf (Jitsi)", + "video_call_button_ec": "Videoanruf (%(brand)s)", + "video_call_ec_layout_freedom": "Freiraum", + "video_call_ec_layout_spotlight": "Rampenlicht", + "video_call_ec_change_layout": "Anordnung ändern", + "forget_room_button": "Raum entfernen", + "hide_widgets_button": "Widgets verstecken", + "show_widgets_button": "Widgets anzeigen", + "close_call_button": "Anruf schließen", + "video_room_view_chat_button": "Nachrichtenverlauf anzeigen" + }, + "error_3pid_invite_email_lookup": "Kann Benutzer nicht via E-Mail-Adresse finden", + "joining_space": "Betrete Space …", + "joining_room": "Betrete Raum …", + "joining": "Betrete …", + "rejecting": "Lehne Einladung ab …", + "join_title": "Betrete den Raum, um teilzunehmen", + "join_title_account": "An Unterhaltung mit einem Konto teilnehmen", + "join_button_account": "Registrieren", + "loading_preview": "Lade Vorschau", + "kicked_from_room_by": "%(memberName)s hat dich aus %(roomName)s entfernt", + "kicked_by": "Du wurdest von %(memberName)s entfernt", + "kick_reason": "Grund: %(reason)s", + "forget_space": "Diesen Space vergessen", + "forget_room": "Diesen Raum entfernen", + "rejoin_button": "Erneut betreten", + "banned_from_room_by": "Du wurdest von %(memberName)s aus %(roomName)s verbannt", + "banned_by": "Du wurdest von %(memberName)s gebannt", + "3pid_invite_error_title_room": "Bei deiner Einladung zu %(roomName)s ist ein Fehler aufgetreten", + "3pid_invite_error_title": "Bei der Einladung ist etwas schiefgelaufen.", + "3pid_invite_error_description": "Beim Überprüfen der Einladung gab es den Fehler %(errcode)s. Du kannst diese Info der Person, die dich eingeladen hat weitergeben, eventuell kann dies ihr helfen.", + "3pid_invite_error_invite_subtitle": "Das Betreten ist nur mit gültiger Einladung möglich.", + "3pid_invite_error_invite_action": "Dennoch versuchen beizutreten", + "3pid_invite_error_public_subtitle": "Betreten ist dennoch möglich.", + "join_the_discussion": "An Diskussion teilnehmen", + "3pid_invite_email_not_found_account_room": "Diese Einladung zu %(roomName)s wurde an die Adresse %(email)s gesendet, die nicht zu deinem Konto gehört", + "3pid_invite_email_not_found_account": "Diese Einladung wurde an die E-Mail-Adresse %(email)s gesendet, die nicht zu deinem Konto gehört", + "link_email_to_receive_3pid_invite": "Verbinde diese E-Mail-Adresse in den Einstellungen mit deinem Konto, um die Einladungen direkt in %(brand)s zu erhalten.", + "invite_sent_to_email_room": "Diese Einladung zu %(roomName)s wurde an %(email)s gesendet", + "invite_sent_to_email": "Einladung an %(email)s gesendet", + "3pid_invite_no_is_subtitle": "Verknüpfe einen Identitäts-Server in den Einstellungen, um die Einladungen direkt in %(brand)s zu erhalten.", + "invite_email_mismatch_suggestion": "Teile diese E-Mail-Adresse in den Einstellungen, um Einladungen direkt in %(brand)s zu erhalten.", + "dm_invite_title": "Möchtest du mit %(user)s schreiben?", + "dm_invite_subtitle": " möchte mit dir schreiben", + "dm_invite_action": "Unterhaltung beginnen", + "invite_title": "Möchtest du %(roomName)s betreten?", + "invite_subtitle": " hat dich eingeladen", + "invite_reject_ignore": "Ablehnen und Nutzer blockieren", + "peek_join_prompt": "Du erkundest den Raum %(roomName)s. Willst du ihn betreten?", + "no_peek_join_prompt": "Vorschau von %(roomName)s kann nicht angezeigt werden. Möchtest du den Raum betreten?", + "no_peek_no_name_join_prompt": "Es gibt keine Vorschau, dennoch betreten?", + "not_found_title_name": "%(roomName)s existiert nicht.", + "not_found_title": "Dieser Raum oder Space existiert nicht.", + "not_found_subtitle": "Bist du sicher am richtigen Ort?", + "inaccessible_name": "Auf %(roomName)s kann momentan nicht zugegriffen werden.", + "inaccessible": "Dieser Raum oder Space ist im Moment nicht zugänglich.", + "inaccessible_subtitle_1": "Versuche es später erneut oder bitte einen Raum- oder Space-Admin um eine Zutrittserlaubnis.", + "inaccessible_subtitle_2": "%(errcode)s wurde während des Betretens zurückgegeben. Wenn du denkst, dass diese Meldung nicht korrekt ist, reiche bitte einen Fehlerbericht ein.", + "knock_prompt_name": "Beitrittsanfrage für %(roomName)s stellen?", + "knock_prompt": "Beitrittsanfrage stellen?", + "knock_subtitle": "Du benötigst eine Beitrittsberechtigung, um den Raum betrachten oder an der Unterhaltung teilnehmen zu können. Du kannst nachstehend eine Beitrittsanfrage stellen.", + "knock_message_field_placeholder": "Nachricht (optional)", + "knock_send_action": "Beitrittsanfrage stellen", + "knock_sent": "Beitrittsanfrage gestellt", + "knock_sent_subtitle": "Deine Beitrittsanfrage wurde noch nicht bearbeitet.", + "knock_cancel_action": "Anfrage abbrechen", + "join_failed_needs_invite": "Um %(roomName)s zu betrachten, benötigst du eine Einladung", + "view_failed_enable_video_rooms": "Zum Anzeigen, aktiviere bitte Videoräume in den Laboreinstellungen", + "join_failed_enable_video_rooms": "Zum Betreten, aktiviere bitte Videoräume in den Laboreinstellungen" }, "file_panel": { "guest_note": "Du musst dich registrieren, um diese Funktionalität nutzen zu können", @@ -4217,7 +4200,15 @@ "keyword_new": "Neues Schlüsselwort", "class_global": "Global", "class_other": "Sonstiges", - "mentions_keywords": "Erwähnungen und Schlüsselwörter" + "mentions_keywords": "Erwähnungen und Schlüsselwörter", + "default": "Standard", + "all_messages": "Alle Nachrichten", + "all_messages_description": "Bei jeder Nachricht benachrichtigen", + "mentions_and_keywords": "@Erwähnungen und Schlüsselwörter", + "mentions_and_keywords_description": "Nur bei Erwähnungen und Schlüsselwörtern benachrichtigen, die du in den Einstellungen konfigurieren kannst", + "mute_description": "Du wirst keine Benachrichtigungen erhalten", + "email_pusher_app_display_name": "E-Mail-Benachrichtigungen", + "message_didnt_send": "Nachricht nicht gesendet. Klicke für Details." }, "mobile_guide": { "toast_title": "Nutze die App für eine bessere Erfahrung", @@ -4243,6 +4234,44 @@ "integration_manager": { "connecting": "Verbinde mit Integrationsassistent …", "error_connecting_heading": "Verbindung zum Integrationsassistenten fehlgeschlagen", - "error_connecting": "Der Integrationsassistent ist außer Betrieb oder kann deinen Heim-Server nicht erreichen." + "error_connecting": "Der Integrationsassistent ist außer Betrieb oder kann deinen Heim-Server nicht erreichen.", + "use_im_default": "Nutze einen Integrations-Server (%(serverName)s), um Bots, Widgets und Sticker-Pakete zu verwalten.", + "use_im": "Verwende einen Integrations-Server, um Bots, Widgets und Sticker-Pakete zu verwalten.", + "manage_title": "Integrationen verwalten", + "explainer": "Integrationsassistenten erhalten Konfigurationsdaten und können Widgets modifizieren, Raumeinladungen verschicken und in deinem Namen Berechtigungslevel setzen." + }, + "identity_server": { + "url_not_https": "Identitäts-Server-URL muss mit HTTPS anfangen", + "error_invalid": "Ungültiger Identitäts-Server (Fehlercode %(code)s)", + "error_connection": "Verbindung zum Identitäts-Server konnte nicht hergestellt werden", + "checking": "Überprüfe Server", + "change": "Identitäts-Server wechseln", + "change_prompt": "Vom Identitäts-Server trennen, und stattdessen mit verbinden?", + "error_invalid_or_terms": "Nutzungsbedingungen nicht akzeptiert oder der Identitäts-Server ist ungültig.", + "no_terms": "Der von dir gewählte Identitäts-Server gibt keine Nutzungsbedingungen an.", + "disconnect": "Verbindung zum Identitäts-Server trennen", + "disconnect_server": "Verbindung zum Identitäts-Server trennen?", + "disconnect_offline_warning": "Du solltest deine persönlichen Daten vom Identitäts-Server entfernen, bevor du die Verbindung trennst. Leider ist der Identitäts-Server derzeit außer Betrieb oder kann nicht erreicht werden.", + "suggestions": "Du solltest:", + "suggestions_1": "Überprüfe deinen Browser auf Erweiterungen, die den Identitäts-Server blockieren könnten (z. B. Privacy Badger)", + "suggestions_2": "Kontaktiere die Administration des Identitäts-Servers ", + "suggestions_3": "warte und versuche es später erneut", + "disconnect_anyway": "Verbindung trotzdem trennen", + "disconnect_personal_data_warning_1": "Du teilst deine persönlichen Daten noch immer auf dem Identitäts-Server .", + "disconnect_personal_data_warning_2": "Wir empfehlen, dass du deine E-Mail-Adressen und Telefonnummern vom Identitäts-Server löschst, bevor du die Verbindung trennst.", + "url": "Identitäts-Server (%(server)s)", + "description_connected": "Zurzeit verwendest du , um Kontakte zu finden und von anderen gefunden zu werden. Du kannst deinen Identitäts-Server nachfolgend wechseln.", + "change_server_prompt": "Wenn du nicht verwenden willst, um Kontakte zu finden und von anderen gefunden zu werden, trage unten einen anderen Identitäts-Server ein.", + "description_disconnected": "Zurzeit benutzt du keinen Identitäts-Server. Trage unten einen Server ein, um Kontakte zu finden und von anderen gefunden zu werden.", + "disconnect_warning": "Wenn du die Verbindung zu deinem Identitäts-Server trennst, kannst du nicht mehr von anderen Benutzern gefunden werden und andere nicht mehr per E-Mail oder Telefonnummer einladen.", + "description_optional": "Die Verwendung eines Identitäts-Servers ist optional. Solltest du dich dazu entschließen, keinen Identitäts-Server zu verwenden, kannst du von anderen Nutzern nicht gefunden werden und andere nicht per E-Mail-Adresse oder Telefonnummer einladen.", + "do_not_use": "Keinen Identitäts-Server verwenden", + "url_field_label": "Gib einen neuen Identitäts-Server ein" + }, + "member_list": { + "invite_button_no_perms_tooltip": "Du bist nicht berechtigt, Benutzer einzuladen", + "invited_list_heading": "Eingeladen", + "filter_placeholder": "Raummitglieder filtern", + "power_label": "%(userName)s (Berechtigungslevel %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/el.json b/src/i18n/strings/el.json index b5a4197023..e769d81055 100644 --- a/src/i18n/strings/el.json +++ b/src/i18n/strings/el.json @@ -1,9 +1,6 @@ { "Failed to forget room %(errCode)s": "Δεν ήταν δυνατή η διαγραφή του δωματίου (%(errCode)s)", "unknown error code": "άγνωστος κωδικός σφάλματος", - "No Microphones detected": "Δεν εντοπίστηκε μικρόφωνο", - "No Webcams detected": "Δεν εντοπίστηκε κάμερα", - "Authentication": "Πιστοποίηση", "A new password must be entered.": "Ο νέος κωδικός πρόσβασης πρέπει να εισαχθεί.", "An error has occurred.": "Παρουσιάστηκε ένα σφάλμα.", "Are you sure?": "Είστε σίγουροι;", @@ -15,45 +12,26 @@ "other": "και %(count)s άλλοι..." }, "Custom level": "Προσαρμοσμένο επίπεδο", - "Deactivate Account": "Απενεργοποίηση λογαριασμού", "Decrypt %(text)s": "Αποκρυπτογράφηση %(text)s", - "Default": "Προεπιλογή", "Download %(text)s": "Λήψη %(text)s", "Email address": "Ηλεκτρονική διεύθυνση", "Error decrypting attachment": "Σφάλμα κατά την αποκρυπτογράφηση της επισύναψης", - "Failed to change password. Is your password correct?": "Δεν ήταν δυνατή η αλλαγή του κωδικού πρόσβασης. Είναι σωστός ο κωδικός πρόσβασης;", "Failed to mute user": "Δεν ήταν δυνατή η σίγαση του χρήστη", "Failed to reject invite": "Δεν ήταν δυνατή η απόρριψη της πρόσκλησης", "Failed to reject invitation": "Δεν ήταν δυνατή η απόρριψη της πρόσκλησης", - "Filter room members": "Φιλτράρισμα μελών", - "Forget room": "Αγνόηση δωματίου", - "Historical": "Ιστορικό", - "Incorrect verification code": "Λανθασμένος κωδικός επαλήθευσης", - "Invalid Email Address": "Μη έγκυρη διεύθυνση ηλεκτρονικής αλληλογραφίας", - "Invited": "Προσκλήθηκε", "Jump to first unread message.": "Πηγαίνετε στο πρώτο μη αναγνωσμένο μήνυμα.", - "Low priority": "Χαμηλής προτεραιότητας", "Join Room": "Είσοδος σε δωμάτιο", "Moderator": "Συντονιστής", "New passwords must match each other.": "Οι νέοι κωδικοί πρόσβασης πρέπει να ταιριάζουν.", "No more results": "Δεν υπάρχουν άλλα αποτελέσματα", - "Rooms": "Δωμάτια", "Search failed": "Η αναζήτηση απέτυχε", "Create new room": "Δημιουργία νέου δωματίου", "Admin Tools": "Εργαλεία διαχειριστή", - "Enter passphrase": "Εισαγωγή συνθηματικού", - "Failed to set display name": "Δεν ήταν δυνατό ο ορισμός του ονόματος εμφάνισης", "Home": "Αρχική", - "Reason": "Αιτία", "Reject invitation": "Απόρριψη πρόσκλησης", "Return to login screen": "Επιστροφή στην οθόνη σύνδεσης", - "%(roomName)s does not exist.": "Το %(roomName)s δεν υπάρχει.", "Session ID": "Αναγνωριστικό συνεδρίας", "This room has no local addresses": "Αυτό το δωμάτιο δεν έχει τοπικές διευθύνσεις", - "This doesn't appear to be a valid email address": "Δεν μοιάζει με μια έγκυρη διεύθυνση ηλεκτρονικής αλληλογραφίας", - "Unable to add email address": "Αδυναμία προσθήκης διεύθυνσης ηλ. αλληλογραφίας", - "Unable to remove contact information": "Αδυναμία αφαίρεσης πληροφοριών επαφής", - "Unable to verify email address.": "Αδυναμία επιβεβαίωσης διεύθυνσης ηλεκτρονικής αλληλογραφίας.", "Warning!": "Προειδοποίηση!", "Sun": "Κυρ", "Mon": "Δευ", @@ -80,32 +58,22 @@ "one": "(~%(count)s αποτέλεσμα)", "other": "(~%(count)s αποτελέσματα)" }, - "Passphrases must match": "Δεν ταιριάζουν τα συνθηματικά", - "Passphrase must not be empty": "Το συνθηματικό δεν πρέπει να είναι κενό", - "Export room keys": "Εξαγωγή κλειδιών δωματίου", - "Confirm passphrase": "Επιβεβαίωση συνθηματικού", - "Import room keys": "Εισαγωγή κλειδιών δωματίου", - "File to import": "Αρχείο για εισαγωγή", "Confirm Removal": "Επιβεβαίωση αφαίρεσης", "Unable to restore session": "Αδυναμία επαναφοράς συνεδρίας", "Error decrypting image": "Σφάλμα κατά την αποκρυπτογράφηση της εικόνας", "Error decrypting video": "Σφάλμα κατά την αποκρυπτογράφηση του βίντεο", "Add an Integration": "Προσθήκη ενσωμάτωσης", "Failed to ban user": "Δεν ήταν δυνατό ο αποκλεισμός του χρήστη", - "Failed to unban": "Δεν ήταν δυνατή η άρση του αποκλεισμού", "Invalid file%(extra)s": "Μη έγκυρο αρχείο %(extra)s", "not specified": "μη καθορισμένο", "Please check your email and click on the link it contains. Once this is done, click continue.": "Παρακαλούμε ελέγξτε την ηλεκτρονική σας αλληλογραφία και κάντε κλικ στον σύνδεσμο που περιέχει. Μόλις γίνει αυτό, κάντε κλίκ στο κουμπί συνέχεια.", - "%(roomName)s is not accessible at this time.": "Το %(roomName)s δεν είναι προσβάσιμο αυτή τη στιγμή.", "Server may be unavailable, overloaded, or search timed out :(": "Ο διακομιστής μπορεί να είναι μη διαθέσιμος, υπερφορτωμένος, ή να έχει λήξει η αναζήτηση :(", "Uploading %(filename)s": "Γίνεται αποστολή του %(filename)s", "Uploading %(filename)s and %(count)s others": { "other": "Γίνεται αποστολή του %(filename)s και %(count)s υπολοίπων", "one": "Γίνεται αποστολή του %(filename)s και %(count)s υπολοίπα" }, - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (δύναμη %(powerLevelNumber)s)", "Verification Pending": "Εκκρεμεί επιβεβαίωση", - "You do not have permission to post to this room": "Δεν έχετε δικαιώματα για να δημοσιεύσετε σε αυτό το δωμάτιο", "You seem to be in a call, are you sure you want to quit?": "Φαίνεται ότι είστε σε μια κλήση, είστε βέβαιοι ότι θέλετε να αποχωρήσετε;", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s %(time)s", "Connectivity to the server has been lost.": "Χάθηκε η συνδεσιμότητα στον διακομιστή.", @@ -115,9 +83,6 @@ "Failed to load timeline position": "Δεν ήταν δυνατή η φόρτωση της θέσης του χρονολόγιου", "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.": "Προσπαθήσατε να φορτώσετε ένα συγκεκριμένο σημείο στο χρονολόγιο του δωματίου, αλλά δεν καταφέρατε να το βρείτε.", - "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.": "Το αρχείο εξαγωγής θα είναι προστατευμένο με συνθηματικό. Θα χρειαστεί να πληκτρολογήσετε το συνθηματικό εδώ για να αποκρυπτογραφήσετε το αρχείο.", "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. Θα θέλατε να συνεχίσετε;", "This will allow you to reset your password and receive notifications.": "Αυτό θα σας επιτρέψει να επαναφέρετε τον κωδικό πρόσβαση σας και θα μπορείτε να λαμβάνετε ειδοποιήσεις.", @@ -134,8 +99,6 @@ "Monday": "Δευτέρα", "All Rooms": "Όλα τα δωμάτια", "Wednesday": "Τετάρτη", - "All messages": "Όλα τα μηνύματα", - "Invite to this room": "Πρόσκληση σε αυτό το δωμάτιο", "You cannot delete this message. (%(code)s)": "Δεν μπορείτε να διαγράψετε αυτό το μήνυμα. (%(code)s)", "Thursday": "Πέμπτη", "Search…": "Αναζήτηση…", @@ -148,8 +111,6 @@ "%(duration)sm": "%(duration)sλ", "%(duration)sh": "%(duration)sω", "%(duration)sd": "%(duration)sμ", - "Permission Required": "Απαιτείται Άδεια", - "Explore rooms": "Εξερευνήστε δωμάτια", "Ok": "Εντάξει", "Your homeserver has exceeded its user limit.": "Ο διακομιστής σας ξεπέρασε το όριο χρηστών.", "Ask this user to verify their session, or manually verify it below.": "Ζητήστε από αυτόν τον χρήστη να επιβεβαιώσει την συνεδρία του, ή επιβεβαιώστε την χειροκίνητα παρακάτω.", @@ -411,18 +372,7 @@ "other": "%(spaceName)s και άλλα %(count)s", "one": "%(spaceName)s και %(count)s άλλο" }, - "Message didn't send. Click for info.": "Το μήνυμα δεν στάλθηκε. Κάντε κλικ για πληροφορίες.", - "Insert link": "Εισαγωγή συνδέσμου", - "Italics": "Πλάγια", - "Poll": "Ψηφοφορία", - "You do not have permission to start polls in this room.": "Δεν έχετε άδεια να ξεκινήσετε ψηφοφορίες σε αυτήν την αίθουσα.", - "Voice Message": "Φωνητικό μήνυμα", - "Hide stickers": "Απόκρυψη αυτοκόλλητων", "Send voice message": "Στείλτε φωνητικό μήνυμα", - "This room has been replaced and is no longer active.": "Αυτό το δωμάτιο έχει αντικατασταθεί και δεν είναι πλέον ενεργό.", - "The conversation continues here.": "Η συζήτηση συνεχίζεται εδώ.", - "Invite to this space": "Πρόσκληση σε αυτό το χώρο", - "Close preview": "Κλείσιμο προεπισκόπησης", "Scroll to most recent messages": "Κύλιση στα πιο πρόσφατα μηνύματα", "Failed to send": "Αποτυχία αποστολής", "Your message was sent": "Το μήνυμά σας στάλθηκε", @@ -433,18 +383,12 @@ "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.": "Αυτός ο χρήστης δεν έχει επαληθεύσει όλες τις συνεδρίες του.", - "Phone Number": "Αριθμός Τηλεφώνου", - "Verify the link in your inbox": "Επαληθεύστε τον σύνδεσμο στα εισερχόμενα σας", - "Your email address hasn't been verified yet": "Η διεύθυνση email σας δεν έχει επαληθευτεί ακόμα", - "Unable to share email address": "Δεν είναι δυνατή η κοινή χρήση της διεύθυνσης email", "Backup version:": "Έκδοση αντιγράφου ασφαλείας:", - "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Ο διαχειριστής του διακομιστή σας έχει απενεργοποιήσει την κρυπτογράφηση από άκρο σε άκρο από προεπιλογή σε ιδιωτικά δωμάτια & άμεσα μηνύματα.", "Developer": "Προγραμματιστής", "Experimental": "Πειραματικό", "Themes": "Θέματα", "Widgets": "Μικροεφαρμογές", "Messaging": "Μηνύματα", - "Room information": "Πληροφορίες δωματίου", "Your homeserver has exceeded one of its resource limits.": "Ο κεντρικός σας διακομιστής έχει υπερβεί ένα από τα όρια πόρων του.", "IRC display name width": "Πλάτος εμφανιζόμενου ονόματος IRC", "Pizza": "Πίτσα", @@ -501,7 +445,6 @@ "Smiley": "Χαμογελαστό πρόσωπο", "To join a space you'll need an invite.": "Για να συμμετάσχετε σε ένα χώρο θα χρειαστείτε μια πρόσκληση.", "Create a space": "Δημιουργήστε ένα χώρο", - "Address": "Διεύθυνση", "Space selection": "Επιλογή χώρου", "Folder": "Φάκελος", "Headphones": "Ακουστικά", @@ -514,38 +457,6 @@ "Rocket": "Πύραυλος", "Back up your keys before signing out to avoid losing them.": "Δημιουργήστε αντίγραφα ασφαλείας των κλειδιών σας πριν αποσυνδεθείτε για να μην τα χάσετε.", "This backup is trusted because it has been restored on this session": "Αυτό το αντίγραφο ασφαλείας είναι αξιόπιστο επειδή έχει αποκατασταθεί σε αυτήν τη συνεδρία", - "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), ώστε να μπορείτε να είστε ανιχνεύσιμοι μέσω της διεύθυνσης ηλεκτρονικού ταχυδρομείου ή του αριθμού τηλεφώνου.", - "Phone numbers": "Τηλεφωνικοί αριθμοί", - "Email addresses": "Διευθύνσεις ηλεκτρονικού ταχυδρομείου", - "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 ή τηλεφώνου.", - "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.": "Η αποσύνδεση από τον διακομιστή ταυτότητάς σας θα σημαίνει ότι δεν θα μπορείτε να εντοπίσετε άλλους χρήστες και δεν θα μπορείτε να προσκαλέσετε άλλους μέσω email ή τηλεφώνου.", - "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.": "Εάν δε θέλετε να χρησιμοποιήσετε το για να ανακαλύψετε και να είστε ανιχνεύσιμοι από τις υπάρχουσες επαφές που γνωρίζετε, εισαγάγετε έναν άλλο διακομιστή ταυτότητας παρακάτω.", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Αυτήν τη στιγμή χρησιμοποιείτε το για να ανακαλύψετε και να είστε ανιχνεύσιμοι από τις υπάρχουσες επαφές που γνωρίζετε. Μπορείτε να αλλάξετε τον διακομιστή ταυτότητάς σας παρακάτω.", - "Identity server (%(server)s)": "Διακομιστής ταυτότητας (%(server)s)", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Συνιστούμε να αφαιρέσετε τις διευθύνσεις του ηλεκτρονικού σας ταχυδρομείου και τους αριθμούς τηλεφώνου σας από τον διακομιστή ταυτότητας πριν αποσυνδεθείτε.", - "You are still sharing your personal data on the identity server .": "Εξακολουθείτε να μοιράζεστε τα προσωπικά σας δεδομένα στον διακομιστή ταυτότητας .", - "Disconnect anyway": "Αποσυνδεθείτε ούτως ή άλλως", - "wait and try again later": "περιμένετε και δοκιμάστε ξανά αργότερα", - "contact the administrators of identity server ": "επικοινωνήστε με τους διαχειριστές του διακομιστή ταυτότητας ", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "ελέγξτε τις προσθήκες του προγράμματος περιήγησής σας που θα μπορούσε να αποκλείσει τον διακομιστή ταυτότητας (όπως το Privacy Badger)", - "You should:": "Θα πρέπει:", - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Θα πρέπει να καταργήσετε τα προσωπικά σας δεδομένα από τον διακομιστή ταυτότητας πρίν αποσυνδεθείτε. Δυστυχώς, ο διακομιστής ταυτότητας αυτή τη στιγμή είναι εκτός σύνδεσης ή δεν είναι δυνατή η πρόσβαση.", - "Disconnect from the identity server ?": "Αποσύνδεση από τον διακομιστή ταυτότητας ;", - "Disconnect identity server": "Αποσύνδεση διακομιστή ταυτότητας", - "Terms of service not accepted or the identity server is invalid.": "Οι όροι χρήσης δεν γίνονται αποδεκτοί ή ο διακομιστής ταυτότητας δεν είναι έγκυρος.", - "The identity server you have chosen does not have any terms of service.": "Ο διακομιστής ταυτότητας που επιλέξατε δεν έχει όρους χρήσης.", - "Disconnect from the identity server and connect to instead?": "Αποσύνδεση από τον διακομιστή ταυτότητας και σύνδεση στο ;", - "Change identity server": "Αλλαγή διακομιστή ταυτότητας", - "Checking server": "Έλεγχος διακομιστή", - "Could not connect to identity server": "Δεν ήταν δυνατή η σύνδεση με τον διακομιστή ταυτότητας", - "Not a valid identity server (status code %(code)s)": "Μη έγκυρος διακομιστής ταυτότητας(κωδικός κατάστασης %(code)s)", - "Identity server URL must be HTTPS": "Η διεύθυνση URL διακομιστή ταυτότητας πρέπει να είναι HTTPS", - "Ignored users": "Χρήστες που αγνοήθηκαν", - "None": "Κανένα", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Για να αναφέρετε ένα ζήτημα ασφάλειας που σχετίζεται με το Matrix, διαβάστε την Πολιτική Γνωστοποίησης Ασφαλείας του Matrix.org.", "Deactivate account": "Απενεργοποίηση λογαριασμού", "Signature upload failed": "Αποτυχία μεταφόρτωσης υπογραφής", @@ -561,69 +472,12 @@ "Sorry, you can't edit a poll after votes have been cast.": "Λυπούμαστε, δεν μπορείτε να επεξεργαστείτε μια δημοσκόπηση μετά την ψηφοφορία.", "Can't edit poll": "Αδυναμία επεξεργασίας δημοσκόπησης", "You sent a verification request": "Στείλατε ένα αίτημα επαλήθευσης", - "Forget this room": "Ξεχάστε αυτό το δωμάτιο", - "Reason: %(reason)s": "Αιτία: %(reason)s", - "Sign Up": "Εγγραφή", - "Join the conversation with an account": "Συμμετοχή στη συζήτηση με λογιαριασμό", - "Add space": "Προσθήκη χώρου", - "Suggested Rooms": "Προτεινόμενα δωμάτια", - "Add room": "Προσθήκη δωματίου", - "Explore public rooms": "Εξερευνήστε δημόσια δωμάτια", - "Add existing room": "Προσθήκη υπάρχοντος δωματίου", - "Add people": "Προσθήκη ατόμων", - "Invite to space": "Πρόσκληση στον χώρο", - "Start new chat": "Έναρξη νέας συνομιλίας", - "Room options": "Επιλογές δωματίου", - "No recently visited rooms": "Δεν υπάρχουν δωμάτια που επισκεφτήκατε πρόσφατα", - "Recently visited rooms": "Δωμάτια που επισκεφτήκατε πρόσφατα", - "Room %(name)s": "Δωμάτιο %(name)s", "Recently viewed": "Προβλήθηκε πρόσφατα", "View message": "Προβολή μηνύματος", "The authenticity of this encrypted message can't be guaranteed on this device.": "Η αυθεντικότητα αυτού του κρυπτογραφημένου μηνύματος δεν είναι εγγυημένη σε αυτήν τη συσκευή.", "Encrypted by a deleted session": "Κρυπτογραφήθηκε από μια διαγραμμένη συνεδρία", "Unencrypted": "Μη κρυπτογραφημένο", "Message Actions": "Ενέργειες μηνυμάτων", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Ένα μήνυμα sms έχει σταλεί στο +%(msisdn)s. Παρακαλώ εισαγάγετε τον κωδικό επαλήθευσης που περιέχει.", - "Remove %(phone)s?": "Κατάργηση %(phone)s;", - "Email Address": "Διεύθυνση Email", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Σας έχουμε στείλει ένα email για να επαληθεύσουμε τη διεύθυνσή σας. Ακολουθήστε τις οδηγίες εκεί και, στη συνέχεια, κάντε κλικ στο κουμπί παρακάτω.", - "Remove %(email)s?": "Κατάργηση %(email)s;", - "Discovery options will appear once you have added a phone number above.": "Οι επιλογές εντοπισμού θα εμφανιστούν μόλις προσθέσετε έναν αριθμό τηλεφώνου παραπάνω.", - "Verification code": "Κωδικός επαλήθευσης", - "Please enter verification code sent via text.": "Εισαγάγετε τον κωδικό επαλήθευσης που εστάλη μέσω μηνύματος sms.", - "Unable to verify phone number.": "Αδυναμία επαλήθευσης του αριθμού τηλεφώνου.", - "Unable to share phone number": "Αδυναμία κοινής χρήσης του αριθμού τηλεφώνου", - "Unable to revoke sharing for phone number": "Αδυναμία ανάκληση της κοινής χρήσης για τον αριθμό τηλεφώνου", - "Discovery options will appear once you have added an email above.": "Οι επιλογές εντοπισμού θα εμφανιστούν μόλις προσθέσετε ένα email παραπάνω.", - "Unknown failure": "Άγνωστο σφάλμα", - "Failed to update the join rules": "Αποτυχία ενημέρωσης των κανόνων συμμετοχής", - "Browse": "Εξερεύνηση", - "Set a new custom sound": "Ορίστε έναν νέο προσαρμοσμένο ήχο", - "Notification sound": "Ήχος ειδοποίησης", - "Sounds": "Ήχοι", - "You won't get any notifications": "Δεν θα λαμβάνετε ειδοποιήσεις", - "Get notified only with mentions and keywords as set up in your settings": "Λάβετε ειδοποιήσεις μόνο με αναφορές και λέξεις-κλειδιά όπως έχουν ρυθμιστεί στις ρυθμίσεις σας", - "@mentions & keywords": "@αναφορές & λέξεις-κλειδιά", - "Get notified for every message": "Λάβετε ειδοποιήσεις για κάθε μήνυμα", - "Room Addresses": "Διευθύνσεις δωματίων", - "Bridges": "Γέφυρες", - "This room isn't bridging messages to any platforms. Learn more.": "Αυτό το δωμάτιο δε γεφυρώνει μηνύματα σε καμία πλατφόρμα. Μάθετε περισσότερα.", - "This room is bridging messages to the following platforms. Learn more.": "Αυτό το δωμάτιο γεφυρώνει μηνύματα στις ακόλουθες πλατφόρμες. Μάθετε περισσότερα.", - "Space information": "Πληροφορίες Χώρου", - "Voice & Video": "Φωνή & Βίντεο", - "No Audio Outputs detected": "Δεν εντοπίστηκαν Έξοδοι Ήχου", - "Audio Output": "Έξοδος ήχου", - "Request media permissions": "Ζητήστε άδειες πολυμέσων", - "Missing media permissions, click the button below to request.": "Λείπουν δικαιώματα πολυμέσων, κάντε κλικ στο κουμπί παρακάτω για να αιτηθείτε.", - "Click the link in the email you received to verify and then click continue again.": "Κάντε κλικ στον σύνδεσμο ηλεκτρονικής διεύθυνσης που λάβατε για επαλήθευση και μετα, κάντε ξανά κλικ στη συνέχεια.", - "Unable to revoke sharing for email address": "Δεν είναι δυνατή η ανάκληση της κοινής χρήσης για τη διεύθυνση ηλεκτρονικού ταχυδρομείου", - "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.": "Παρουσιάστηκε σφάλμα κατά την αλλαγή των απαιτήσεων επιπέδου ισχύος του δωματίου. Βεβαιωθείτε ότι έχετε επαρκή δικαιώματα και δοκιμάστε ξανά.", - "Error changing power level requirement": "Σφάλμα αλλαγής της απαίτησης επιπέδου ισχύος", - "Banned by %(displayName)s": "Αποκλείστηκε από %(displayName)s", - "Get notifications as set up in your settings": "Λάβετε ειδοποιήσεις όπως έχoyn ρυθμιστεί στις ρυθμίσεις σας", - "You have no ignored users.": "Δεν έχετε χρήστες που έχετε αγνοήσει.", "Your homeserver doesn't seem to support this feature.": "Ο διακομιστής σας δε φαίνεται να υποστηρίζει αυτήν τη δυνατότητα.", "If they don't match, the security of your communication may be compromised.": "Εάν δεν ταιριάζουν, η ασφάλεια της επικοινωνίας σας μπορεί να τεθεί σε κίνδυνο.", "Session key": "Κλειδί συνεδρίας", @@ -655,10 +509,6 @@ "Clear cache and resync": "Εκκαθάριση προσωρινής μνήμης και επανασυγχρονισμός", "Enter Security Phrase": "Εισαγάγετε τη Φράση Ασφαλείας", "Moderation": "Συντονισμός", - "Show %(count)s other previews": { - "other": "Εμφάνιση %(count)s άλλων προεπισκοπήσεων", - "one": "Εμφάνιση%(count)s άλλων προεπισκοπήσεων" - }, "Encrypted by an unverified session": "Κρυπτογραφήθηκε από μια μη επαληθευμένη συνεδρία", "Copy link to thread": "Αντιγραφή συνδέσμου στο νήμα εκτέλεσης", "View in room": "Δείτε στο δωμάτιο", @@ -671,22 +521,6 @@ "Failed to upgrade room": "Αποτυχία αναβάθμισης δωματίου", "Room Settings - %(roomName)s": "Ρυθμίσεις Δωματίου - %(roomName)s", "Email (optional)": "Email (προαιρετικό)", - "You were banned from %(roomName)s by %(memberName)s": "Έχετε αποκλειστεί από το %(roomName)s από τον %(memberName)s", - "Re-join": "Επανασύνδεση", - "You were removed from %(roomName)s by %(memberName)s": "Αφαιρεθήκατε από το %(roomName)s από τον %(memberName)s", - "%(spaceName)s menu": "%(spaceName)s μενού", - "Currently removing messages in %(count)s rooms": { - "one": "Αυτήν τη στιγμή γίνεται κατάργηση μηνυμάτων σε %(count)s δωμάτιο", - "other": "Αυτήν τη στιγμή γίνεται κατάργηση μηνυμάτων σε %(count)s δωμάτια" - }, - "Currently joining %(count)s rooms": { - "one": "Αυτήν τη στιγμή συμμετέχετε σε%(count)sδωμάτιο", - "other": "Αυτήν τη στιγμή συμμετέχετε σε %(count)s δωμάτια" - }, - "Join public room": "Εγγραφείτε στο δημόσιο δωμάτιο", - "Show Widgets": "Εμφάνιση μικροεφαρμογών", - "Hide Widgets": "Απόκρυψη μικροεφαρμογών", - "Replying": "Απαντώντας", "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.": "Ο διακομιστής απέρριψε το αίτημά σας.", @@ -790,23 +624,6 @@ "Send Logs": "Αποστολή Αρχείων καταγραφής", "Clear Storage and Sign Out": "Εκκαθάριση Χώρου αποθήκευσης και Αποσύνδεση", "Sign out and remove encryption keys?": "Αποσύνδεση και κατάργηση κλειδιών κρυπτογράφησης;", - "%(roomName)s can't be previewed. Do you want to join it?": "Δεν είναι δυνατή η προεπισκόπηση του %(roomName)s. Θέλετε να συμμετάσχετε;", - "You're previewing %(roomName)s. Want to join it?": "Κάνετε προεπισκόπηση στο %(roomName)s. Θέλετε να συμμετάσχετε;", - "Reject & Ignore user": "Απόρριψη & Παράβλεψη χρήστη", - " invited you": "Ο σας προσκάλεσε", - "Do you want to join %(roomName)s?": "Θέλετε να εγγραφείτε στο %(roomName)s;", - "Start chatting": "Ξεκινήστε τη συνομιλία", - " wants to chat": "Ο θέλει να συνομιλήσετε", - "Do you want to chat with %(user)s?": "Θέλετε να συνομιλήσετε με %(user)s;", - "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.", - "This invite to %(roomName)s was sent to %(email)s": "Αυτή η πρόσκληση στο %(roomName)s στάλθηκε στο %(email)s", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Συνδέστε αυτό το μήνυμα ηλεκτρονικού ταχυδρομείου με τον λογαριασμό σας στις Ρυθμίσεις για να λαμβάνετε προσκλήσεις απευθείας σε %(brand)s.", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Αυτή η πρόσκληση στο %(roomName)s στάλθηκε στο %(email)s που δεν σχετίζεται με τον λογαριασμό σας", - "Join the discussion": "Λάβετε μέρος στη συζήτηση", - "Try to join anyway": "Προσπαθήστε να συμμετάσχετε ούτως ή άλλως", - "Something went wrong with your invite to %(roomName)s": "Κάτι πήγε στραβά με την πρόσκλησή σας στο %(roomName)s", - "Uploaded sound": "Μεταφορτωμένος ήχος", "Room Topic": "Θέμα Δωματίου", "Room Name": "Όνομα Δωματίου", "Failed to send logs: ": "Αποτυχία αποστολής αρχείων καταγραφής: ", @@ -891,7 +708,6 @@ "Continue With Encryption Disabled": "Συνέχεια με Απενεργοποίηση Κρυπτογράφησης", "Incompatible Database": "Μη συμβατή Βάση Δεδομένων", "Want to add an existing space instead?": "Θέλετε να προσθέσετε έναν υπάρχοντα χώρο;", - "Public space": "Δημόσιος χώρος", "Private space (invite only)": "Ιδιωτικός χώρος (μόνο με πρόσκληση)", "Space visibility": "Ορατότητα χώρου", "Only people invited will be able to find and join this space.": "Μόνο τα άτομα που έχουν προσκληθεί θα μπορούν να βρουν και να εγγραφούν σε αυτόν τον χώρο.", @@ -1022,7 +838,6 @@ "Only room administrators will see this warning": "Μόνο οι διαχειριστές δωματίων θα βλέπουν αυτήν την προειδοποίηση", "This room is running room version , which this homeserver has marked as unstable.": "Αυτό το δωμάτιο τρέχει την έκδοση , την οποία ο κεντρικός διακομιστής έχει επισημάνει ως ασταθής.", "This room has already been upgraded.": "Αυτό το δωμάτιο έχει ήδη αναβαθμιστεί.", - "Discovery": "Ανακάλυψη", "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": "Προεπισκόπηση μηνύματος", @@ -1031,7 +846,6 @@ "Sorry, the poll did not end. Please try again.": "Συγνώμη, η δημοσκόπηση δεν τερματίστηκε. Παρακαλώ προσπαθήστε ξανά.", "Failed to end poll": "Αποτυχία τερματισμού της δημοσκόπησης", "Anyone in will be able to find and join.": "Οποιοσδήποτε στο θα μπορεί να βρει και να συμμετάσχει σε αυτό το δωμάτιο.", - "Public room": "Δημόσιο δωμάτιο", "Reason (optional)": "Αιτία (προαιρετικό)", "Removing…": "Αφαίρεση…", "Uncheck if you also want to remove system messages on this user (e.g. membership change, profile change…)": "Καταργήστε την επιλογή εάν θέλετε επίσης να καταργήσετε τα μηνύματα συστήματος σε αυτόν τον χρήστη (π.χ. αλλαγή μέλους, αλλαγή προφίλ…)", @@ -1115,38 +929,7 @@ "Remove them from everything I'm able to": "Αφαιρέστε τους από οτιδήποτε έχω δικαίωμα", "Demote yourself?": "Υποβιβάστε τον εαυτό σας;", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Η αναβάθμιση αυτού του δωματίου θα τερματίσει το δωμάτιο και θα δημιουργήσει ένα αναβαθμισμένο δωμάτιο με το ίδιο όνομα.", - "You can only join it with a working invite.": "Μπορείτε να συμμετάσχετε μόνο με ενεργή πρόσκληση.", - "Home options": "Επιλογές αρχικής", - "Unignore": "Αναίρεση αγνόησης", "Spanner": "Γερμανικό κλειδί", - "Go to Settings": "Μετάβαση στις Ρυθμίσεις", - "New Recovery Method": "Νέα Μέθοδος Ανάκτησης", - "Save your Security Key": "Αποθηκεύστε το κλειδί ασφαλείας σας", - "Confirm Security Phrase": "Επιβεβαίωση Φράσης Ασφαλείας", - "Set a Security Phrase": "Ορίστε μια Φράση Ασφαλείας", - "Upgrade your encryption": "Αναβαθμίστε την κρυπτογράφηση σας", - "You'll need to authenticate with the server to confirm the upgrade.": "Θα χρειαστεί να πραγματοποιήσετε έλεγχο ταυτότητας με τον διακομιστή για να επιβεβαιώσετε την αναβάθμιση.", - "Restore your key backup to upgrade your encryption": "Επαναφέρετε το αντίγραφο ασφαλείας του κλειδιού σας για να αναβαθμίσετε την κρυπτογράφηση", - "Enter your account password to confirm the upgrade:": "Εισαγάγετε τον κωδικό πρόσβασης του λογαριασμού σας για να επιβεβαιώσετε την αναβάθμιση:", - "Success!": "Επιτυχία!", - "Confirm your Security Phrase": "Επιβεβαιώστε τη Φράση Ασφαλείας σας", - "Enter your Security Phrase a second time to confirm it.": "Εισαγάγετε τη Φράση Ασφαλείας σας για δεύτερη φορά για να την επιβεβαιώσετε.", - "Go back to set it again.": "Επιστρέψτε για να το ρυθμίσετε ξανά.", - "That doesn't match.": "Αυτό δεν ταιριάζει.", - "Use a different passphrase?": "Να χρησιμοποιηθεί διαφορετική φράση;", - "That matches!": "Ταιριάζει!", - "Great! This Security Phrase looks strong enough.": "Τέλεια! Αυτή η Φράση Ασφαλείας φαίνεται αρκετά ισχυρή.", - "Enter a Security Phrase": "Εισαγάγετε τη Φράση Ασφαλείας", - "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.": "Χωρίς επαλήθευση, δε θα έχετε πρόσβαση σε όλα τα μηνύματά σας και ενδέχεται να φαίνεστε ως αναξιόπιστος στους άλλους.", - "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.": "Η νέα σας συσκευή έχει πλέον επαληθευτεί. Έχει πρόσβαση στα κρυπτογραφημένα μηνύματά σας και οι άλλοι χρήστες θα τη δουν ως αξιόπιστη.", - "Verify your identity to access encrypted messages and prove your identity to others.": "Επαληθεύστε την ταυτότητά σας για να αποκτήσετε πρόσβαση σε κρυπτογραφημένα μηνύματα και να αποδείξετε την ταυτότητά σας σε άλλους.", - "Verify with another device": "Επαλήθευση με άλλη συσκευή", - "Verify with Security Key": "Επαλήθευση με Κλειδί ασφαλείας", - "Verify with Security Key or Phrase": "Επαλήθευση με Κλειδί Ασφαλείας ή Φράση Ασφαλείας", - "Proceed with reset": "Προχωρήστε με την επαναφορά", "Your password has been reset.": "Ο κωδικός πρόσβασής σας επαναφέρθηκε.", "Skip verification for now": "Παράβλεψη επαλήθευσης προς το παρόν", "Really reset verification keys?": "Είστε σίγουρος ότι θέλετε να επαναφέρετε τα κλειδιά επαλήθευσης;", @@ -1156,7 +939,6 @@ "Could not load user profile": "Αδυναμία φόρτωσης του προφίλ χρήστη", "Switch theme": "Αλλαγή θέματος", " invites you": " σας προσκαλεί", - "Private space": "Ιδιωτικός χώρος", "Search names and descriptions": "Αναζήτηση ονομάτων και περιγραφών", "Rooms and spaces": "Δωμάτια και Χώροι", "Results": "Αποτελέσματα", @@ -1213,9 +995,6 @@ "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", "Data on this screen is shared with %(widgetDomain)s": "Τα δεδομένα σε αυτήν την οθόνη μοιράζονται με το %(widgetDomain)s", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Οι διαχειριστές πρόσθετων λαμβάνουν δεδομένα διαμόρφωσης και μπορούν να τροποποιούν μικροεφαρμογές, να στέλνουν προσκλήσεις για δωμάτια και να ορίζουν δικαιώματα πρόσβασης για λογαριασμό σας.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Χρησιμοποιήστε έναν διαχειριστή πρόσθετων για να διαχειριστείτε bots, μικροεφαρμογές και πακέτα αυτοκόλλητων.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Χρησιμοποιήστε έναν διαχειριστή πρόσθετων (%(serverName)s) για να διαχειριστείτε bots, μικροεφαρμογές και πακέτα αυτοκόλλητων.", "Other spaces or rooms you might not know": "Άλλοι χώροι ή δωμάτια που ίσως δε γνωρίζετε", "Spaces you know that contain this space": "Χώροι που γνωρίζετε ότι περιέχουν αυτόν το χώρο", "Spaces you know that contain this room": "Χώροι που γνωρίζετε ότι περιέχουν αυτό το δωμάτιο", @@ -1223,12 +1002,7 @@ "Dial pad": "Πληκτρολόγιο κλήσης", "Transfer": "Μεταφορά", "Sent": "Απεσταλμένα", - "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).": "Δημιουργούνται αντίγραφα ασφαλείας των κλειδιών σας (το πρώτο αντίγραφο ασφαλείας μπορεί να διαρκέσει μερικά λεπτά).", "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.": "Δεν μπορείτε να στείλετε μηνύματα μέχρι να ελέγξετε και να συμφωνήσετε με τους όρους και τις προϋποθέσεις μας.", "Failed to start livestream": "Η έναρξη της ζωντανής ροής απέτυχε", @@ -1278,8 +1052,6 @@ "The poll has ended. Top answer: %(topAnswer)s": "Η δημοσκόπηση έληξε. Κορυφαία απάντηση: %(topAnswer)s", "The poll has ended. No votes were cast.": "Η δημοσκόπηση έληξε. Δεν υπάρχουν ψήφοι.", "Failed to connect to integration manager": "Αποτυχία σύνδεσης με τον διαχειριστή πρόσθετων", - "Manage integrations": "Διαχείριση πρόσθετων", - "Failed to re-authenticate due to a homeserver problem": "Απέτυχε ο εκ νέου έλεγχος ταυτότητας λόγω προβλήματος με τον κεντρικό διακομιστή", "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.": "Το μήνυμά σας δε στάλθηκε επειδή αυτός ο κεντρικός διακομιστής έχει φτάσει το μηνιαίο όριο ενεργού χρήστη. Παρακαλώ επικοινωνήστε με τον διαχειριστή για να συνεχίσετε να χρησιμοποιείτε την υπηρεσία.", @@ -1298,21 +1070,6 @@ "a new cross-signing key signature": "μια νέα υπογραφή κλειδιού διασταυρούμενης υπογραφής", "a new master key signature": "μια νέα υπογραφή κύριου κλειδιού", "We couldn't create your DM.": "Δεν μπορέσαμε να δημιουργήσουμε το DM σας.", - "%(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 επιστράφηκε κατά την προσπάθεια πρόσβασης στο δωμάτιο ή στο χώρο. Εάν πιστεύετε ότι βλέπετε αυτό το μήνυμα κατά λάθος, υποβάλετε μια αναφορά σφάλματος.", - "Try again later, or ask a room or space admin to check if you have access.": "Δοκιμάστε ξανά αργότερα ή ζητήστε από έναν διαχειριστή δωματίου ή χώρου να ελέγξει εάν έχετε πρόσβαση.", - "This room or space is not accessible at this time.": "Αυτό το δωμάτιο ή ο χώρος δεν είναι προσβάσιμος αυτήν τη στιγμή.", - "Are you sure you're at the right place?": "Είστε σίγουροι ότι βρίσκεστε στο σωστό μέρος;", - "This room or space does not exist.": "Αυτό το δωμάτιο ή ο χώρος δεν υπάρχει.", - "There's no preview, would you like to join?": "Δεν υπάρχει προεπισκόπηση, θα θέλατε να εγγραφείτε;", - "This invite was sent to %(email)s": "Αυτή η πρόσκληση στάλθηκε στο %(email)s", - "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) κατά την προσπάθεια επικύρωσης της πρόσκλησής σας. Θα μπορούσατε να διαβιβάστε αυτή την πληροφορία στο άτομο που σας προσκάλεσε.", - "Something went wrong with your invite.": "Κάτι πήγε στραβά με την πρόσκλησή σας.", - "You were banned by %(memberName)s": "Αποκλειστήκατε από %(memberName)s", - "Forget this space": "Ξεχάστε αυτόν τον χώρο", - "You were removed by %(memberName)s": "Αφαιρεθήκατε από %(memberName)s", - "Loading preview": "Φόρτωση προεπισκόπησης", "Set up": "Εγκατάσταση", "Joined": "Συνδέθηκε", "Joining": "Συνδέετε", @@ -1345,24 +1102,6 @@ "Failed to get autodiscovery configuration from server": "Απέτυχε η λήψη της διαμόρφωσης αυτόματης ανακάλυψης από τον διακομιστή", "Hold": "Αναμονή", "These are likely ones other room admins are a part of.": "Πιθανότατα αυτά είναι μέρος στα οποία συμμετέχουν και άλλοι διαχειριστές δωματίου.", - "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.": "Εάν δεν καταργήσατε τη μέθοδο ανάκτησης, ένας εισβολέας μπορεί να προσπαθεί να αποκτήσει πρόσβαση στον λογαριασμό σας. Αλλάξτε τον κωδικό πρόσβασης του λογαριασμού σας και ορίστε μια νέα μέθοδο ανάκτησης αμέσως στις Ρυθμίσεις.", - "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.": "Εάν το κάνατε κατά λάθος, μπορείτε να ρυθμίσετε τα Ασφαλή Μηνύματα σε αυτήν τη συνεδρία, τα οποία θα κρυπτογραφούν εκ νέου το ιστορικό μηνυμάτων αυτής της συνεδρίας με μια νέα μέθοδο ανάκτησης.", - "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Αυτή η συνεδρία εντόπισε ότι η φράση ασφαλείας σας και το κλειδί για τα ασφαλή μηνύματα σας έχουν αφαιρεθεί.", - "Set up Secure Messages": "Ρύθμιση ασφαλών μηνυμάτων", - "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.": "Εάν δεν έχετε ορίσει τη νέα μέθοδο ανάκτησης, ένας εισβολέας μπορεί να προσπαθεί να αποκτήσει πρόσβαση στον λογαριασμό σας. Αλλάξτε τον κωδικό πρόσβασης του λογαριασμού σας και ορίστε μια νέα μέθοδο ανάκτησης αμέσως στις Ρυθμίσεις.", - "A new Security Phrase and key for Secure Messages have been detected.": "Εντοπίστηκε νέα φράση ασφαλείας και κλειδί για ασφαλή μηνύματα.", - "Unable to set up secret storage": "Δεν είναι δυνατή η ρύθμιση του μυστικού χώρου αποθήκευσης", - "You can also set up Secure Backup & manage your keys in Settings.": "Μπορείτε επίσης να ρυθμίσετε το Ασφαλές αντίγραφο ασφαλείας και να διαχειριστείτε τα κλειδιά σας στις Ρυθμίσεις.", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Εάν ακυρώσετε τώρα, ενδέχεται να χάσετε κρυπτογραφημένα μηνύματα και δεδομένα εάν χάσετε την πρόσβαση στα στοιχεία σύνδεσής σας.", - "Unable to query secret storage status": "Δεν είναι δυνατή η υποβολή ερωτήματος για την κατάσταση του μυστικού χώρου αποθήκευσης", - "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Αποθηκεύστε το Κλειδί ασφαλείας σας σε ασφαλές μέρος, όπως έναν διαχείριστη κωδικών πρόσβασης ή ένα χρηματοκιβώτιο, καθώς χρησιμοποιείται για την προστασία των κρυπτογραφημένων δεδομένων σας.", - "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Αναβαθμίστε αυτήν την συνεδρία για να της επιτρέψετε να επαληθεύει άλλες συνεδρίες, παραχωρώντας τους πρόσβαση σε κρυπτογραφημένα μηνύματα και επισημαίνοντάς τα ως αξιόπιστα για άλλους χρήστες.", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Προστατευτείτε από την απώλεια πρόσβασης σε κρυπτογραφημένα μηνύματα και δεδομένα, δημιουργώντας αντίγραφα ασφαλείας των κλειδιών κρυπτογράφησης στον διακομιστή σας.", - "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.": "Θα δημιουργήσουμε ένα κλειδί ασφαλείας για να το αποθηκεύσετε σε ασφαλές μέρος, όπως έναν διαχειριστή κωδικών πρόσβασης ή ένα χρηματοκιβώτιο.", - "Generate a Security Key": "Δημιουργήστε ένα κλειδί ασφαλείας", - "Unable to create key backup": "Δεν είναι δυνατή η δημιουργία αντιγράφου ασφαλείας κλειδιού", - "Create key backup": "Δημιουργία αντιγράφου ασφαλείας κλειδιού", "An error occurred while stopping your live location, please try again": "Παρουσιάστηκε σφάλμα κατά τη διακοπή της ζωντανής τοποθεσίας σας, δοκιμάστε ξανά", "Resume": "Συνέχιση", "Invalid base_url for m.identity_server": "Μη έγκυρο base_url για m.identity_server", @@ -1376,9 +1115,6 @@ "Output devices": "Συσκευές εξόδου", "Input devices": "Συσκευές εισόδου", "To continue, please enter your account password:": "Για να συνεχίσετε παρακαλώ εισάγετε τον κωδικό σας:", - "New room": "Νέο δωμάτιο", - "Private room": "Ιδιωτικό δωμάτιο", - "Your password was successfully changed.": "Ο κωδικός πρόσβασης σας άλλαξε με επιτυχία.", "Unread email icon": "Εικονίδιο μη αναγνωσμένου μηνύματος", "Start a group chat": "Ξεκινήστε μια ομαδική συνομιλία", "Other options": "Αλλες επιλογές", @@ -1406,18 +1142,7 @@ "one": "1 συμμετέχων", "other": "%(count)s συμμετέχοντες" }, - "Joining…": "Συμμετοχή…", "Show Labs settings": "Εμφάνιση ρυθμίσεων Labs", - "To join, please enable video rooms in Labs first": "Για να συμμετέχετε, ενεργοποιήστε πρώτα τις αίθουσες βίντεο στο Labs", - "To view, please enable video rooms in Labs first": "Για προβολή, ενεργοποιήστε πρώτα τις αίθουσες βίντεο στο Labs", - "To view %(roomName)s, you need an invite": "Για να δείτε το %(roomName)s, χρειάζεστε μια πρόσκληση", - "New video room": "Νέο δωμάτιο βίντεο", - "Video room": "Δωμάτια βίντεο", - "Seen by %(count)s people": { - "one": "Αναγνώστηκε από %(count)s άτομο", - "other": "Αναγνώστηκε από %(count)s άτομα" - }, - "Deactivating your account is a permanent action — be careful!": "Η απενεργοποίηση του λογαριασμού σας είναι μια μόνιμη ενέργεια — να είστε προσεκτικοί!", "common": { "about": "Σχετικά με", "analytics": "Αναλυτικά δεδομένα", @@ -1509,7 +1234,18 @@ "general": "Γενικά", "profile": "Προφίλ", "display_name": "Εμφανιζόμενο όνομα", - "user_avatar": "Εικόνα προφίλ" + "user_avatar": "Εικόνα προφίλ", + "authentication": "Πιστοποίηση", + "public_room": "Δημόσιο δωμάτιο", + "video_room": "Δωμάτια βίντεο", + "public_space": "Δημόσιος χώρος", + "private_space": "Ιδιωτικός χώρος", + "private_room": "Ιδιωτικό δωμάτιο", + "rooms": "Δωμάτια", + "low_priority": "Χαμηλής προτεραιότητας", + "historical": "Ιστορικό", + "go_to_settings": "Μετάβαση στις Ρυθμίσεις", + "setup_secure_messages": "Ρύθμιση ασφαλών μηνυμάτων" }, "action": { "continue": "Συνέχεια", @@ -1608,7 +1344,16 @@ "unban": "Άρση αποκλεισμού", "click_to_copy": "Κλικ για αντιγραφή", "hide_advanced": "Απόκρυψη προχωρημένων", - "show_advanced": "Εμφάνιση προχωρημένων" + "show_advanced": "Εμφάνιση προχωρημένων", + "unignore": "Αναίρεση αγνόησης", + "start_new_chat": "Έναρξη νέας συνομιλίας", + "invite_to_space": "Πρόσκληση στον χώρο", + "add_people": "Προσθήκη ατόμων", + "explore_rooms": "Εξερευνήστε δωμάτια", + "new_room": "Νέο δωμάτιο", + "new_video_room": "Νέο δωμάτιο βίντεο", + "add_existing_room": "Προσθήκη υπάρχοντος δωματίου", + "explore_public_rooms": "Εξερευνήστε δημόσια δωμάτια" }, "a11y": { "user_menu": "Μενού χρήστη", @@ -1621,7 +1366,8 @@ "other": "%(count)s μη αναγνωσμένα μηνύματα." }, "unread_messages": "Μη αναγνωσμένα μηνύματα.", - "jump_first_invite": "Μετάβαση στην πρώτη πρόσκληση." + "jump_first_invite": "Μετάβαση στην πρώτη πρόσκληση.", + "room_name": "Δωμάτιο %(name)s" }, "labs": { "video_rooms": "Δωμάτια βίντεο", @@ -1756,7 +1502,19 @@ "space_a11y": "Αυτόματη συμπλήρωση Χώρου", "user_description": "Χρήστες", "user_a11y": "Αυτόματη συμπλήρωση Χρήστη" - } + }, + "room_upgraded_link": "Η συζήτηση συνεχίζεται εδώ.", + "room_upgraded_notice": "Αυτό το δωμάτιο έχει αντικατασταθεί και δεν είναι πλέον ενεργό.", + "no_perms_notice": "Δεν έχετε δικαιώματα για να δημοσιεύσετε σε αυτό το δωμάτιο", + "send_button_voice_message": "Στείλτε φωνητικό μήνυμα", + "close_sticker_picker": "Απόκρυψη αυτοκόλλητων", + "voice_message_button": "Φωνητικό μήνυμα", + "poll_button_no_perms_title": "Απαιτείται Άδεια", + "poll_button_no_perms_description": "Δεν έχετε άδεια να ξεκινήσετε ψηφοφορίες σε αυτήν την αίθουσα.", + "poll_button": "Ψηφοφορία", + "format_italics": "Πλάγια", + "format_insert_link": "Εισαγωγή συνδέσμου", + "replying_title": "Απαντώντας" }, "Code": "Κωδικός", "power_level": { @@ -1900,7 +1658,14 @@ "inline_url_previews_room_account": "Ενεργοποίηση προεπισκόπισης URL για αυτό το δωμάτιο (επηρεάζει μόνο εσάς)", "inline_url_previews_room": "Ενεργοποιήστε τις προεπισκοπήσεις URL από προεπιλογή για τους συμμετέχοντες σε αυτό το δωμάτιο", "voip": { - "mirror_local_feed": "Αντικατοπτρίστε την τοπική ροή βίντεο" + "mirror_local_feed": "Αντικατοπτρίστε την τοπική ροή βίντεο", + "missing_permissions_prompt": "Λείπουν δικαιώματα πολυμέσων, κάντε κλικ στο κουμπί παρακάτω για να αιτηθείτε.", + "request_permissions": "Ζητήστε άδειες πολυμέσων", + "audio_output": "Έξοδος ήχου", + "audio_output_empty": "Δεν εντοπίστηκαν Έξοδοι Ήχου", + "audio_input_empty": "Δεν εντοπίστηκε μικρόφωνο", + "video_input_empty": "Δεν εντοπίστηκε κάμερα", + "title": "Φωνή & Βίντεο" }, "security": { "message_search_disable_warning": "Εάν απενεργοποιηθεί, τα μηνύματα από κρυπτογραφημένα δωμάτια δε θα εμφανίζονται στα αποτελέσματα αναζήτησης.", @@ -1969,7 +1734,11 @@ "key_backup_connect": "Συνδέστε αυτήν την συνεδρία με το αντίγραφο ασφαλείας κλειδιού", "key_backup_complete": "Δημιουργήθηκαν αντίγραφα ασφαλείας όλων των κλειδιών", "key_backup_algorithm": "Αλγόριθμος:", - "key_backup_inactive_warning": "Δεν δημιουργούνται αντίγραφα ασφαλείας των κλειδιών σας από αυτήν την συνεδρία." + "key_backup_inactive_warning": "Δεν δημιουργούνται αντίγραφα ασφαλείας των κλειδιών σας από αυτήν την συνεδρία.", + "key_backup_active_version_none": "Κανένα", + "ignore_users_empty": "Δεν έχετε χρήστες που έχετε αγνοήσει.", + "ignore_users_section": "Χρήστες που αγνοήθηκαν", + "e2ee_default_disabled_warning": "Ο διαχειριστής του διακομιστή σας έχει απενεργοποιήσει την κρυπτογράφηση από άκρο σε άκρο από προεπιλογή σε ιδιωτικά δωμάτια & άμεσα μηνύματα." }, "preferences": { "room_list_heading": "Λίστα δωματίων", @@ -2027,7 +1796,41 @@ "add_msisdn_dialog_title": "Προσθήκη Τηλεφωνικού Αριθμού", "name_placeholder": "Χωρίς όνομα", "error_saving_profile_title": "Αποτυχία αποθήκευσης του προφίλ σας", - "error_saving_profile": "Η λειτουργία δεν μπόρεσε να ολοκληρωθεί" + "error_saving_profile": "Η λειτουργία δεν μπόρεσε να ολοκληρωθεί", + "error_password_change_403": "Δεν ήταν δυνατή η αλλαγή του κωδικού πρόσβασης. Είναι σωστός ο κωδικός πρόσβασης;", + "password_change_success": "Ο κωδικός πρόσβασης σας άλλαξε με επιτυχία.", + "emails_heading": "Διευθύνσεις ηλεκτρονικού ταχυδρομείου", + "msisdns_heading": "Τηλεφωνικοί αριθμοί", + "discovery_needs_terms": "Αποδεχτείτε τους Όρους χρήσης του διακομιστή ταυτότητας (%(serverName)s), ώστε να μπορείτε να είστε ανιχνεύσιμοι μέσω της διεύθυνσης ηλεκτρονικού ταχυδρομείου ή του αριθμού τηλεφώνου.", + "deactivate_section": "Απενεργοποίηση λογαριασμού", + "account_management_section": "Διαχείριση λογαριασμών", + "deactivate_warning": "Η απενεργοποίηση του λογαριασμού σας είναι μια μόνιμη ενέργεια — να είστε προσεκτικοί!", + "discovery_section": "Ανακάλυψη", + "error_revoke_email_discovery": "Δεν είναι δυνατή η ανάκληση της κοινής χρήσης για τη διεύθυνση ηλεκτρονικού ταχυδρομείου", + "error_share_email_discovery": "Δεν είναι δυνατή η κοινή χρήση της διεύθυνσης email", + "email_not_verified": "Η διεύθυνση email σας δεν έχει επαληθευτεί ακόμα", + "email_verification_instructions": "Κάντε κλικ στον σύνδεσμο ηλεκτρονικής διεύθυνσης που λάβατε για επαλήθευση και μετα, κάντε ξανά κλικ στη συνέχεια.", + "error_email_verification": "Αδυναμία επιβεβαίωσης διεύθυνσης ηλεκτρονικής αλληλογραφίας.", + "discovery_email_verification_instructions": "Επαληθεύστε τον σύνδεσμο στα εισερχόμενα σας", + "discovery_email_empty": "Οι επιλογές εντοπισμού θα εμφανιστούν μόλις προσθέσετε ένα email παραπάνω.", + "error_revoke_msisdn_discovery": "Αδυναμία ανάκληση της κοινής χρήσης για τον αριθμό τηλεφώνου", + "error_share_msisdn_discovery": "Αδυναμία κοινής χρήσης του αριθμού τηλεφώνου", + "error_msisdn_verification": "Αδυναμία επαλήθευσης του αριθμού τηλεφώνου.", + "incorrect_msisdn_verification": "Λανθασμένος κωδικός επαλήθευσης", + "msisdn_verification_instructions": "Εισαγάγετε τον κωδικό επαλήθευσης που εστάλη μέσω μηνύματος sms.", + "msisdn_verification_field_label": "Κωδικός επαλήθευσης", + "discovery_msisdn_empty": "Οι επιλογές εντοπισμού θα εμφανιστούν μόλις προσθέσετε έναν αριθμό τηλεφώνου παραπάνω.", + "error_set_name": "Δεν ήταν δυνατό ο ορισμός του ονόματος εμφάνισης", + "error_remove_3pid": "Αδυναμία αφαίρεσης πληροφοριών επαφής", + "remove_email_prompt": "Κατάργηση %(email)s;", + "error_invalid_email": "Μη έγκυρη διεύθυνση ηλεκτρονικής αλληλογραφίας", + "error_invalid_email_detail": "Δεν μοιάζει με μια έγκυρη διεύθυνση ηλεκτρονικής αλληλογραφίας", + "error_add_email": "Αδυναμία προσθήκης διεύθυνσης ηλ. αλληλογραφίας", + "add_email_instructions": "Σας έχουμε στείλει ένα email για να επαληθεύσουμε τη διεύθυνσή σας. Ακολουθήστε τις οδηγίες εκεί και, στη συνέχεια, κάντε κλικ στο κουμπί παρακάτω.", + "email_address_label": "Διεύθυνση Email", + "remove_msisdn_prompt": "Κατάργηση %(phone)s;", + "add_msisdn_instructions": "Ένα μήνυμα sms έχει σταλεί στο +%(msisdn)s. Παρακαλώ εισαγάγετε τον κωδικό επαλήθευσης που περιέχει.", + "msisdn_label": "Αριθμός Τηλεφώνου" }, "sidebar": { "title": "Πλαϊνή μπάρα", @@ -2040,6 +1843,51 @@ "metaspaces_orphans_description": "Ομαδοποιήστε σε ένα μέρος όλα τα δωμάτιά σας που δεν αποτελούν μέρος ενός χώρου.", "metaspaces_home_all_rooms_description": "Εμφάνιση όλων των δωματίων σας στην Αρχική, ακόμα κι αν βρίσκονται σε ένα χώρο.", "metaspaces_home_all_rooms": "Εμφάνιση όλων των δωματίων" + }, + "key_backup": { + "backup_in_progress": "Δημιουργούνται αντίγραφα ασφαλείας των κλειδιών σας (το πρώτο αντίγραφο ασφαλείας μπορεί να διαρκέσει μερικά λεπτά).", + "backup_success": "Επιτυχία!", + "create_title": "Δημιουργία αντιγράφου ασφαλείας κλειδιού", + "cannot_create_backup": "Δεν είναι δυνατή η δημιουργία αντιγράφου ασφαλείας κλειδιού", + "setup_secure_backup": { + "generate_security_key_title": "Δημιουργήστε ένα κλειδί ασφαλείας", + "generate_security_key_description": "Θα δημιουργήσουμε ένα κλειδί ασφαλείας για να το αποθηκεύσετε σε ασφαλές μέρος, όπως έναν διαχειριστή κωδικών πρόσβασης ή ένα χρηματοκιβώτιο.", + "enter_phrase_title": "Εισαγάγετε τη Φράση Ασφαλείας", + "description": "Προστατευτείτε από την απώλεια πρόσβασης σε κρυπτογραφημένα μηνύματα και δεδομένα, δημιουργώντας αντίγραφα ασφαλείας των κλειδιών κρυπτογράφησης στον διακομιστή σας.", + "requires_password_confirmation": "Εισαγάγετε τον κωδικό πρόσβασης του λογαριασμού σας για να επιβεβαιώσετε την αναβάθμιση:", + "requires_key_restore": "Επαναφέρετε το αντίγραφο ασφαλείας του κλειδιού σας για να αναβαθμίσετε την κρυπτογράφηση", + "requires_server_authentication": "Θα χρειαστεί να πραγματοποιήσετε έλεγχο ταυτότητας με τον διακομιστή για να επιβεβαιώσετε την αναβάθμιση.", + "session_upgrade_description": "Αναβαθμίστε αυτήν την συνεδρία για να της επιτρέψετε να επαληθεύει άλλες συνεδρίες, παραχωρώντας τους πρόσβαση σε κρυπτογραφημένα μηνύματα και επισημαίνοντάς τα ως αξιόπιστα για άλλους χρήστες.", + "phrase_strong_enough": "Τέλεια! Αυτή η Φράση Ασφαλείας φαίνεται αρκετά ισχυρή.", + "pass_phrase_match_success": "Ταιριάζει!", + "use_different_passphrase": "Να χρησιμοποιηθεί διαφορετική φράση;", + "pass_phrase_match_failed": "Αυτό δεν ταιριάζει.", + "set_phrase_again": "Επιστρέψτε για να το ρυθμίσετε ξανά.", + "enter_phrase_to_confirm": "Εισαγάγετε τη Φράση Ασφαλείας σας για δεύτερη φορά για να την επιβεβαιώσετε.", + "confirm_security_phrase": "Επιβεβαιώστε τη Φράση Ασφαλείας σας", + "security_key_safety_reminder": "Αποθηκεύστε το Κλειδί ασφαλείας σας σε ασφαλές μέρος, όπως έναν διαχείριστη κωδικών πρόσβασης ή ένα χρηματοκιβώτιο, καθώς χρησιμοποιείται για την προστασία των κρυπτογραφημένων δεδομένων σας.", + "secret_storage_query_failure": "Δεν είναι δυνατή η υποβολή ερωτήματος για την κατάσταση του μυστικού χώρου αποθήκευσης", + "cancel_warning": "Εάν ακυρώσετε τώρα, ενδέχεται να χάσετε κρυπτογραφημένα μηνύματα και δεδομένα εάν χάσετε την πρόσβαση στα στοιχεία σύνδεσής σας.", + "settings_reminder": "Μπορείτε επίσης να ρυθμίσετε το Ασφαλές αντίγραφο ασφαλείας και να διαχειριστείτε τα κλειδιά σας στις Ρυθμίσεις.", + "title_upgrade_encryption": "Αναβαθμίστε την κρυπτογράφηση σας", + "title_set_phrase": "Ορίστε μια Φράση Ασφαλείας", + "title_confirm_phrase": "Επιβεβαίωση Φράσης Ασφαλείας", + "title_save_key": "Αποθηκεύστε το κλειδί ασφαλείας σας", + "unable_to_setup": "Δεν είναι δυνατή η ρύθμιση του μυστικού χώρου αποθήκευσης", + "use_phrase_only_you_know": "Χρησιμοποιήστε μια μυστική φράση που γνωρίζετε μόνο εσείς και προαιρετικά αποθηκεύστε ένα κλειδί ασφαλείας για να το χρησιμοποιήσετε για τη δημιουργία αντιγράφων ασφαλείας." + } + }, + "key_export_import": { + "export_title": "Εξαγωγή κλειδιών δωματίου", + "export_description_1": "Αυτή η διαδικασία σας επιτρέπει να εξαγάγετε τα κλειδιά για τα μηνύματα που έχετε λάβει σε κρυπτογραφημένα δωμάτια σε ένα τοπικό αρχείο. Στη συνέχεια, θα μπορέσετε να εισάγετε το αρχείο σε άλλο πρόγραμμα του Matrix, έτσι ώστε το πρόγραμμα να είναι σε θέση να αποκρυπτογραφήσει αυτά τα μηνύματα.", + "enter_passphrase": "Εισαγωγή συνθηματικού", + "confirm_passphrase": "Επιβεβαίωση συνθηματικού", + "phrase_cannot_be_empty": "Το συνθηματικό δεν πρέπει να είναι κενό", + "phrase_must_match": "Δεν ταιριάζουν τα συνθηματικά", + "import_title": "Εισαγωγή κλειδιών δωματίου", + "import_description_1": "Αυτή η διαδικασία σας επιτρέπει να εισαγάγετε κλειδιά κρυπτογράφησης που έχετε προηγουμένως εξάγει από άλλο πρόγραμμα του Matrix. Στη συνέχεια, θα μπορέσετε να αποκρυπτογραφήσετε τυχόν μηνύματα που το άλλο πρόγραμμα θα μπορούσε να αποκρυπτογραφήσει.", + "import_description_2": "Το αρχείο εξαγωγής θα είναι προστατευμένο με συνθηματικό. Θα χρειαστεί να πληκτρολογήσετε το συνθηματικό εδώ για να αποκρυπτογραφήσετε το αρχείο.", + "file_to_import": "Αρχείο για εισαγωγή" } }, "devtools": { @@ -2491,6 +2339,17 @@ "external_url": "Πηγαίο URL", "collapse_reply_thread": "Σύμπτυξη νήματος απάντησης", "report": "Αναφορά" + }, + "url_preview": { + "show_n_more": { + "other": "Εμφάνιση %(count)s άλλων προεπισκοπήσεων", + "one": "Εμφάνιση%(count)s άλλων προεπισκοπήσεων" + }, + "close": "Κλείσιμο προεπισκόπησης" + }, + "read_receipt_title": { + "one": "Αναγνώστηκε από %(count)s άτομο", + "other": "Αναγνώστηκε από %(count)s άτομα" } }, "slash_command": { @@ -2718,7 +2577,14 @@ "title": "Ρόλοι & Δικαιώματα", "permissions_section": "Δικαιώματα", "permissions_section_description_space": "Επιλέξτε τους ρόλους που απαιτούνται για να αλλάξετε διάφορα μέρη του χώρου", - "permissions_section_description_room": "Επιλέξτε τους ρόλους που απαιτούνται για να αλλάξετε διάφορα μέρη του δωματίου" + "permissions_section_description_room": "Επιλέξτε τους ρόλους που απαιτούνται για να αλλάξετε διάφορα μέρη του δωματίου", + "error_unbanning": "Δεν ήταν δυνατή η άρση του αποκλεισμού", + "banned_by": "Αποκλείστηκε από %(displayName)s", + "ban_reason": "Αιτία", + "error_changing_pl_reqs_title": "Σφάλμα αλλαγής της απαίτησης επιπέδου ισχύος", + "error_changing_pl_reqs_description": "Παρουσιάστηκε σφάλμα κατά την αλλαγή των απαιτήσεων επιπέδου ισχύος του δωματίου. Βεβαιωθείτε ότι έχετε επαρκή δικαιώματα και δοκιμάστε ξανά.", + "error_changing_pl_title": "Σφάλμα αλλαγής του επιπέδου ισχύος", + "error_changing_pl_description": "Παρουσιάστηκε σφάλμα κατά την αλλαγή του επιπέδου ισχύος του χρήστη. Βεβαιωθείτε ότι έχετε επαρκή δικαιώματα και δοκιμάστε ξανά." }, "security": { "strict_encryption": "Μη στέλνετε ποτέ κρυπτογραφημένα μηνύματα σε μη επαληθευμένες συνεδρίες σε αυτό το δωμάτιο από αυτή τη συνεδρία", @@ -2769,7 +2635,9 @@ "join_rule_upgrade_updating_spaces": { "one": "Ενημέρωση χώρου...", "other": "Ενημέρωση χώρων... (%(progress)s out of %(count)s)" - } + }, + "error_join_rule_change_title": "Αποτυχία ενημέρωσης των κανόνων συμμετοχής", + "error_join_rule_change_unknown": "Άγνωστο σφάλμα" }, "general": { "publish_toggle": "Δημοσίευση αυτού του δωματίου στο κοινό κατάλογο δωματίων του %(domain)s;", @@ -2783,7 +2651,9 @@ "error_save_space_settings": "Αποτυχία αποθήκευσης ρυθμίσεων χώρου.", "description_space": "Επεξεργαστείτε τις ρυθμίσεις που σχετίζονται με τον χώρο σας.", "save": "Αποθήκευση Αλλαγών", - "leave_space": "Αποχώρηση από τον Χώρο" + "leave_space": "Αποχώρηση από τον Χώρο", + "aliases_section": "Διευθύνσεις δωματίων", + "other_section": "Άλλα" }, "advanced": { "unfederated": "Αυτό το δωμάτιο δεν είναι προσβάσιμο από απομακρυσμένους διακομιστές Matrix", @@ -2793,7 +2663,9 @@ "room_predecessor": "Προβολή παλαιότερων μηνυμάτων στο %(roomName)s.", "room_id": "Εσωτερικό ID δωματίου", "room_version_section": "Έκδοση δωματίου", - "room_version": "Έκδοση δωματίου:" + "room_version": "Έκδοση δωματίου:", + "information_section_space": "Πληροφορίες Χώρου", + "information_section_room": "Πληροφορίες δωματίου" }, "delete_avatar_label": "Διαγραφή avatar", "upload_avatar_label": "Αποστολή προσωπικής εικόνας", @@ -2807,11 +2679,25 @@ "history_visibility_anyone_space": "Προεπισκόπηση Χώρου", "history_visibility_anyone_space_description": "Επιτρέψτε στους χρήστες να κάνουν προεπισκόπηση του χώρου σας προτού να εγγραφούν.", "history_visibility_anyone_space_recommendation": "Προτείνεται για δημόσιους χώρους.", - "guest_access_label": "Ενεργοποίηση πρόσβασης επισκέπτη" + "guest_access_label": "Ενεργοποίηση πρόσβασης επισκέπτη", + "alias_section": "Διεύθυνση" }, "access": { "title": "Πρόσβαση", "description_space": "Αποφασίστε ποιος μπορεί να δει και να συμμετάσχει %(spaceName)s." + }, + "bridges": { + "description": "Αυτό το δωμάτιο γεφυρώνει μηνύματα στις ακόλουθες πλατφόρμες. Μάθετε περισσότερα.", + "empty": "Αυτό το δωμάτιο δε γεφυρώνει μηνύματα σε καμία πλατφόρμα. Μάθετε περισσότερα.", + "title": "Γέφυρες" + }, + "notifications": { + "uploaded_sound": "Μεταφορτωμένος ήχος", + "settings_link": "Λάβετε ειδοποιήσεις όπως έχoyn ρυθμιστεί στις ρυθμίσεις σας", + "sounds_section": "Ήχοι", + "notification_sound": "Ήχος ειδοποίησης", + "custom_sound_prompt": "Ορίστε έναν νέο προσαρμοσμένο ήχο", + "browse_button": "Εξερεύνηση" } }, "encryption": { @@ -2841,7 +2727,18 @@ "unverified_sessions_toast_description": "Ελέγξτε για να βεβαιωθείτε ότι ο λογαριασμός σας είναι ασφαλής", "unverified_sessions_toast_reject": "Αργότερα", "unverified_session_toast_title": "Νέα σύνδεση. Ήσουν εσύ;", - "request_toast_detail": "%(deviceId)s από %(ip)s" + "request_toast_detail": "%(deviceId)s από %(ip)s", + "no_key_or_device": "Φαίνεται ότι δε διαθέτετε Κλειδί Ασφαλείας ή άλλες συσκευές με τις οποίες μπορείτε να επαληθεύσετε. Αυτή η συσκευή δε θα έχει πρόσβαση σε παλιά κρυπτογραφημένα μηνύματα. Για να επαληθεύσετε την ταυτότητά σας σε αυτήν τη συσκευή, θα πρέπει να επαναφέρετε τα κλειδιά επαλήθευσης.", + "reset_proceed_prompt": "Προχωρήστε με την επαναφορά", + "verify_using_key_or_phrase": "Επαλήθευση με Κλειδί Ασφαλείας ή Φράση Ασφαλείας", + "verify_using_key": "Επαλήθευση με Κλειδί ασφαλείας", + "verify_using_device": "Επαλήθευση με άλλη συσκευή", + "verification_description": "Επαληθεύστε την ταυτότητά σας για να αποκτήσετε πρόσβαση σε κρυπτογραφημένα μηνύματα και να αποδείξετε την ταυτότητά σας σε άλλους.", + "verification_success_with_backup": "Η νέα σας συσκευή έχει πλέον επαληθευτεί. Έχει πρόσβαση στα κρυπτογραφημένα μηνύματά σας και οι άλλοι χρήστες θα τη δουν ως αξιόπιστη.", + "verification_success_without_backup": "Η νέα σας συσκευή έχει πλέον επαληθευτεί. Οι άλλοι χρήστες θα τη δουν ως αξιόπιστη.", + "verification_skip_warning": "Χωρίς επαλήθευση, δε θα έχετε πρόσβαση σε όλα τα μηνύματά σας και ενδέχεται να φαίνεστε ως αναξιόπιστος στους άλλους.", + "verify_later": "Θα επαληθεύσω αργότερα", + "verify_reset_warning_1": "Δεν είναι δυνατή η αναίρεση της επαναφοράς των κλειδιών επαλήθευσης. Μετά την επαναφορά, δε θα έχετε πρόσβαση σε παλιά κρυπτογραφημένα μηνύματα και όλοι οι φίλοι που σας έχουν προηγουμένως επαληθεύσει θα βλέπουν προειδοποιήσεις ασφαλείας μέχρι να επαληθεύσετε ξανά μαζί τους." }, "old_version_detected_title": "Εντοπίστηκαν παλιά δεδομένα κρυπτογράφησης", "old_version_detected_description": "Έχουν εντοπιστεί δεδομένα από μια παλαιότερη έκδοση του %(brand)s. Αυτό θα έχει προκαλέσει δυσλειτουργία της κρυπτογράφησης από άκρο σε άκρο στην παλαιότερη έκδοση. Τα κρυπτογραφημένα μηνύματα από άκρο σε άκρο που ανταλλάχθηκαν πρόσφατα κατά τη χρήση της παλαιότερης έκδοσης ενδέχεται να μην μπορούν να αποκρυπτογραφηθούν σε αυτήν την έκδοση. Αυτό μπορεί επίσης να προκαλέσει την αποτυχία των μηνυμάτων που ανταλλάσσονται με αυτήν την έκδοση. Εάν αντιμετωπίζετε προβλήματα, αποσυνδεθείτε και συνδεθείτε ξανά. Για να διατηρήσετε το ιστορικό μηνυμάτων, εξάγετε και εισαγάγετε ξανά τα κλειδιά σας.", @@ -2862,7 +2759,19 @@ "cross_signing_ready_no_backup": "Η διασταυρούμενη υπογραφή είναι έτοιμη, αλλά δεν δημιουργούνται αντίγραφα ασφαλείας κλειδιών.", "cross_signing_untrusted": "Ο λογαριασμός σας έχει ταυτότητα διασταυρούμενης υπογραφής σε μυστικό χώρο αποθήκευσης, αλλά δεν είναι ακόμη αξιόπιστος από αυτήν την συνεδρία.", "cross_signing_not_ready": "Η διασταυρούμενη υπογραφή δεν έχει ρυθμιστεί.", - "not_supported": "<δεν υποστηρίζεται>" + "not_supported": "<δεν υποστηρίζεται>", + "new_recovery_method_detected": { + "title": "Νέα Μέθοδος Ανάκτησης", + "description_1": "Εντοπίστηκε νέα φράση ασφαλείας και κλειδί για ασφαλή μηνύματα.", + "description_2": "Αυτή η συνεδρία κρυπτογραφεί το ιστορικό χρησιμοποιώντας τη νέα μέθοδο ανάκτησης.", + "warning": "Εάν δεν έχετε ορίσει τη νέα μέθοδο ανάκτησης, ένας εισβολέας μπορεί να προσπαθεί να αποκτήσει πρόσβαση στον λογαριασμό σας. Αλλάξτε τον κωδικό πρόσβασης του λογαριασμού σας και ορίστε μια νέα μέθοδο ανάκτησης αμέσως στις Ρυθμίσεις." + }, + "recovery_method_removed": { + "title": "Η Μέθοδος Ανάκτησης Καταργήθηκε", + "description_1": "Αυτή η συνεδρία εντόπισε ότι η φράση ασφαλείας σας και το κλειδί για τα ασφαλή μηνύματα σας έχουν αφαιρεθεί.", + "description_2": "Εάν το κάνατε κατά λάθος, μπορείτε να ρυθμίσετε τα Ασφαλή Μηνύματα σε αυτήν τη συνεδρία, τα οποία θα κρυπτογραφούν εκ νέου το ιστορικό μηνυμάτων αυτής της συνεδρίας με μια νέα μέθοδο ανάκτησης.", + "warning": "Εάν δεν καταργήσατε τη μέθοδο ανάκτησης, ένας εισβολέας μπορεί να προσπαθεί να αποκτήσει πρόσβαση στον λογαριασμό σας. Αλλάξτε τον κωδικό πρόσβασης του λογαριασμού σας και ορίστε μια νέα μέθοδο ανάκτησης αμέσως στις Ρυθμίσεις." + } }, "emoji": { "category_frequently_used": "Συχνά χρησιμοποιούμενα", @@ -3015,7 +2924,9 @@ "autodiscovery_unexpected_error_hs": "Μη αναμενόμενο σφάλμα κατά την επίλυση της διαμόρφωσης του κεντρικού διακομιστή", "autodiscovery_unexpected_error_is": "Μη αναμενόμενο σφάλμα κατά την επίλυση της διαμόρφωσης διακομιστή ταυτότητας", "incorrect_credentials_detail": "Σημειώστε ότι συνδέεστε στον διακομιστή %(hs)s, όχι στο matrix.org.", - "create_account_title": "Δημιουργία λογαριασμού" + "create_account_title": "Δημιουργία λογαριασμού", + "failed_soft_logout_homeserver": "Απέτυχε ο εκ νέου έλεγχος ταυτότητας λόγω προβλήματος με τον κεντρικό διακομιστή", + "soft_logout_subheading": "Εκκαθάριση προσωπικών δεδομένων" }, "room_list": { "sort_unread_first": "Εμφάνιση δωματίων με μη αναγνωσμένα μηνύματα πρώτα", @@ -3031,7 +2942,23 @@ "show_less": "Εμφάνιση λιγότερων", "notification_options": "Επιλογές ειδοποίησης", "failed_remove_tag": "Δεν ήταν δυνατή η διαγραφή της ετικέτας %(tagName)s από το δωμάτιο", - "failed_add_tag": "Δεν ήταν δυνατή η προσθήκη της ετικέτας %(tagName)s στο δωμάτιο" + "failed_add_tag": "Δεν ήταν δυνατή η προσθήκη της ετικέτας %(tagName)s στο δωμάτιο", + "breadcrumbs_label": "Δωμάτια που επισκεφτήκατε πρόσφατα", + "breadcrumbs_empty": "Δεν υπάρχουν δωμάτια που επισκεφτήκατε πρόσφατα", + "add_room_label": "Προσθήκη δωματίου", + "suggested_rooms_heading": "Προτεινόμενα δωμάτια", + "add_space_label": "Προσθήκη χώρου", + "join_public_room_label": "Εγγραφείτε στο δημόσιο δωμάτιο", + "joining_rooms_status": { + "one": "Αυτήν τη στιγμή συμμετέχετε σε%(count)sδωμάτιο", + "other": "Αυτήν τη στιγμή συμμετέχετε σε %(count)s δωμάτια" + }, + "redacting_messages_status": { + "one": "Αυτήν τη στιγμή γίνεται κατάργηση μηνυμάτων σε %(count)s δωμάτιο", + "other": "Αυτήν τη στιγμή γίνεται κατάργηση μηνυμάτων σε %(count)s δωμάτια" + }, + "space_menu_label": "%(spaceName)s μενού", + "home_menu_label": "Επιλογές αρχικής" }, "report_content": { "missing_reason": "Παρακαλώ πείτε μας γιατί κάνετε αναφορά.", @@ -3258,7 +3185,8 @@ "search_children": "Αναζήτηση %(spaceName)s", "invite_link": "Κοινή χρήση συνδέσμου πρόσκλησης", "invite": "Προσκαλέστε άτομα", - "invite_description": "Πρόσκληση με email ή όνομα χρήστη" + "invite_description": "Πρόσκληση με email ή όνομα χρήστη", + "invite_this_space": "Πρόσκληση σε αυτό το χώρο" }, "location_sharing": { "MapStyleUrlNotConfigured": "Αυτός ο κεντρικός διακομιστής δεν έχει ρυθμιστεί για εμφάνιση χαρτών.", @@ -3303,7 +3231,8 @@ "lists_heading": "Εγγεγραμμένες λίστες", "lists_description_1": "Η εγγραφή σε μια λίστα απαγορεύσων θα σας κάνει να εγγραφείτε σε αυτήν!", "lists_description_2": "Εάν αυτό δεν είναι αυτό που θέλετε, χρησιμοποιήστε ένα διαφορετικό εργαλείο για να αγνοήσετε τους χρήστες.", - "lists_new_label": "Ταυτότητα δωματίου ή διεύθυνση της λίστας απαγορευσων" + "lists_new_label": "Ταυτότητα δωματίου ή διεύθυνση της λίστας απαγορευσων", + "rules_empty": "Κανένα" }, "create_space": { "name_required": "Εισαγάγετε ένα όνομα για το χώρο", @@ -3392,8 +3321,60 @@ "mentions_only": "Αναφορές μόνο", "copy_link": "Αντιγραφή συνδέσμου δωματίου", "low_priority": "Χαμηλή προτεραιότητα", - "forget": "Ξεχάστε το δωμάτιο" - } + "forget": "Ξεχάστε το δωμάτιο", + "title": "Επιλογές δωματίου" + }, + "invite_this_room": "Πρόσκληση σε αυτό το δωμάτιο", + "header": { + "forget_room_button": "Αγνόηση δωματίου", + "hide_widgets_button": "Απόκρυψη μικροεφαρμογών", + "show_widgets_button": "Εμφάνιση μικροεφαρμογών" + }, + "joining": "Συμμετοχή…", + "join_title_account": "Συμμετοχή στη συζήτηση με λογιαριασμό", + "join_button_account": "Εγγραφή", + "loading_preview": "Φόρτωση προεπισκόπησης", + "kicked_from_room_by": "Αφαιρεθήκατε από το %(roomName)s από τον %(memberName)s", + "kicked_by": "Αφαιρεθήκατε από %(memberName)s", + "kick_reason": "Αιτία: %(reason)s", + "forget_space": "Ξεχάστε αυτόν τον χώρο", + "forget_room": "Ξεχάστε αυτό το δωμάτιο", + "rejoin_button": "Επανασύνδεση", + "banned_from_room_by": "Έχετε αποκλειστεί από το %(roomName)s από τον %(memberName)s", + "banned_by": "Αποκλειστήκατε από %(memberName)s", + "3pid_invite_error_title_room": "Κάτι πήγε στραβά με την πρόσκλησή σας στο %(roomName)s", + "3pid_invite_error_title": "Κάτι πήγε στραβά με την πρόσκλησή σας.", + "3pid_invite_error_description": "Επιστράφηκε ένα σφάλμα (%(errcode)s) κατά την προσπάθεια επικύρωσης της πρόσκλησής σας. Θα μπορούσατε να διαβιβάστε αυτή την πληροφορία στο άτομο που σας προσκάλεσε.", + "3pid_invite_error_invite_subtitle": "Μπορείτε να συμμετάσχετε μόνο με ενεργή πρόσκληση.", + "3pid_invite_error_invite_action": "Προσπαθήστε να συμμετάσχετε ούτως ή άλλως", + "3pid_invite_error_public_subtitle": "Μπορείτε ακόμα να εγγραφείτε εδώ.", + "join_the_discussion": "Λάβετε μέρος στη συζήτηση", + "3pid_invite_email_not_found_account_room": "Αυτή η πρόσκληση στο %(roomName)s στάλθηκε στο %(email)s που δεν σχετίζεται με τον λογαριασμό σας", + "3pid_invite_email_not_found_account": "Αυτή η πρόσκληση στάλθηκε στο %(email)s που δεν σχετίζεται με τον λογαριασμό σας", + "link_email_to_receive_3pid_invite": "Συνδέστε αυτό το μήνυμα ηλεκτρονικού ταχυδρομείου με τον λογαριασμό σας στις Ρυθμίσεις για να λαμβάνετε προσκλήσεις απευθείας σε %(brand)s.", + "invite_sent_to_email_room": "Αυτή η πρόσκληση στο %(roomName)s στάλθηκε στο %(email)s", + "invite_sent_to_email": "Αυτή η πρόσκληση στάλθηκε στο %(email)s", + "3pid_invite_no_is_subtitle": "Χρησιμοποιήστε έναν διακομιστή ταυτότητας στις Ρυθμίσεις για να λαμβάνετε προσκλήσεις απευθείας στο %(brand)s.", + "invite_email_mismatch_suggestion": "Μοιραστείτε αυτό το μήνυμα ηλεκτρονικού ταχυδρομείου στις Ρυθμίσεις για να λαμβάνετε προσκλήσεις απευθείας σε %(brand)s.", + "dm_invite_title": "Θέλετε να συνομιλήσετε με %(user)s;", + "dm_invite_subtitle": "Ο θέλει να συνομιλήσετε", + "dm_invite_action": "Ξεκινήστε τη συνομιλία", + "invite_title": "Θέλετε να εγγραφείτε στο %(roomName)s;", + "invite_subtitle": "Ο σας προσκάλεσε", + "invite_reject_ignore": "Απόρριψη & Παράβλεψη χρήστη", + "peek_join_prompt": "Κάνετε προεπισκόπηση στο %(roomName)s. Θέλετε να συμμετάσχετε;", + "no_peek_join_prompt": "Δεν είναι δυνατή η προεπισκόπηση του %(roomName)s. Θέλετε να συμμετάσχετε;", + "no_peek_no_name_join_prompt": "Δεν υπάρχει προεπισκόπηση, θα θέλατε να εγγραφείτε;", + "not_found_title_name": "Το %(roomName)s δεν υπάρχει.", + "not_found_title": "Αυτό το δωμάτιο ή ο χώρος δεν υπάρχει.", + "not_found_subtitle": "Είστε σίγουροι ότι βρίσκεστε στο σωστό μέρος;", + "inaccessible_name": "Το %(roomName)s δεν είναι προσβάσιμο αυτή τη στιγμή.", + "inaccessible": "Αυτό το δωμάτιο ή ο χώρος δεν είναι προσβάσιμος αυτήν τη στιγμή.", + "inaccessible_subtitle_1": "Δοκιμάστε ξανά αργότερα ή ζητήστε από έναν διαχειριστή δωματίου ή χώρου να ελέγξει εάν έχετε πρόσβαση.", + "inaccessible_subtitle_2": "Το %(errcode)s επιστράφηκε κατά την προσπάθεια πρόσβασης στο δωμάτιο ή στο χώρο. Εάν πιστεύετε ότι βλέπετε αυτό το μήνυμα κατά λάθος, υποβάλετε μια αναφορά σφάλματος.", + "join_failed_needs_invite": "Για να δείτε το %(roomName)s, χρειάζεστε μια πρόσκληση", + "view_failed_enable_video_rooms": "Για προβολή, ενεργοποιήστε πρώτα τις αίθουσες βίντεο στο Labs", + "join_failed_enable_video_rooms": "Για να συμμετέχετε, ενεργοποιήστε πρώτα τις αίθουσες βίντεο στο Labs" }, "file_panel": { "guest_note": "Πρέπει να εγγραφείτε για να χρησιμοποιήσετε αυτή την λειτουργία", @@ -3513,7 +3494,14 @@ "keyword_new": "Νέα λέξη-κλειδί", "class_global": "Γενικές ρυθμίσεις", "class_other": "Άλλα", - "mentions_keywords": "Αναφορές & λέξεις-κλειδιά" + "mentions_keywords": "Αναφορές & λέξεις-κλειδιά", + "default": "Προεπιλογή", + "all_messages": "Όλα τα μηνύματα", + "all_messages_description": "Λάβετε ειδοποιήσεις για κάθε μήνυμα", + "mentions_and_keywords": "@αναφορές & λέξεις-κλειδιά", + "mentions_and_keywords_description": "Λάβετε ειδοποιήσεις μόνο με αναφορές και λέξεις-κλειδιά όπως έχουν ρυθμιστεί στις ρυθμίσεις σας", + "mute_description": "Δεν θα λαμβάνετε ειδοποιήσεις", + "message_didnt_send": "Το μήνυμα δεν στάλθηκε. Κάντε κλικ για πληροφορίες." }, "mobile_guide": { "toast_title": "Χρησιμοποιήστε την εφαρμογή για καλύτερη εμπειρία", @@ -3537,6 +3525,43 @@ "a11y_jump_first_unread_room": "Μετάβαση στο πρώτο μη αναγνωσμένο δωμάτιο.", "integration_manager": { "error_connecting_heading": "Δεν είναι δυνατή η σύνδεση με τον διαχειριστή πρόσθετων", - "error_connecting": "Ο διαχειριστής πρόσθετων είναι εκτός σύνδεσης ή δεν μπορεί να επικοινωνήσει με κεντρικό διακομιστή σας." + "error_connecting": "Ο διαχειριστής πρόσθετων είναι εκτός σύνδεσης ή δεν μπορεί να επικοινωνήσει με κεντρικό διακομιστή σας.", + "use_im_default": "Χρησιμοποιήστε έναν διαχειριστή πρόσθετων (%(serverName)s) για να διαχειριστείτε bots, μικροεφαρμογές και πακέτα αυτοκόλλητων.", + "use_im": "Χρησιμοποιήστε έναν διαχειριστή πρόσθετων για να διαχειριστείτε bots, μικροεφαρμογές και πακέτα αυτοκόλλητων.", + "manage_title": "Διαχείριση πρόσθετων", + "explainer": "Οι διαχειριστές πρόσθετων λαμβάνουν δεδομένα διαμόρφωσης και μπορούν να τροποποιούν μικροεφαρμογές, να στέλνουν προσκλήσεις για δωμάτια και να ορίζουν δικαιώματα πρόσβασης για λογαριασμό σας." + }, + "identity_server": { + "url_not_https": "Η διεύθυνση URL διακομιστή ταυτότητας πρέπει να είναι HTTPS", + "error_invalid": "Μη έγκυρος διακομιστής ταυτότητας(κωδικός κατάστασης %(code)s)", + "error_connection": "Δεν ήταν δυνατή η σύνδεση με τον διακομιστή ταυτότητας", + "checking": "Έλεγχος διακομιστή", + "change": "Αλλαγή διακομιστή ταυτότητας", + "change_prompt": "Αποσύνδεση από τον διακομιστή ταυτότητας και σύνδεση στο ;", + "error_invalid_or_terms": "Οι όροι χρήσης δεν γίνονται αποδεκτοί ή ο διακομιστής ταυτότητας δεν είναι έγκυρος.", + "no_terms": "Ο διακομιστής ταυτότητας που επιλέξατε δεν έχει όρους χρήσης.", + "disconnect": "Αποσύνδεση διακομιστή ταυτότητας", + "disconnect_server": "Αποσύνδεση από τον διακομιστή ταυτότητας ;", + "disconnect_offline_warning": "Θα πρέπει να καταργήσετε τα προσωπικά σας δεδομένα από τον διακομιστή ταυτότητας πρίν αποσυνδεθείτε. Δυστυχώς, ο διακομιστής ταυτότητας αυτή τη στιγμή είναι εκτός σύνδεσης ή δεν είναι δυνατή η πρόσβαση.", + "suggestions": "Θα πρέπει:", + "suggestions_1": "ελέγξτε τις προσθήκες του προγράμματος περιήγησής σας που θα μπορούσε να αποκλείσει τον διακομιστή ταυτότητας (όπως το Privacy Badger)", + "suggestions_2": "επικοινωνήστε με τους διαχειριστές του διακομιστή ταυτότητας ", + "suggestions_3": "περιμένετε και δοκιμάστε ξανά αργότερα", + "disconnect_anyway": "Αποσυνδεθείτε ούτως ή άλλως", + "disconnect_personal_data_warning_1": "Εξακολουθείτε να μοιράζεστε τα προσωπικά σας δεδομένα στον διακομιστή ταυτότητας .", + "disconnect_personal_data_warning_2": "Συνιστούμε να αφαιρέσετε τις διευθύνσεις του ηλεκτρονικού σας ταχυδρομείου και τους αριθμούς τηλεφώνου σας από τον διακομιστή ταυτότητας πριν αποσυνδεθείτε.", + "url": "Διακομιστής ταυτότητας (%(server)s)", + "description_connected": "Αυτήν τη στιγμή χρησιμοποιείτε το για να ανακαλύψετε και να είστε ανιχνεύσιμοι από τις υπάρχουσες επαφές που γνωρίζετε. Μπορείτε να αλλάξετε τον διακομιστή ταυτότητάς σας παρακάτω.", + "change_server_prompt": "Εάν δε θέλετε να χρησιμοποιήσετε το για να ανακαλύψετε και να είστε ανιχνεύσιμοι από τις υπάρχουσες επαφές που γνωρίζετε, εισαγάγετε έναν άλλο διακομιστή ταυτότητας παρακάτω.", + "description_disconnected": "Αυτήν τη στιγμή δεν χρησιμοποιείτε διακομιστή ταυτότητας. Για να ανακαλύψετε και να είστε ανιχνεύσιμοι από υπάρχουσες επαφές που γνωρίζετε, προσθέστε μία παρακάτω.", + "disconnect_warning": "Η αποσύνδεση από τον διακομιστή ταυτότητάς σας θα σημαίνει ότι δεν θα μπορείτε να εντοπίσετε άλλους χρήστες και δεν θα μπορείτε να προσκαλέσετε άλλους μέσω email ή τηλεφώνου.", + "description_optional": "Η χρήση διακομιστή ταυτότητας είναι προαιρετική. Εάν επιλέξετε να μην χρησιμοποιήσετε διακομιστή ταυτότητας, δεν θα μπορείτε να εντοπίσετε άλλους χρήστες και δεν θα μπορείτε να προσκαλέσετε άλλους μέσω email ή τηλεφώνου.", + "do_not_use": "Μην χρησιμοποιείτε διακομιστή ταυτότητας", + "url_field_label": "Εισαγάγετε έναν νέο διακομιστή ταυτότητας" + }, + "member_list": { + "invited_list_heading": "Προσκλήθηκε", + "filter_placeholder": "Φιλτράρισμα μελών", + "power_label": "%(userName)s (δύναμη %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/en_EN.json b/src/i18n/strings/en_EN.json index a4b02b3f70..f65d3cea47 100644 --- a/src/i18n/strings/en_EN.json +++ b/src/i18n/strings/en_EN.json @@ -17,10 +17,48 @@ "name_placeholder": "No display name", "error_saving_profile_title": "Failed to save your profile", "error_saving_profile": "The operation could not be completed", + "error_password_change_unknown": "Unknown password change error (%(stringifiedError)s)", + "error_password_change_403": "Failed to change password. Is your password correct?", + "error_password_change_http": "%(errorMessage)s (HTTP status %(httpStatus)s)", + "error_password_change_title": "Error changing password", + "password_change_success": "Your password was successfully changed.", + "emails_heading": "Email addresses", + "msisdns_heading": "Phone numbers", + "password_change_section": "Set a new account password…", + "external_account_management": "Your account details are managed separately at %(hostname)s.", "oidc_manage_button": "Manage account", "account_section": "Account", "language_section": "Language and region", - "spell_check_section": "Spell check" + "spell_check_section": "Spell check", + "discovery_needs_terms": "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.", + "deactivate_section": "Deactivate Account", + "account_management_section": "Account management", + "deactivate_warning": "Deactivating your account is a permanent action — be careful!", + "discovery_section": "Discovery", + "error_revoke_email_discovery": "Unable to revoke sharing for email address", + "error_share_email_discovery": "Unable to share email address", + "email_not_verified": "Your email address hasn't been verified yet", + "email_verification_instructions": "Click the link in the email you received to verify and then click continue again.", + "error_email_verification": "Unable to verify email address.", + "discovery_email_verification_instructions": "Verify the link in your inbox", + "discovery_email_empty": "Discovery options will appear once you have added an email above.", + "error_revoke_msisdn_discovery": "Unable to revoke sharing for phone number", + "error_share_msisdn_discovery": "Unable to share phone number", + "error_msisdn_verification": "Unable to verify phone number.", + "incorrect_msisdn_verification": "Incorrect verification code", + "msisdn_verification_instructions": "Please enter verification code sent via text.", + "msisdn_verification_field_label": "Verification code", + "discovery_msisdn_empty": "Discovery options will appear once you have added a phone number above.", + "error_remove_3pid": "Unable to remove contact information", + "remove_email_prompt": "Remove %(email)s?", + "error_invalid_email": "Invalid Email Address", + "error_invalid_email_detail": "This doesn't appear to be a valid email address", + "error_add_email": "Unable to add email address", + "add_email_instructions": "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.", + "email_address_label": "Email Address", + "remove_msisdn_prompt": "Remove %(phone)s?", + "add_msisdn_instructions": "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.", + "msisdn_label": "Phone Number" }, "notifications": { "error_permissions_denied": "%(brand)s does not have permission to send you notifications - please check your browser settings", @@ -50,7 +88,32 @@ "noisy": "Noisy", "error_updating": "An error occurred when updating your notification preferences. Please try to toggle your option again.", "push_targets": "Notification targets", - "error_loading": "There was an error loading your notification settings." + "error_loading": "There was an error loading your notification settings.", + "email_section": "Email summary", + "email_description": "Receive an email summary of missed notifications", + "email_select": "Select which emails you want to send summaries to. Manage your emails in .", + "people_mentions_keywords": "People, Mentions and Keywords", + "mentions_keywords_only": "Mentions and Keywords only", + "labs_notice_prompt": "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", + "desktop_notification_message_preview": "Show message preview in desktop notification", + "default_setting_section": "I want to be notified for (Default Setting)", + "default_setting_description": "This setting will be applied by default to all your rooms.", + "play_sound_for_section": "Play a sound for", + "play_sound_for_description": "Applied by default to all rooms on all devices.", + "mentions_keywords": "Mentions and Keywords", + "voip": "Audio and Video calls", + "other_section": "Other things we think you might be interested in:", + "invites": "Invited to a room", + "room_activity": "New room activity, upgrades and status messages occur", + "notices": "Messages sent by bots", + "keywords": "Show a badge when keywords are used in a room.", + "notify_at_room": "Notify when someone mentions using @room", + "notify_mention": "Notify when someone mentions using @displayname or %(mxid)s", + "notify_keyword": "Notify when someone uses a keyword", + "keywords_prompt": "Enter keywords here, or use for spelling variations or nicknames", + "quick_actions_section": "Quick Actions", + "quick_actions_mark_all_read": "Mark all messages as read", + "quick_actions_reset": "Reset to default settings" }, "disable_historical_profile": "Show current profile picture and name for users in message history", "send_read_receipts": "Send read receipts", @@ -136,6 +199,18 @@ "echo_cancellation": "Echo cancellation", "noise_suppression": "Noise suppression", "enable_fallback_ice_server_description": "Only applies if your homeserver does not offer one. Your IP address would be shared during a call.", + "missing_permissions_prompt": "Missing media permissions, click the button below to request.", + "request_permissions": "Request media permissions", + "audio_output": "Audio Output", + "audio_output_empty": "No Audio Outputs detected", + "audio_input_empty": "No Microphones detected", + "video_input_empty": "No Webcams detected", + "title": "Voice & Video", + "voice_section": "Voice settings", + "voice_agc": "Automatically adjust the microphone volume", + "video_section": "Video settings", + "voice_processing": "Voice processing", + "connection_section": "Connection", "enable_fallback_ice_server": "Allow fallback call assist server (%(server)s)" }, "show_nsfw_content": "Show NSFW content", @@ -188,6 +263,7 @@ "key_backup_latest_version": "Latest backup version on server:", "key_backup_algorithm": "Algorithm:", "key_backup_active_version": "Active backup version:", + "key_backup_active_version_none": "None", "key_backup_inactive_warning": "Your keys are not being backed up from this session.", "backup_key_well_formed": "well formed", "backup_key_unexpected_type": "unexpected type", @@ -200,10 +276,14 @@ "secret_storage_status": "Secret storage:", "secret_storage_ready": "ready", "secret_storage_not_ready": "not ready", + "ignore_users_empty": "You have no ignored users.", + "ignore_users_section": "Ignored users", "bulk_options_section": "Bulk options", "bulk_options_accept_all_invites": "Accept all %(invitedRooms)s invites", "bulk_options_reject_all_invites": "Reject all %(invitedRooms)s invites", "message_search_section": "Message search", + "e2ee_default_disabled_warning": "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.", + "analytics_description": "Share anonymous data to help us identify issues. Nothing personal. No third parties.", "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", @@ -228,6 +308,7 @@ "metaspaces_home_all_rooms": "Show all rooms", "title": "Sidebar", "metaspaces_subsection": "Spaces to show", + "spaces_explainer": "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.", "metaspaces_home_description": "Home is useful for getting an overview of everything.", "metaspaces_home_all_rooms_description": "Show all your rooms in Home, even if they're in a space.", "metaspaces_favourites_description": "Group all your favourite rooms and people in one place.", @@ -244,6 +325,7 @@ "other": "Are you sure you want to sign out of %(count)s sessions?", "one": "Are you sure you want to sign out of %(count)s session?" }, + "best_security_note": "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.", "sign_out_all_other_sessions": "Sign out of all other sessions (%(otherSessionsCount)s)", "current_session": "Current session", "confirm_sign_out_sso": { @@ -262,6 +344,7 @@ "other": "Sign out devices", "one": "Sign out device" }, + "error_set_name": "Failed to set session name", "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", @@ -330,7 +413,60 @@ }, "other_sessions_heading": "Other sessions", "security_recommendations": "Security recommendations", - "security_recommendations_description": "Improve your account security by following these recommendations." + "security_recommendations_description": "Improve your account security by following these recommendations.", + "error_pusher_state": "Failed to set pusher state" + }, + "key_backup": { + "backup_in_progress": "Your keys are being backed up (the first backup could take a few minutes).", + "backup_starting": "Starting backup…", + "backup_success": "Success!", + "create_title": "Create key backup", + "cannot_create_backup": "Unable to create key backup", + "setup_secure_backup": { + "generate_security_key_title": "Generate a Security Key", + "generate_security_key_description": "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.", + "enter_phrase_title": "Enter a Security Phrase", + "use_phrase_only_you_know": "Use a secret phrase only you know, and optionally save a Security Key to use for backup.", + "description": "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.", + "requires_password_confirmation": "Enter your account password to confirm the upgrade:", + "requires_key_restore": "Restore your key backup to upgrade your encryption", + "requires_server_authentication": "You'll need to authenticate with the server to confirm the upgrade.", + "session_upgrade_description": "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.", + "enter_phrase_description": "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.", + "phrase_strong_enough": "Great! This Security Phrase looks strong enough.", + "pass_phrase_match_success": "That matches!", + "use_different_passphrase": "Use a different passphrase?", + "pass_phrase_match_failed": "That doesn't match.", + "set_phrase_again": "Go back to set it again.", + "enter_phrase_to_confirm": "Enter your Security Phrase a second time to confirm it.", + "confirm_security_phrase": "Confirm your Security Phrase", + "security_key_safety_reminder": "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.", + "download_or_copy": "%(downloadButton)s or %(copyButton)s", + "backup_setup_success_description": "Your keys are now being backed up from this device.", + "secret_storage_query_failure": "Unable to query secret storage status", + "cancel_warning": "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.", + "settings_reminder": "You can also set up Secure Backup & manage your keys in Settings.", + "title_upgrade_encryption": "Upgrade your encryption", + "title_set_phrase": "Set a Security Phrase", + "title_confirm_phrase": "Confirm Security Phrase", + "title_save_key": "Save your Security Key", + "backup_setup_success_title": "Secure Backup successful", + "unable_to_setup": "Unable to set up secret storage" + } + }, + "key_export_import": { + "export_title": "Export room keys", + "export_description_1": "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.", + "export_description_2": "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.", + "enter_passphrase": "Enter passphrase", + "phrase_strong_enough": "Great! This passphrase looks strong enough", + "confirm_passphrase": "Confirm passphrase", + "phrase_cannot_be_empty": "Passphrase must not be empty", + "phrase_must_match": "Passphrases must match", + "import_title": "Import room keys", + "import_description_1": "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.", + "import_description_2": "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.", + "file_to_import": "File to import" } }, "auth": { @@ -451,6 +587,7 @@ "registration_successful": "Registration Successful", "server_picker_title_registration": "Host account on", "server_picker_dialog_title": "Decide where your account is hosted", + "failed_soft_logout_homeserver": "Failed to re-authenticate due to a homeserver problem", "incorrect_password": "Incorrect password", "failed_soft_logout_auth": "Failed to re-authenticate", "forgot_password_prompt": "Forgotten your password?", @@ -458,11 +595,14 @@ "soft_logout_intro_sso": "Sign in and regain access to your account.", "soft_logout_intro_unsupported_auth": "You cannot sign in to your account. Please contact your homeserver admin for more information.", "soft_logout_heading": "You're signed out", + "soft_logout_subheading": "Clear personal data", + "soft_logout_warning": "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.", "check_email_explainer": "Follow the instructions sent to %(email)s", "check_email_wrong_email_prompt": "Wrong email address?", "check_email_wrong_email_button": "Re-enter email address", "check_email_resend_prompt": "Did not receive it?", "check_email_resend_tooltip": "Verification link email resent!", + "forgot_password_send_email": "Send email", "enter_email_heading": "Enter your email to reset password", "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.", @@ -522,6 +662,7 @@ "add": "Add", "unsubscribe": "Unsubscribe", "subscribe": "Subscribe", + "unignore": "Unignore", "sign_out": "Sign out", "deny": "Deny", "approve": "Approve", @@ -539,7 +680,15 @@ "unpin": "Unpin", "view": "View", "view_message": "View message", + "start_new_chat": "Start new chat", + "invite_to_space": "Invite to space", + "add_people": "Add people", "start_chat": "Start chat", + "explore_rooms": "Explore rooms", + "new_room": "New room", + "new_video_room": "New video room", + "add_existing_room": "Add existing room", + "explore_public_rooms": "Explore public rooms", "invites_list": "Invites", "reject": "Reject", "leave": "Leave", @@ -636,6 +785,7 @@ "microphone": "Microphone", "camera": "Camera", "encrypted": "Encrypted", + "authentication": "Authentication", "application": "Application", "version": "Version", "device": "Device", @@ -646,7 +796,15 @@ "select_all": "Select all", "emoji": "Emoji", "sticker": "Sticker", + "public_room": "Public room", + "video_room": "Video room", + "public_space": "Public space", + "private_space": "Private space", + "private_room": "Private room", + "rooms": "Rooms", + "low_priority": "Low priority", "system_alerts": "System Alerts", + "historical": "Historical", "loading": "Loading…", "appearance": "Appearance", "stickerpack": "Stickerpack", @@ -684,6 +842,8 @@ "support": "Support", "room_name": "Room name", "thread": "Thread", + "go_to_settings": "Go to Settings", + "setup_secure_messages": "Set up Secure Messages", "accessibility": "Accessibility" }, "failed_load_async_component": "Unable to load! Check your network connectivity and try again.", @@ -1050,7 +1210,19 @@ "sas_prompt": "Compare unique emoji", "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:" + "qr_or_sas_header": "Verify this device by completing one of the following:", + "no_key_or_device": "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.", + "reset_proceed_prompt": "Proceed with reset", + "verify_using_key_or_phrase": "Verify with Security Key or Phrase", + "verify_using_key": "Verify with Security Key", + "verify_using_device": "Verify with another device", + "verification_description": "Verify your identity to access encrypted messages and prove your identity to others.", + "verification_success_with_backup": "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.", + "verification_success_without_backup": "Your new device is now verified. Other users will see it as trusted.", + "verification_skip_warning": "Without verifying, you won't have access to all your messages and may appear as untrusted to others.", + "verify_later": "I'll verify later", + "verify_reset_warning_1": "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.", + "verify_reset_warning_2": "Please only proceed if you're sure you've lost all of your other devices and your Security Key." }, "set_up_toast_title": "Set up Secure Backup", "upgrade_toast_title": "Encryption upgrade available", @@ -1065,7 +1237,19 @@ "not_supported": "", "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" + "verification_requested_toast_title": "Verification requested", + "new_recovery_method_detected": { + "title": "New Recovery Method", + "description_1": "A new Security Phrase and key for Secure Messages have been detected.", + "warning": "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.", + "description_2": "This session is encrypting history using the new recovery method." + }, + "recovery_method_removed": { + "title": "Recovery Method Removed", + "description_1": "This session has detected that your Security Phrase and key for Secure Messages have been removed.", + "description_2": "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.", + "warning": "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." + } }, "slash_command": { "spoiler": "Sends the given message as a spoiler", @@ -1318,6 +1502,18 @@ "no_permission_messages_before_join": "You don't have permission to view messages from before you joined.", "encrypted_historical_messages_unavailable": "Encrypted messages before this point are unavailable.", "historical_messages_unavailable": "You can't see earlier messages", + "url_preview": { + "show_n_more": { + "other": "Show %(count)s other previews", + "one": "Show %(count)s other preview" + }, + "close": "Close preview" + }, + "read_receipt_title": { + "other": "Seen by %(count)s people", + "one": "Seen by %(count)s person" + }, + "read_receipts_label": "Read receipts", "reactions": { "label": "%(reactors)s reacted with %(content)s", "tooltip": "reacted with %(shortName)s" @@ -1588,6 +1784,31 @@ "error_join_title": "Failed to join", "error_join_403": "You need an invite to access this room.", "error_cancel_knock_title": "Failed to cancel", + "header": { + "video_call_button_jitsi": "Video call (Jitsi)", + "video_call_button_ec": "Video call (%(brand)s)", + "video_call_ec_layout_freedom": "Freedom", + "video_call_ec_layout_spotlight": "Spotlight", + "video_call_ec_change_layout": "Change layout", + "forget_room_button": "Forget room", + "hide_widgets_button": "Hide Widgets", + "show_widgets_button": "Show Widgets", + "close_call_button": "Close call", + "video_room_view_chat_button": "View chat timeline" + }, + "context_menu": { + "title": "Room options", + "forget": "Forget Room", + "unfavourite": "Favourited", + "favourite": "Favourite", + "mentions_only": "Mentions only", + "copy_link": "Copy room link", + "low_priority": "Low Priority", + "mark_read": "Mark as read", + "notifications_default": "Match default setting", + "notifications_mute": "Mute room" + }, + "invite_this_room": "Invite to this 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", @@ -1605,19 +1826,69 @@ "enable_encryption_prompt": "Enable encryption in settings.", "unencrypted_warning": "End-to-end encryption isn't enabled" }, + "header_untrusted_label": "Untrusted", + "error_3pid_invite_email_lookup": "Unable to find user by email", + "joining_space": "Joining space…", + "joining_room": "Joining room…", + "joining": "Joining…", + "rejecting": "Rejecting invite…", + "join_title": "Join the room to participate", + "join_title_account": "Join the conversation with an account", + "join_button_account": "Sign Up", + "loading_preview": "Loading preview", + "kicked_from_room_by": "You were removed from %(roomName)s by %(memberName)s", + "kicked_by": "You were removed by %(memberName)s", + "kick_reason": "Reason: %(reason)s", + "forget_space": "Forget this space", + "forget_room": "Forget this room", + "rejoin_button": "Re-join", + "knock_denied_title": "You have been denied access", + "knock_denied_subtitle": "As you have been denied access, you cannot rejoin unless you are invited by the admin or moderator of the group.", + "banned_from_room_by": "You were banned from %(roomName)s by %(memberName)s", + "banned_by": "You were banned by %(memberName)s", + "3pid_invite_error_title_room": "Something went wrong with your invite to %(roomName)s", + "3pid_invite_error_title": "Something went wrong with your invite.", + "3pid_invite_error_description": "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.", + "3pid_invite_error_invite_subtitle": "You can only join it with a working invite.", + "3pid_invite_error_invite_action": "Try to join anyway", + "3pid_invite_error_public_subtitle": "You can still join here.", + "join_the_discussion": "Join the discussion", + "3pid_invite_email_not_found_account_room": "This invite to %(roomName)s was sent to %(email)s which is not associated with your account", + "3pid_invite_email_not_found_account": "This invite was sent to %(email)s which is not associated with your account", + "link_email_to_receive_3pid_invite": "Link this email with your account in Settings to receive invites directly in %(brand)s.", + "invite_sent_to_email_room": "This invite to %(roomName)s was sent to %(email)s", + "invite_sent_to_email": "This invite was sent to %(email)s", + "3pid_invite_no_is_subtitle": "Use an identity server in Settings to receive invites directly in %(brand)s.", + "invite_email_mismatch_suggestion": "Share this email in Settings to receive invites directly in %(brand)s.", + "dm_invite_title": "Do you want to chat with %(user)s?", + "dm_invite_subtitle": " wants to chat", + "dm_invite_action": "Start chatting", + "invite_title": "Do you want to join %(roomName)s?", + "invite_subtitle": " invited you", + "invite_reject_ignore": "Reject & Ignore user", + "peek_join_prompt": "You're previewing %(roomName)s. Want to join it?", + "no_peek_join_prompt": "%(roomName)s can't be previewed. Do you want to join it?", + "no_peek_no_name_join_prompt": "There's no preview, would you like to join?", + "not_found_title_name": "%(roomName)s does not exist.", + "not_found_title": "This room or space does not exist.", + "not_found_subtitle": "Are you sure you're at the right place?", + "inaccessible_name": "%(roomName)s is not accessible at this time.", + "inaccessible": "This room or space is not accessible at this time.", + "inaccessible_subtitle_1": "Try again later, or ask a room or space admin to check if you have access.", + "inaccessible_subtitle_2": "%(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.", + "knock_prompt_name": "Ask to join %(roomName)s?", + "knock_prompt": "Ask to join?", + "knock_subtitle": "You need to be granted access to this room in order to view or participate in the conversation. You can send a request to join below.", + "knock_message_field_placeholder": "Message (optional)", + "knock_send_action": "Request access", + "knock_sent": "Request to join sent", + "knock_sent_subtitle": "Your request to join is pending.", + "knock_cancel_action": "Cancel request", + "join_failed_needs_invite": "To view %(roomName)s, you need an invite", + "view_failed_enable_video_rooms": "To view, please enable video rooms in Labs first", + "join_failed_enable_video_rooms": "To join, please enable video rooms in Labs first", "edit_topic": "Edit topic", "read_topic": "Click to read topic", - "context_menu": { - "forget": "Forget Room", - "unfavourite": "Favourited", - "favourite": "Favourite", - "mentions_only": "Mentions only", - "copy_link": "Copy room link", - "low_priority": "Low Priority", - "mark_read": "Mark as read", - "notifications_default": "Match default setting", - "notifications_mute": "Mute room" - }, "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.", @@ -1673,6 +1944,7 @@ "manage_and_explore": "Manage & explore rooms", "explore": "Explore rooms" }, + "invite_this_space": "Invite to this space", "suggested_tooltip": "This room is suggested as a good one to join", "suggested": "Suggested", "select_room_below": "Select a room below first", @@ -1794,7 +2066,15 @@ "keyword": "Keyword", "keyword_new": "New keyword", "class_global": "Global", - "mentions_keywords": "Mentions & keywords" + "mentions_keywords": "Mentions & keywords", + "default": "Default", + "all_messages": "All messages", + "all_messages_description": "Get notified for every message", + "mentions_and_keywords": "@mentions & keywords", + "mentions_and_keywords_description": "Get notified only with mentions and keywords as set up in your settings", + "mute_description": "You won't get any notifications", + "email_pusher_app_display_name": "Email Notifications", + "message_didnt_send": "Message didn't send. Click for info." }, "mobile_guide": { "toast_title": "Use app for a better experience", @@ -1948,6 +2228,8 @@ "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.", + "error_join_rule_change_title": "Failed to update the join rules", + "error_join_rule_change_unknown": "Unknown failure", "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.", @@ -1969,6 +2251,8 @@ "description_space": "Edit settings relating to your space.", "save": "Save Changes", "leave_space": "Leave Space", + "aliases_section": "Room Addresses", + "other_section": "Other", "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.", @@ -1984,6 +2268,7 @@ "guest_access_label": "Enable guest access", "guest_access_explainer": "Guests can join a space without having an account.", "guest_access_explainer_public_space": "This may be useful for public spaces.", + "alias_section": "Address", "title": "Visibility", "error_failed_save": "Failed to update the visibility of this space", "history_visibility_anyone_space": "Preview Space", @@ -1998,6 +2283,13 @@ "add_privileged_user_heading": "Add privileged users", "add_privileged_user_description": "Give one or multiple users in this room more privileges", "add_privileged_user_filter_placeholder": "Search users in this room…", + "error_unbanning": "Failed to unban", + "banned_by": "Banned by %(displayName)s", + "ban_reason": "Reason", + "error_changing_pl_reqs_title": "Error changing power level requirement", + "error_changing_pl_reqs_description": "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.", + "error_changing_pl_title": "Error changing power level", + "error_changing_pl_description": "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.", "m.room.avatar_space": "Change space avatar", "m.room.avatar": "Change room avatar", "m.room.name_space": "Change space name", @@ -2044,9 +2336,37 @@ "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.", + "information_section_space": "Space information", + "information_section_room": "Room information", "room_id": "Internal room ID", "room_version_section": "Room version", "room_version": "Room version:" + }, + "bridges": { + "description": "This room is bridging messages to the following platforms. Learn more.", + "empty": "This room isn't bridging messages to any platforms. Learn more.", + "title": "Bridges" + }, + "notifications": { + "uploaded_sound": "Uploaded sound", + "settings_link": "Get notifications as set up in your settings", + "sounds_section": "Sounds", + "notification_sound": "Notification sound", + "custom_sound_prompt": "Set a new custom sound", + "upload_sound_label": "Upload custom sound", + "browse_button": "Browse" + }, + "people": { + "see_less": "See less", + "see_more": "See more", + "knock_section": "Asking to join", + "knock_empty": "No requests" + }, + "voip": { + "enable_element_call_label": "Enable %(brand)s as an additional calling option in this room", + "enable_element_call_caption": "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.", + "enable_element_call_no_permissions_tooltip": "You do not have sufficient permissions to change this.", + "call_type_section": "Call type" } }, "devtools": { @@ -2180,6 +2500,7 @@ "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_empty": "None", "rules_title": "Ban list rules - %(roomName)s", "rules_server": "Server rules", "rules_user": "User rules", @@ -2201,7 +2522,6 @@ "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" }, - "Unnamed room": "Unnamed room", "onboarding": { "you_made_it": "You made it!", "find_friends": "Find and invite your friends", @@ -2313,10 +2633,10 @@ "setup_rooms_private_heading": "What projects are your team working on?", "setup_rooms_private_description": "We'll create rooms for each of them." }, - "Address": "Address", "a11y_jump_first_unread_room": "Jump to first unread room.", "a11y": { "jump_first_invite": "Jump to first invite.", + "room_name": "Room %(name)s", "n_unread_messages_mentions": { "other": "%(count)s unread messages including mentions.", "one": "1 unread mention." @@ -2331,56 +2651,42 @@ "integration_manager": { "connecting": "Connecting to integration manager…", "error_connecting_heading": "Cannot connect to integration manager", - "error_connecting": "The integration manager is offline or it cannot reach your homeserver." + "error_connecting": "The integration manager is offline or it cannot reach your homeserver.", + "use_im_default": "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.", + "use_im": "Use an integration manager to manage bots, widgets, and sticker packs.", + "manage_title": "Manage integrations", + "explainer": "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf." }, - "None": "None", "Back up your keys before signing out to avoid losing them.": "Back up your keys before signing out to avoid losing them.", "Set up": "Set up", - "Identity server URL must be HTTPS": "Identity server URL must be HTTPS", - "Not a valid identity server (status code %(code)s)": "Not a valid identity server (status code %(code)s)", - "Could not connect to identity server": "Could not connect to identity server", - "Checking server": "Checking server", - "Change identity server": "Change identity server", - "Disconnect from the identity server and connect to instead?": "Disconnect from the identity server and connect to instead?", - "Terms of service not accepted or the identity server is invalid.": "Terms of service not accepted or the identity server is invalid.", - "The identity server you have chosen does not have any terms of service.": "The identity server you have chosen does not have any terms of service.", - "Disconnect identity server": "Disconnect identity server", - "Disconnect from the identity server ?": "Disconnect from the identity server ?", - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.", - "You should:": "You should:", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "check your browser plugins for anything that might block the identity server (such as Privacy Badger)", - "contact the administrators of identity server ": "contact the administrators of identity server ", - "wait and try again later": "wait and try again later", - "Disconnect anyway": "Disconnect anyway", - "You are still sharing your personal data on the identity server .": "You are still sharing your personal data on the identity server .", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.", - "Identity server (%(server)s)": "Identity server (%(server)s)", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.", - "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.": "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.", - "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.": "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": "Do not use an identity server", - "Enter a new identity server": "Enter a new identity server", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.", - "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.", - "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)", - "Error changing password": "Error changing password", - "Your password was successfully changed.": "Your password was successfully changed.", - "Email addresses": "Email addresses", - "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.", - "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", - "Deactivating your account is a permanent action — be careful!": "Deactivating your account is a permanent action — be careful!", - "Deactivate Account": "Deactivate Account", - "Discovery": "Discovery", + "identity_server": { + "url_not_https": "Identity server URL must be HTTPS", + "error_invalid": "Not a valid identity server (status code %(code)s)", + "error_connection": "Could not connect to identity server", + "checking": "Checking server", + "change": "Change identity server", + "change_prompt": "Disconnect from the identity server and connect to instead?", + "error_invalid_or_terms": "Terms of service not accepted or the identity server is invalid.", + "no_terms": "The identity server you have chosen does not have any terms of service.", + "disconnect": "Disconnect identity server", + "disconnect_server": "Disconnect from the identity server ?", + "disconnect_offline_warning": "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.", + "suggestions": "You should:", + "suggestions_1": "check your browser plugins for anything that might block the identity server (such as Privacy Badger)", + "suggestions_2": "contact the administrators of identity server ", + "suggestions_3": "wait and try again later", + "disconnect_anyway": "Disconnect anyway", + "disconnect_personal_data_warning_1": "You are still sharing your personal data on the identity server .", + "disconnect_personal_data_warning_2": "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.", + "url": "Identity server (%(server)s)", + "description_connected": "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.", + "change_server_prompt": "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.", + "description_disconnected": "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.", + "disconnect_warning": "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.", + "description_optional": "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": "Do not use an identity server", + "url_field_label": "Enter a new identity server" + }, "setting": { "help_about": { "brand_version": "%(brand)s version:", @@ -2401,115 +2707,6 @@ "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." }, - "Unignore": "Unignore", - "You have no ignored users.": "You have no ignored users.", - "Ignored users": "Ignored users", - "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.", - "Share anonymous data to help us identify issues. Nothing personal. No third parties.": "Share anonymous data to help us identify issues. Nothing personal. No third parties.", - "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.": "For best security, verify your sessions and sign out from any session that you don't recognize or use anymore.", - "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.": "Spaces are ways to group rooms and people. Alongside the spaces you're in, you can use some pre-built ones too.", - "Missing media permissions, click the button below to request.": "Missing media permissions, click the button below to request.", - "Request media permissions": "Request media permissions", - "Audio Output": "Audio Output", - "No Audio Outputs detected": "No Audio Outputs detected", - "No Microphones detected": "No Microphones detected", - "No Webcams detected": "No Webcams detected", - "Voice & Video": "Voice & Video", - "Voice settings": "Voice settings", - "Automatically adjust the microphone volume": "Automatically adjust the microphone volume", - "Video settings": "Video settings", - "Voice processing": "Voice processing", - "Connection": "Connection", - "Space information": "Space information", - "Room information": "Room information", - "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", - "Room Addresses": "Room Addresses", - "Other": "Other", - "Uploaded sound": "Uploaded sound", - "Default": "Default", - "Get notifications as set up in your settings": "Get notifications as set up in your settings", - "All messages": "All messages", - "Get notified for every message": "Get notified for every message", - "@mentions & keywords": "@mentions & keywords", - "Get notified only with mentions and keywords as set up in your settings": "Get notified only with mentions and keywords as set up in your settings", - "You won't get any notifications": "You won't get any notifications", - "Sounds": "Sounds", - "Notification sound": "Notification sound", - "Set a new custom sound": "Set a new custom sound", - "Upload custom sound": "Upload custom sound", - "Browse": "Browse", - "See less": "See less", - "See more": "See more", - "Asking to join": "Asking to join", - "No requests": "No requests", - "Failed to unban": "Failed to unban", - "Banned by %(displayName)s": "Banned by %(displayName)s", - "Reason": "Reason", - "Error changing power level requirement": "Error changing power level requirement", - "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.", - "Failed to update the join rules": "Failed to update the join rules", - "Unknown failure": "Unknown failure", - "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.", - "Call type": "Call type", - "Email Notifications": "Email Notifications", - "Email summary": "Email summary", - "Receive an email summary of missed notifications": "Receive an email summary of missed notifications", - "Select which emails you want to send summaries to. Manage your emails in .": "Select which emails you want to send summaries to. Manage your emails in .", - "People, Mentions and Keywords": "People, Mentions and Keywords", - "Mentions and Keywords only": "Mentions and Keywords only", - "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": "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", - "Show message preview in desktop notification": "Show message preview in desktop notification", - "I want to be notified for (Default Setting)": "I want to be notified for (Default Setting)", - "This setting will be applied by default to all your rooms.": "This setting will be applied by default to all your rooms.", - "Play a sound for": "Play a sound for", - "Applied by default to all rooms on all devices.": "Applied by default to all rooms on all devices.", - "Mentions and Keywords": "Mentions and Keywords", - "Audio and Video calls": "Audio and Video calls", - "Other things we think you might be interested in:": "Other things we think you might be interested in:", - "Invited to a room": "Invited to a room", - "New room activity, upgrades and status messages occur": "New room activity, upgrades and status messages occur", - "Messages sent by bots": "Messages sent by bots", - "Show a badge when keywords are used in a room.": "Show a badge when keywords are used in a room.", - "Notify when someone mentions using @room": "Notify when someone mentions using @room", - "Notify when someone mentions using @displayname or %(mxid)s": "Notify when someone mentions using @displayname or %(mxid)s", - "Notify when someone uses a keyword": "Notify when someone uses a keyword", - "Enter keywords here, or use for spelling variations or nicknames": "Enter keywords here, or use for spelling variations or nicknames", - "Quick Actions": "Quick Actions", - "Mark all messages as read": "Mark all messages as read", - "Reset to default settings": "Reset to default settings", - "Unable to revoke sharing for email address": "Unable to revoke sharing for email address", - "Unable to share email address": "Unable to share email address", - "Your email address hasn't been verified yet": "Your email address hasn't been verified yet", - "Click the link in the email you received to verify and then click continue again.": "Click the link in the email you received to verify and then click continue again.", - "Unable to verify email address.": "Unable to verify email address.", - "Verify the link in your inbox": "Verify the link in your inbox", - "Discovery options will appear once you have added an email above.": "Discovery options will appear once you have added an email above.", - "Unable to revoke sharing for phone number": "Unable to revoke sharing for phone number", - "Unable to share phone number": "Unable to share phone number", - "Unable to verify phone number.": "Unable to verify phone number.", - "Incorrect verification code": "Incorrect verification code", - "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.", - "Authentication": "Authentication", - "Failed to set display name": "Failed to set display name", - "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?", - "Invalid Email Address": "Invalid Email Address", - "This doesn't appear to be a valid email address": "This doesn't appear to be a valid email address", - "Unable to add email address": "Unable to add email address", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.", - "Email Address": "Email Address", - "Remove %(phone)s?": "Remove %(phone)s?", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.", - "Phone Number": "Phone Number", "This user has not verified all of their sessions.": "This user has not verified all of their sessions.", "You have not verified this user.": "You have not verified this user.", "You have verified this user. This user has verified all of their sessions.": "You have verified this user. This user has verified all of their sessions.", @@ -2532,26 +2729,10 @@ "Your message was sent": "Your message was sent", "Failed to send": "Failed to send", "Scroll to most recent messages": "Scroll to most recent messages", - "Video call (Jitsi)": "Video call (Jitsi)", - "Video call (%(brand)s)": "Video call (%(brand)s)", - "Freedom": "Freedom", - "Spotlight": "Spotlight", - "Change layout": "Change layout", - "Forget room": "Forget room", - "Hide Widgets": "Hide Widgets", - "Show Widgets": "Show Widgets", - "Close call": "Close call", - "View chat timeline": "View chat timeline", - "Room options": "Room options", "(~%(count)s results)": { "other": "(~%(count)s results)", "one": "(~%(count)s result)" }, - "Show %(count)s other previews": { - "other": "Show %(count)s other previews", - "one": "Show %(count)s other preview" - }, - "Close preview": "Close preview", "%(count)s participants": { "other": "%(count)s participants", "one": "1 participant" @@ -2560,12 +2741,12 @@ "other": "and %(count)s others...", "one": "and one other..." }, - "Invite to this room": "Invite to this room", - "Invite to this space": "Invite to this space", - "You do not have permission to invite users": "You do not have permission to invite users", - "Invited": "Invited", - "Filter room members": "Filter room members", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (power %(powerLevelNumber)s)", + "member_list": { + "invite_button_no_perms_tooltip": "You do not have permission to invite users", + "invited_list_heading": "Invited", + "filter_placeholder": "Filter room members", + "power_label": "%(userName)s (power %(powerLevelNumber)s)" + }, "composer": { "send_button_title": "Send message", "placeholder_thread_encrypted": "Reply to encrypted thread…", @@ -2574,9 +2755,24 @@ "placeholder_reply": "Send a reply…", "placeholder_encrypted": "Send an encrypted message…", "placeholder": "Send a message…", + "room_upgraded_link": "The conversation continues here.", + "room_upgraded_notice": "This room has been replaced and is no longer active.", + "no_perms_notice": "You do not have permission to post to this room", + "send_button_voice_message": "Send voice message", + "close_sticker_picker": "Hide stickers", + "voice_message_button": "Voice Message", + "poll_button_no_perms_title": "Permission Required", + "poll_button_no_perms_description": "You do not have permission to start polls in this room.", + "poll_button": "Poll", + "mode_plain": "Hide formatting", + "mode_rich_text": "Show formatting", + "formatting_toolbar_label": "Formatting", "format_bold": "Bold", + "format_italics": "Italics", "format_strikethrough": "Strikethrough", "format_code_block": "Code block", + "format_insert_link": "Insert link", + "replying_title": "Replying", "format_italic": "Italic", "format_underline": "Underline", "format_unordered_list": "Bulleted list", @@ -2598,21 +2794,6 @@ "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.", - "You do not have permission to post to this room": "You do not have permission to post to this room", - "Send voice message": "Send voice message", - "Hide stickers": "Hide stickers", - "Voice Message": "Voice Message", - "Permission Required": "Permission Required", - "You do not have permission to start polls in this room.": "You do not have permission to start polls in this room.", - "Poll": "Poll", - "Hide formatting": "Hide formatting", - "Show formatting": "Show formatting", - "Formatting": "Formatting", - "Italics": "Italics", - "Insert link": "Insert link", - "Message didn't send. Click for info.": "Message didn't send. Click for info.", "View message": "View message", "presence": { "busy": "Busy", @@ -2628,125 +2809,23 @@ }, "%(members)s and more": "%(members)s and more", "%(members)s and %(last)s": "%(members)s and %(last)s", - "Seen by %(count)s people": { - "other": "Seen by %(count)s people", - "one": "Seen by %(count)s person" - }, - "Read receipts": "Read receipts", - "Replying": "Replying", - "Room %(name)s": "Room %(name)s", - "Recently visited rooms": "Recently visited rooms", - "No recently visited rooms": "No recently visited rooms", - "Public room": "Public room", - "Untrusted": "Untrusted", - "%(count)s members": { - "other": "%(count)s members", - "one": "%(count)s member" - }, - "Video room": "Video room", - "Public space": "Public space", - "Private space": "Private space", - "Private room": "Private room", - "%(count)s people asking to join": { - "other": "%(count)s people asking to join", - "one": "Asking to join" - }, - "Start new chat": "Start new chat", - "Invite to space": "Invite to space", - "spaces": { - "error_no_permission_invite": "You do not have permissions to invite people to this space", - "error_no_permission_create_room": "You do not have permissions to create new rooms in this space", - "error_no_permission_add_room": "You do not have permissions to add rooms to this space", - "error_no_permission_add_space": "You do not have permissions to add spaces to this space" - }, - "Add people": "Add people", - "Explore rooms": "Explore rooms", - "New room": "New room", - "New video room": "New video room", - "Add existing room": "Add existing room", - "Explore public rooms": "Explore public rooms", - "Add room": "Add room", - "Saved Items": "Saved Items", - "Rooms": "Rooms", - "Low priority": "Low priority", - "Historical": "Historical", - "Suggested Rooms": "Suggested Rooms", - "Add space": "Add space", - "Join public room": "Join public room", - "Currently joining %(count)s rooms": { - "other": "Currently joining %(count)s rooms", - "one": "Currently joining %(count)s room" - }, - "Currently removing messages in %(count)s rooms": { - "other": "Currently removing messages in %(count)s rooms", - "one": "Currently removing messages in %(count)s room" - }, - "%(spaceName)s menu": "%(spaceName)s menu", - "Home options": "Home options", - "Unable to find user by email": "Unable to find user by email", - "Joining space…": "Joining space…", - "Joining room…": "Joining room…", - "Joining…": "Joining…", - "Rejecting invite…": "Rejecting invite…", - "Join the room to participate": "Join the room to participate", - "Join the conversation with an account": "Join the conversation with an account", - "Sign Up": "Sign Up", - "Loading preview": "Loading preview", - "You were removed from %(roomName)s by %(memberName)s": "You were removed from %(roomName)s by %(memberName)s", - "You were removed by %(memberName)s": "You were removed by %(memberName)s", - "Reason: %(reason)s": "Reason: %(reason)s", - "Forget this space": "Forget this space", - "Forget this room": "Forget this room", - "Re-join": "Re-join", - "You have been denied access": "You have been denied access", - "As you have been denied access, you cannot rejoin unless you are invited by the admin or moderator of the group.": "As you have been denied access, you cannot rejoin unless you are invited by the admin or moderator of the group.", - "You were banned from %(roomName)s by %(memberName)s": "You were banned from %(roomName)s by %(memberName)s", - "You were banned by %(memberName)s": "You were banned by %(memberName)s", - "Something went wrong with your invite to %(roomName)s": "Something went wrong with your invite to %(roomName)s", - "Something went wrong with your invite.": "Something went wrong with your invite.", - "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.": "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.", - "unknown error code": "unknown error code", - "You can only join it with a working invite.": "You can only join it with a working invite.", - "Try to join anyway": "Try to join anyway", - "You can still join here.": "You can still join here.", - "Join the discussion": "Join the discussion", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "This invite to %(roomName)s was sent to %(email)s which is not associated with your account", - "This invite was sent to %(email)s which is not associated with your account": "This invite was sent to %(email)s which is not associated with your account", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Link this email with your account in Settings to receive invites directly in %(brand)s.", - "This invite to %(roomName)s was sent to %(email)s": "This invite to %(roomName)s was sent to %(email)s", - "This invite was sent to %(email)s": "This invite was sent to %(email)s", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Use an identity server in Settings to receive invites directly in %(brand)s.", - "Share this email in Settings to receive invites directly in %(brand)s.": "Share this email in Settings to receive invites directly in %(brand)s.", - "Do you want to chat with %(user)s?": "Do you want to chat with %(user)s?", - " wants to chat": " wants to chat", - "Start chatting": "Start chatting", - "Do you want to join %(roomName)s?": "Do you want to join %(roomName)s?", - " invited you": " invited you", - "Reject & Ignore user": "Reject & Ignore user", - "You're previewing %(roomName)s. Want to join it?": "You're previewing %(roomName)s. Want to join it?", - "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s can't be previewed. Do you want to join it?", - "There's no preview, would you like to join?": "There's no preview, would you like to join?", - "%(roomName)s does not exist.": "%(roomName)s does not exist.", - "This room or space does not exist.": "This room or space does not exist.", - "Are you sure you're at the right place?": "Are you sure you're at the right place?", - "%(roomName)s is not accessible at this time.": "%(roomName)s is not accessible at this time.", - "This room or space is not accessible at this time.": "This room or space is not accessible at this time.", - "Try again later, or ask a room or space admin to check if you have access.": "Try again later, or ask a room or space admin to check if you have access.", - "%(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 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.", - "Ask to join %(roomName)s?": "Ask to join %(roomName)s?", - "Ask to join?": "Ask to join?", - "You need to be granted access to this room in order to view or participate in the conversation. You can send a request to join below.": "You need to be granted access to this room in order to view or participate in the conversation. You can send a request to join below.", - "Message (optional)": "Message (optional)", - "Request access": "Request access", - "Request to join sent": "Request to join sent", - "Your request to join is pending.": "Your request to join is pending.", - "Cancel request": "Cancel request", - " invites you": " invites you", - "To view %(roomName)s, you need an invite": "To view %(roomName)s, you need an invite", - "To view, please enable video rooms in Labs first": "To view, please enable video rooms in Labs first", - "To join, please enable video rooms in Labs first": "To join, please enable video rooms in Labs first", - "Show Labs settings": "Show Labs settings", "room_list": { + "breadcrumbs_label": "Recently visited rooms", + "breadcrumbs_empty": "No recently visited rooms", + "add_room_label": "Add room", + "suggested_rooms_heading": "Suggested Rooms", + "add_space_label": "Add space", + "join_public_room_label": "Join public room", + "joining_rooms_status": { + "other": "Currently joining %(count)s rooms", + "one": "Currently joining %(count)s room" + }, + "redacting_messages_status": { + "other": "Currently removing messages in %(count)s rooms", + "one": "Currently removing messages in %(count)s room" + }, + "space_menu_label": "%(spaceName)s menu", + "home_menu_label": "Home options", "sort_unread_first": "Show rooms with unread messages first", "show_previews": "Show previews of messages", "sort_by": "Sort by", @@ -2763,6 +2842,23 @@ "failed_remove_tag": "Failed to remove tag %(tagName)s from room", "failed_add_tag": "Failed to add tag %(tagName)s to room" }, + "%(count)s members": { + "other": "%(count)s members", + "one": "%(count)s member" + }, + "%(count)s people asking to join": { + "other": "%(count)s people asking to join", + "one": "Asking to join" + }, + "spaces": { + "error_no_permission_invite": "You do not have permissions to invite people to this space", + "error_no_permission_create_room": "You do not have permissions to create new rooms in this space", + "error_no_permission_add_room": "You do not have permissions to add rooms to this space", + "error_no_permission_add_space": "You do not have permissions to add spaces to this space" + }, + "unknown error code": "unknown error code", + " invites you": " invites you", + "Show Labs settings": "Show Labs settings", "Joined": "Joined", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.", "This room has already been upgraded.": "This room has already been upgraded.", @@ -2792,6 +2888,7 @@ "We were unable to access your microphone. Please check your browser settings and try again.": "We were unable to access your microphone. Please check your browser settings and try again.", "No microphone found": "No microphone found", "We didn't find a microphone on your device. Please check your settings and try again.": "We didn't find a microphone on your device. Please check your settings and try again.", + "Send voice message": "Send voice message", "Stop recording": "Stop recording", "Edit link": "Edit link", "Create a link": "Create a link", @@ -3477,6 +3574,7 @@ "This room is dedicated to illegal or toxic content or the moderators fail to moderate illegal or toxic content.\nThis will be reported to the administrators of %(homeserver)s. The administrators will NOT be able to read the encrypted content of this room.": "This room is dedicated to illegal or toxic content or the moderators fail to moderate illegal or toxic content.\nThis will be reported to the administrators of %(homeserver)s. The administrators will NOT be able to read the encrypted content of this room.", "This room is dedicated to illegal or toxic content or the moderators fail to moderate illegal or toxic content.\nThis will be reported to the administrators of %(homeserver)s.": "This room is dedicated to illegal or toxic content or the moderators fail to moderate illegal or toxic content.\nThis will be reported to the administrators of %(homeserver)s.", "Any other reason. Please describe the problem.\nThis will be reported to the room moderators.": "Any other reason. Please describe the problem.\nThis will be reported to the room moderators.", + "Other": "Other", "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.": "Reporting this message will send its unique 'event ID' to the administrator of your homeserver. If messages in this room are encrypted, your homeserver administrator will not be able to read the message text or view any files or images.", "Room Settings - %(roomName)s": "Room Settings - %(roomName)s", "Failed to upgrade room": "Failed to upgrade room", @@ -3801,77 +3899,5 @@ "Invalid base_url for m.identity_server": "Invalid base_url for m.identity_server", "Identity server URL does not appear to be a valid identity server": "Identity server URL does not appear to be a valid identity server", "General failure": "General failure", - "%(brand)s has been opened in another tab.": "%(brand)s has been opened in another tab.", - "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.": "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.", - "Proceed with reset": "Proceed with reset", - "Verify with Security Key or Phrase": "Verify with Security Key or Phrase", - "Verify with Security Key": "Verify with Security Key", - "Verify with another device": "Verify with another device", - "Verify your identity to access encrypted messages and prove your identity to others.": "Verify your identity to access encrypted messages and prove your identity to others.", - "Your new device is now verified. It has access to your encrypted messages, and 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.", - "Your new device is now verified. Other users will see it as trusted.": "Your new device is now verified. Other users will see it as trusted.", - "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Without verifying, you won't have access to all your messages and may appear as untrusted to others.", - "I'll verify later": "I'll verify later", - "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.": "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.", - "Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Please only proceed if you're sure you've lost all of your other devices and your Security Key.", - "Failed to re-authenticate due to a homeserver problem": "Failed to re-authenticate due to a homeserver problem", - "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", - "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!", - "Create key backup": "Create key backup", - "Unable to create key backup": "Unable to create key backup", - "Generate a Security Key": "Generate a Security Key", - "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.", - "Enter a Security Phrase": "Enter a Security Phrase", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Use a secret phrase only you know, and optionally save a Security Key to use for backup.", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.", - "Enter your account password to confirm the upgrade:": "Enter your account password to confirm the upgrade:", - "Restore your key backup to upgrade your encryption": "Restore your key backup to upgrade your encryption", - "You'll need to authenticate with the server to confirm the upgrade.": "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 this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.", - "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.": "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.", - "Great! This Security Phrase looks strong enough.": "Great! This Security Phrase looks strong enough.", - "That matches!": "That matches!", - "Use a different passphrase?": "Use a different passphrase?", - "That doesn't match.": "That doesn't match.", - "Go back to set it again.": "Go back to set it again.", - "Enter your Security Phrase a second time to confirm it.": "Enter your Security Phrase a second time to confirm it.", - "Confirm your Security Phrase": "Confirm your Security Phrase", - "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.", - "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s or %(copyButton)s", - "Your keys are now being backed up from this device.": "Your keys are now being backed up from this device.", - "Unable to query secret storage status": "Unable to query secret storage status", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.", - "You can also set up Secure Backup & manage your keys in Settings.": "You can also set up Secure Backup & manage your keys in Settings.", - "Upgrade your encryption": "Upgrade your encryption", - "Set a Security Phrase": "Set a Security Phrase", - "Confirm Security Phrase": "Confirm Security Phrase", - "Save your Security Key": "Save your Security Key", - "Secure Backup successful": "Secure Backup successful", - "Unable to set up secret storage": "Unable to set up secret storage", - "Export room keys": "Export room keys", - "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.", - "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.", - "Enter passphrase": "Enter passphrase", - "Great! This passphrase looks strong enough": "Great! This passphrase looks strong enough", - "Confirm passphrase": "Confirm passphrase", - "Passphrase must not be empty": "Passphrase must not be empty", - "Passphrases must match": "Passphrases must match", - "Import room keys": "Import room keys", - "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.", - "File to import": "File to import", - "New Recovery Method": "New Recovery Method", - "A new Security Phrase and key for Secure Messages have been detected.": "A new Security Phrase and key for Secure Messages have been detected.", - "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.": "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.", - "This session is encrypting history using the new recovery method.": "This session is encrypting history using the new recovery method.", - "Go to Settings": "Go to Settings", - "Set up Secure Messages": "Set up Secure Messages", - "Recovery Method Removed": "Recovery Method Removed", - "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "This session has detected that your Security Phrase and key for Secure Messages have been removed.", - "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.": "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.", - "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.": "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." + "error_app_open_in_another_tab": "%(brand)s has been opened in another tab." } diff --git a/src/i18n/strings/en_US.json b/src/i18n/strings/en_US.json index b9ce05083e..deac117d64 100644 --- a/src/i18n/strings/en_US.json +++ b/src/i18n/strings/en_US.json @@ -1,9 +1,6 @@ { "AM": "AM", "PM": "PM", - "No Microphones detected": "No Microphones detected", - "No Webcams detected": "No Webcams detected", - "Authentication": "Authentication", "%(items)s and %(lastItem)s": "%(items)s and %(lastItem)s", "and %(count)s others...": { "other": "and %(count)s others...", @@ -15,55 +12,35 @@ "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?", "Custom level": "Custom level", - "Deactivate Account": "Deactivate Account", "Decrypt %(text)s": "Decrypt %(text)s", - "Default": "Default", "Download %(text)s": "Download %(text)s", "Email address": "Email address", "Error decrypting attachment": "Error decrypting attachment", "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 forget room %(errCode)s": "Failed to forget room %(errCode)s", "Failed to load timeline position": "Failed to load timeline position", "Failed to mute user": "Failed to mute user", "Failed to reject invite": "Failed to reject invite", "Failed to reject invitation": "Failed to reject invitation", - "Failed to set display name": "Failed to set display name", - "Failed to unban": "Failed to unban", - "Filter room members": "Filter room members", - "Forget room": "Forget room", - "Historical": "Historical", - "Incorrect verification code": "Incorrect verification code", - "Invalid Email Address": "Invalid Email Address", "Invalid file%(extra)s": "Invalid file%(extra)s", - "Invited": "Invited", "Join Room": "Join Room", "Jump to first unread message.": "Jump to first unread message.", - "Unignore": "Unignore", - "Low priority": "Low priority", "Moderator": "Moderator", "New passwords must match each other.": "New passwords must match each other.", "not specified": "not specified", "No more results": "No more results", "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.", - "Reason": "Reason", "Reject invitation": "Reject invitation", "Return to login screen": "Return to login screen", - "Rooms": "Rooms", "Search failed": "Search failed", "Server may be unavailable, overloaded, or search timed out :(": "Server may be unavailable, overloaded, or search timed out :(", "Session ID": "Session ID", "This room has no local addresses": "This room has no local addresses", - "This doesn't appear to be a valid email address": "This doesn't appear to be a valid email address", "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", - "Unable to remove contact information": "Unable to remove contact information", - "Unable to verify email address.": "Unable to verify email address.", "unknown error code": "unknown error code", "Verification Pending": "Verification Pending", "Warning!": "Warning!", - "You do not have permission to post to this room": "You do not have permission to post to this room", "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?", "You seem to be uploading files, are you sure you want to quit?": "You seem to be uploading files, 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.": "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.", @@ -91,17 +68,6 @@ "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", "Connectivity to the server has been lost.": "Connectivity to the server has been lost.", "Sent messages will be stored until your connection has returned.": "Sent messages will be stored until your connection has returned.", - "Banned by %(displayName)s": "Banned by %(displayName)s", - "Passphrases must match": "Passphrases must match", - "Passphrase must not be empty": "Passphrase must not be empty", - "Export room keys": "Export room keys", - "Enter passphrase": "Enter passphrase", - "Confirm passphrase": "Confirm passphrase", - "Import room keys": "Import room keys", - "File to import": "File to import", - "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.", "Confirm Removal": "Confirm Removal", "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.", @@ -112,14 +78,11 @@ "Admin Tools": "Admin Tools", "Create new room": "Create new room", "Home": "Home", - "%(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.", "Uploading %(filename)s": "Uploading %(filename)s", "Uploading %(filename)s and %(count)s others": { "one": "Uploading %(filename)s and %(count)s other", "other": "Uploading %(filename)s and %(count)s others" }, - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (power %(powerLevelNumber)s)", "(~%(count)s results)": { "one": "(~%(count)s result)", "other": "(~%(count)s results)" @@ -139,18 +102,14 @@ "All Rooms": "All Rooms", "Wednesday": "Wednesday", "Send": "Send", - "All messages": "All messages", - "Invite to this room": "Invite to this room", "You cannot delete this message. (%(code)s)": "You cannot delete this message. (%(code)s)", "Thursday": "Thursday", "Yesterday": "Yesterday", - "Permission Required": "Permission Required", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s", "Restricted": "Restricted", "Spanner": "Wrench", "Aeroplane": "Airplane", "Cat": "Cat", - "Explore rooms": "Explore rooms", "%(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 now uses 3-5x less memory, by only loading information about other users when needed. Please wait while we resynchronize with the server!", "common": { "analytics": "Analytics", @@ -178,7 +137,11 @@ "on": "On", "off": "Off", "advanced": "Advanced", - "profile": "Profile" + "profile": "Profile", + "authentication": "Authentication", + "rooms": "Rooms", + "low_priority": "Low priority", + "historical": "Historical" }, "action": { "continue": "Continue", @@ -215,7 +178,9 @@ "import": "Import", "export": "Export", "submit": "Submit", - "unban": "Unban" + "unban": "Unban", + "unignore": "Unignore", + "explore_rooms": "Explore rooms" }, "keyboard": { "home": "Home" @@ -284,7 +249,32 @@ "add_msisdn_confirm_button": "Confirm adding phone number", "add_msisdn_confirm_body": "Click the button below to confirm adding this phone number.", "add_msisdn_dialog_title": "Add Phone Number", - "name_placeholder": "No display name" + "name_placeholder": "No display name", + "error_password_change_403": "Failed to change password. Is your password correct?", + "deactivate_section": "Deactivate Account", + "error_email_verification": "Unable to verify email address.", + "incorrect_msisdn_verification": "Incorrect verification code", + "error_set_name": "Failed to set display name", + "error_remove_3pid": "Unable to remove contact information", + "error_invalid_email": "Invalid Email Address", + "error_invalid_email_detail": "This doesn't appear to be a valid email address", + "error_add_email": "Unable to add email address" + }, + "voip": { + "audio_input_empty": "No Microphones detected", + "video_input_empty": "No Webcams detected" + }, + "key_export_import": { + "export_title": "Export room keys", + "export_description_1": "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.", + "enter_passphrase": "Enter passphrase", + "confirm_passphrase": "Confirm passphrase", + "phrase_cannot_be_empty": "Passphrase must not be empty", + "phrase_must_match": "Passphrases must match", + "import_title": "Import room keys", + "import_description_1": "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.", + "import_description_2": "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.", + "file_to_import": "File to import" } }, "timeline": { @@ -488,7 +478,9 @@ "autocomplete": { "command_description": "Commands", "user_description": "Users" - } + }, + "no_perms_notice": "You do not have permission to post to this room", + "poll_button_no_perms_title": "Permission Required" }, "room": { "drop_file_prompt": "Drop file here to upload", @@ -498,7 +490,13 @@ "unfavourite": "Favorited", "favourite": "Favorite", "low_priority": "Low Priority" - } + }, + "invite_this_room": "Invite to this room", + "header": { + "forget_room_button": "Forget room" + }, + "not_found_title_name": "%(roomName)s does not exist.", + "inaccessible_name": "%(roomName)s is not accessible at this time." }, "file_panel": { "guest_note": "You must register to use this functionality", @@ -514,7 +512,10 @@ "no_privileged_users": "No users have specific privileges in this room", "privileged_users_section": "Privileged Users", "banned_users_section": "Banned users", - "permissions_section": "Permissions" + "permissions_section": "Permissions", + "error_unbanning": "Failed to unban", + "banned_by": "Banned by %(displayName)s", + "ban_reason": "Reason" }, "security": { "history_visibility_legend": "Who can read history?", @@ -524,7 +525,8 @@ "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" + "url_previews_section": "URL Previews", + "other_section": "Other" }, "advanced": { "unfederated": "This room is not accessible by remote Matrix servers" @@ -590,6 +592,13 @@ }, "notifications": { "enable_prompt_toast_title": "Notifications", - "class_other": "Other" + "class_other": "Other", + "default": "Default", + "all_messages": "All messages" + }, + "member_list": { + "invited_list_heading": "Invited", + "filter_placeholder": "Filter room members", + "power_label": "%(userName)s (power %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/eo.json b/src/i18n/strings/eo.json index e27844be3b..50a3e4a9ec 100644 --- a/src/i18n/strings/eo.json +++ b/src/i18n/strings/eo.json @@ -24,19 +24,13 @@ "%(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", - "Default": "Ordinara", "Restricted": "Limigita", "Moderator": "Ĉambrestro", - "Reason": "Kialo", "Send": "Sendi", - "Incorrect verification code": "Malĝusta kontrola kodo", - "Authentication": "Aŭtentikigo", - "Failed to set display name": "Malsukcesis agordi vidigan nomon", "Failed to ban user": "Malsukcesis forbari uzanton", "Failed to mute user": "Malsukcesis silentigi uzanton", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Tiun ĉi ŝanĝon vi ne povos malfari, ĉar vi donas al la uzanto la saman povnivelon, kiun havas vi mem.", "Are you sure?": "Ĉu vi certas?", - "Unignore": "Reatenti", "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?": "Vi estas direktota al ekstera retejo por aŭtentikigi vian konton por uzo kun %(integrationsUrl)s. Ĉu vi volas daŭrigi tion?", "Jump to read receipt": "Salti al legokonfirmo", "Admin Tools": "Estriloj", @@ -44,10 +38,6 @@ "other": "kaj %(count)s aliaj…", "one": "kaj unu alia…" }, - "Invited": "Invititaj", - "Filter room members": "Filtri ĉambranojn", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (povnivelo je %(powerLevelNumber)s)", - "You do not have permission to post to this room": "Mankas al vi permeso afiŝi en tiu ĉambro", "%(duration)ss": "%(duration)ss", "%(duration)sm": "%(duration)sm", "%(duration)sh": "%(duration)sh", @@ -58,14 +48,6 @@ "one": "(~%(count)s rezulto)" }, "Join Room": "Aliĝi al ĉambro", - "Forget room": "Forgesi ĉambron", - "Rooms": "Ĉambroj", - "Low priority": "Malpli gravaj", - "Historical": "Estintaj", - "%(roomName)s does not exist.": "%(roomName)s ne ekzistas.", - "%(roomName)s is not accessible at this time.": "%(roomName)s ne estas atingebla nun.", - "Failed to unban": "Malsukcesis malforbari", - "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", "Jump to first unread message.": "Salti al unua nelegita mesaĝo.", @@ -78,7 +60,6 @@ "Error decrypting image": "Malĉifro de bildo eraris", "Error decrypting video": "Malĉifro de filmo eraris", "Add an Integration": "Aldoni kunigon", - "Failed to change password. Is your password correct?": "Malsukcesis ŝanĝi la pasvorton. Ĉu via pasvorto estas ĝusta?", "Email address": "Retpoŝtadreso", "Delete Widget": "Forigi fenestraĵon", "Create new room": "Krei novan ĉambron", @@ -91,16 +72,11 @@ "other": "Kaj %(count)s pliaj…" }, "Confirm Removal": "Konfirmi forigon", - "Deactivate Account": "Malaktivigi konton", "An error has occurred.": "Okazis eraro.", "Unable to restore session": "Salutaĵo ne rehaveblas", "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 vi antaŭe uzis pli novan version de %(brand)s, via salutaĵo eble ne akordos kun ĉi tiu versio. Fermu ĉi tiun fenestron kaj revenu al la pli nova versio.", - "Invalid Email Address": "Malvalida retpoŝtadreso", - "This doesn't appear to be a valid email address": "Tio ĉi ne ŝajnas esti valida retpoŝtadreso", "Verification Pending": "Atendante kontrolon", "Please check your email and click on the link it contains. Once this is done, click continue.": "Bonvolu kontroli vian retpoŝton, kaj klaki la ligilon enhavatan en la sendita mesaĝo. Farinte tion, klaku je «daŭrigi».", - "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.", "Reject invitation": "Rifuzi inviton", "Are you sure you want to reject the invitation?": "Ĉu vi certe volas rifuzi la inviton?", @@ -122,24 +98,10 @@ "one": "Alŝutante dosieron %(filename)s kaj %(count)s alian" }, "Uploading %(filename)s": "Alŝutante dosieron %(filename)s", - "Unable to remove contact information": "Ne povas forigi kontaktajn informojn", - "No Microphones detected": "Neniu mikrofono troviĝis", - "No Webcams detected": "Neniu kamerao troviĝis", "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", "Session ID": "Identigilo de salutaĵo", - "Passphrases must match": "Pasfrazoj devas akordi", - "Passphrase must not be empty": "Pasfrazoj maldevas esti malplenaj", - "Export room keys": "Elporti ĉambrajn ŝlosilojn", - "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.": "Tio ĉi permesos al vi elporti al loka dosiero ŝlosilojn por la mesaĝoj ricevitaj en ĉifritaj ĉambroj. Poste vi povos enporti la dosieron en alian klienton de Matrix, por povigi ĝin malĉifri tiujn mesaĝojn.", - "Enter passphrase": "Enigu pasfrazon", - "Confirm passphrase": "Konfirmu pasfrazon", - "Import room keys": "Enporti ĉambrajn ŝlosilojn", - "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.": "Tio ĉi permesos al vi enporti ĉifrajn ŝlosilojn, kiujn vi antaŭe elportis el alia kliento de Matrix. Poste vi povos malĉifri la samajn mesaĝojn, kiujn la alia kliento povis.", - "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "La elportita dosiero estos protektata de pasfrazo. Por malĉifri ĝin, enigu la pasfrazon ĉi tien.", - "File to import": "Enportota dosiero", - "Replying": "Respondante", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", "Sunday": "Dimanĉo", "Today": "Hodiaŭ", @@ -152,10 +114,8 @@ "Search…": "Serĉi…", "Saturday": "Sabato", "Monday": "Lundo", - "Invite to this room": "Inviti al ĉi tiu ĉambro", "Wednesday": "Merkredo", "You cannot delete this message. (%(code)s)": "Vi ne povas forigi tiun ĉi mesaĝon. (%(code)s)", - "All messages": "Ĉiuj mesaĝoj", "All Rooms": "Ĉiuj ĉambroj", "Thursday": "Ĵaŭdo", "Yesterday": "Hieraŭ", @@ -163,7 +123,6 @@ "Logs sent": "Protokolo sendiĝis", "Failed to send logs: ": "Malsukcesis sendi protokolon: ", "Preparing to send logs": "Pretigante sendon de protokolo", - "Permission Required": "Necesas permeso", "In reply to ": "Responde al ", "Dog": "Hundo", "Cat": "Kato", @@ -224,14 +183,6 @@ "Anchor": "Ankro", "Headphones": "Kapaŭdilo", "Folder": "Dosierujo", - "Email Address": "Retpoŝtadreso", - "Phone Number": "Telefonnumero", - "Email addresses": "Retpoŝtadresoj", - "Phone numbers": "Telefonnumeroj", - "Ignored users": "Malatentaj uzantoj", - "Voice & Video": "Voĉo kaj vido", - "Room information": "Informoj pri ĉambro", - "Room Addresses": "Adresoj de ĉambro", "Share Link to User": "Kunhavigi ligilon al uzanto", "Share room": "Kunhavigi ĉambron", "Main address": "Ĉefa adreso", @@ -250,22 +201,12 @@ "Could not load user profile": "Ne povis enlegi profilon de uzanto", "Your password has been reset.": "Vi reagordis vian pasvorton.", "General failure": "Ĝenerala fiasko", - "That matches!": "Tio akordas!", - "That doesn't match.": "Tio ne akordas.", - "Success!": "Sukceso!", "Set up": "Agordi", "Santa": "Kristnaska viro", "Thumbs up": "Dikfingro supren", "Paperclip": "Paperkuntenilo", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Ni sendis al vi retleteron por konfirmi vian adreson. Bonvolu sekvi la tieajn intrukciojn kaj poste klaki al la butono sube.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Ĉifritaj mesaĝoj estas sekurigitaj per tutvoja ĉifrado. Nur vi kaj la ricevonto(j) havas la ŝlosilojn necesajn por legado.", "Back up your keys before signing out to avoid losing them.": "Savkopiu viajn ŝlosilojn antaŭ adiaŭo, por ilin ne perdi.", - "Unable to verify phone number.": "Ne povas kontroli telefonnumeron.", - "Verification code": "Kontrola kodo", - "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", - "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.", "Revoke invite": "Nuligi inviton", @@ -276,21 +217,6 @@ "Edit message": "Redakti mesaĝon", "This room has already been upgraded.": "Ĉi tiu ĉambro jam gradaltiĝis.", "This room is running room version , which this homeserver has marked as unstable.": "Ĉi tiu ĉambro uzas ĉambran version , kiun la hejmservilo markis kiel nestabilan.", - "Join the conversation with an account": "Aliĝu al la interparolo per konto", - "Sign Up": "Registriĝi", - "Reason: %(reason)s": "Kialo: %(reason)s", - "Forget this room": "Forgesi ĉi tiun ĉambron", - "Re-join": "Re-aliĝi", - "You were banned from %(roomName)s by %(memberName)s": "%(memberName)s vin forbaris de %(roomName)s", - "Something went wrong with your invite to %(roomName)s": "Io misokazis al via invito al %(roomName)s", - "You can only join it with a working invite.": "Vi povas aliĝi nur kun funkcianta invito.", - "Join the discussion": "Aliĝi al la diskuto", - "Try to join anyway": "Tamen provi aliĝi", - "Do you want to chat with %(user)s?": "Ĉu vi volas babili kun %(user)s?", - "Do you want to join %(roomName)s?": "Ĉu vi volas aliĝi al %(roomName)s?", - " invited you": " vin invitis", - "You're previewing %(roomName)s. Want to join it?": "Vi antaŭrigardas ĉambron %(roomName)s. Ĉu vi volas aliĝi?", - "%(roomName)s can't be previewed. Do you want to join it?": "Vi ne povas antaŭrigardi ĉambron %(roomName)s. Ĉu vi al ĝi volas aliĝi?", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Gradaltigo de la ĉambro forigos la nunan ĉambron kaj kreos novan kun la sama nomo.", "You don't currently have any stickerpacks enabled": "Vi havas neniujn ŝaltitajn glumarkarojn", "Add some now": "Iujn aldoni", @@ -328,13 +254,7 @@ "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.", "Join millions for free on the largest public server": "Senpage aliĝu al milionoj sur la plej granda publika servilo", - "Add room": "Aldoni ĉambron", "Start using Key Backup": "Ekuzi Savkopiadon de ŝlosiloj", - "Uploaded sound": "Alŝutita sono", - "Sounds": "Sonoj", - "Notification sound": "Sono de sciigo", - "Set a new custom sound": "Agordi novan propran sonon", - "Browse": "Foliumi", "Edited at %(date)s. Click to view edits.": "Redaktita je %(date)s. Klaku por vidi redaktojn.", "The following users may not exist": "La jenaj uzantoj eble ne ekzistas", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Ne povas trovi profilojn de la ĉi-subaj Matrix-identigilojn – ĉu vi tamen volas inviti ilin?", @@ -346,10 +266,6 @@ "Removing…": "Forigante…", "I don't want my encrypted messages": "Mi ne volas miajn ĉifritajn mesaĝojn", "No backup found!": "Neniu savkopio troviĝis!", - "Go to Settings": "Iri al agordoj", - "No Audio Outputs detected": "Neniu soneligo troviĝis", - "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", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Ne povas enlegi la responditan okazon; aŭ ĝi ne ekzistas, aŭ vi ne rajtas vidi ĝin.", "Clear all data": "Vakigi ĉiujn datumojn", @@ -378,12 +294,6 @@ "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.", - "Clear personal data": "Vakigi personajn datumojn", - "New Recovery Method": "Nova rehava metodo", - "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.": "Se vi ne agordis la novan rehavan metodon, eble atakanto provas aliri vian konton. Vi tuj ŝanĝu la pasvorton de via konto, kaj agordu novan rehavan metodon en la agordoj.", - "Set up Secure Messages": "Agordi Sekurajn mesaĝojn", - "Recovery Method Removed": "Rehava metodo foriĝis", - "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 vi ne forigis la rehavan metodon, eble atakanto provas aliri vian konton. Vi tuj ŝanĝu la pasvorton de via konto, kaj agordu novan rehavan metodon en la agordoj.", "Demote yourself?": "Ĉu malrangaltigi vin mem?", "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.": "Vi ne povos malfari tiun ŝanĝon, ĉar vi malrangaltigas vin mem; se vi estas la lasta povohava uzanto en la ĉambro, estos neeble vian povon rehavi.", "Demote": "Malrangaltigi", @@ -394,40 +304,11 @@ "Homeserver URL does not appear to be a valid Matrix homeserver": "URL por hejmservilo ŝajne ne ligas al valida hejmservilo de Matrix", "Invalid identity server discovery response": "Nevalida eltrova respondo de identiga servilo", "Identity server URL does not appear to be a valid identity server": "URL por identiga servilo ŝajne ne ligas al valida identiga servilo", - "Failed to re-authenticate due to a homeserver problem": "Malsukcesis reaŭtentikigi pro hejmservila problemo", - "Go back to set it again.": "Reiru por reagordi ĝin.", - "Your keys are being backed up (the first backup could take a few minutes).": "Viaj ŝlosiloj estas savkopiataj (la unua savkopio povas daŭri kelkajn minutojn).", - "Unable to create key backup": "Ne povas krei savkopion de ŝlosiloj", "Invalid base_url for m.homeserver": "Nevalida base_url por m.homeserver", "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", - "Do not use an identity server": "Ne uzi identigan servilon", - "Enter a new identity server": "Enigi novan identigan servilon", - "Checking server": "Kontrolante servilon", - "Change identity server": "Ŝanĝi identigan servilon", - "Disconnect from the identity server and connect to instead?": "Ĉu malkonekti de la nuna identiga servilo kaj konekti anstataŭe al ?", - "Terms of service not accepted or the identity server is invalid.": "Aŭ uzkondiĉoj ne akceptiĝis, aŭ la identiga servilo estas nevalida.", - "The identity server you have chosen does not have any terms of service.": "La identiga servilo, kiun vi elektis, havas neniujn uzkondiĉojn.", - "Disconnect identity server": "Malkonekti la identigan servilon", - "Disconnect from the identity server ?": "Ĉu malkonektiĝi de la identiga servilo ?", - "You are still sharing your personal data on the identity server .": "Vi ankoraŭ havigas siajn personajn datumojn je la identiga servilo .", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Ni rekomendas, ke vi forigu viajn retpoŝtadresojn kaj telefonnumerojn de la identiga servilo, antaŭ ol vi malkonektiĝos.", - "Disconnect anyway": "Tamen malkonekti", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Vi nun uzas servilon por trovi kontaktojn, kaj troviĝi de ili. Vi povas ŝanĝi vian identigan servilon sube.", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Se vi ne volas uzi servilon por trovi kontaktojn kaj troviĝi mem, enigu alian identigan servilon sube.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Vi nun ne uzas identigan servilon. Por trovi kontaktojn kaj troviĝi de ili mem, aldonu iun sube.", - "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.": "Malkonektiĝo de via identiga servilo signifas, ke vi ne povos troviĝi de aliaj uzantoj, kaj vi ne povos memage inviti aliajn per retpoŝto aŭ telefono.", - "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.": "Vi ne devas uzi identigan servilon. Se vi tion elektos, vi ne povos troviĝi de aliaj uzantoj, kaj vi ne povos memage inviti ilin per retpoŝto aŭ telefono.", - "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Konsentu al uzkondiĉoj de la identiga servilo (%(serverName)s) por esti trovita per retpoŝtadreso aŭ telefonnumero.", - "Discovery": "Trovado", "Deactivate account": "Malaktivigi konton", - "Error changing power level requirement": "Eraris ŝanĝo de postulo de povnivelo", - "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Eraris ŝanĝo de la postuloj de la ĉambro pri povnivelo. Certigu, ke vi havas sufiĉajn permesojn, kaj reprovu.", - "Error changing power level": "Eraris ŝanĝo de povnivelo", - "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Eraris ŝanĝo de povnivelo de la uzanto. Certigu, ke vi havas sufiĉajn permesojn, kaj reprovu.", - "Remove %(email)s?": "Ĉu forigi %(email)s?", - "Remove %(phone)s?": "Ĉu forigi %(phone)s?", "No recent messages by %(user)s found": "Neniuj freŝaj mesaĝoj de %(user)s troviĝis", "Remove recent messages by %(user)s": "Forigi freŝajn mesaĝojn de %(user)s", "For a large amount of messages, this might take some time. Please don't refresh your client in the meantime.": "Je granda nombro da mesaĝoj, tio povas daŭri iomon da tempo. Bonvolu ne aktualigi vian klienton dume.", @@ -439,31 +320,7 @@ "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?": "Malaktivigo de ĉi tiu uzanto adiaŭigos ĝin, kaj malebligos, ke ĝi resalutu. Plie, ĝi foriros de ĉiuj enataj ĉambroj. Tiu ago ne povas malfariĝi. Ĉu vi certe volas malaktivigi ĉi tiun uzanton?", "Deactivate user": "Malaktivigi uzanton", "Remove recent messages": "Forigi freŝajn mesaĝojn", - "Italics": "Kursive", - "Explore rooms": "Esplori ĉambrojn", - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Vi forigu viajn personajn datumojn de identiga servilo antaŭ ol vi malkonektiĝos. Bedaŭrinde, identiga servilo estas nuntempe eksterreta kaj ne eblas ĝin atingi.", - "You should:": "Vi devus:", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "kontrolu kromprogramojn de via foliumilo je ĉio, kio povus malhelpi konekton al la identiga servilo (ekzemple « Privacy Badger »)", - "contact the administrators of identity server ": "kontaktu la administrantojn de la identiga servilo ", - "wait and try again later": "atendu, kaj reprovu poste", - "Unable to revoke sharing for email address": "Ne povas senvalidigi havigadon je retpoŝtadreso", - "Unable to share email address": "Ne povas havigi vian retpoŝtadreson", - "Your email address hasn't been verified yet": "Via retpoŝtadreso ankoraŭ ne kontroliĝis", - "Click the link in the email you received to verify and then click continue again.": "Klaku la ligilon en la ricevita retletero por kontroli, kaj poste reklaku al « daŭrigi ».", - "Verify the link in your inbox": "Kontrolu la ligilon en via ricevujo", - "Discovery options will appear once you have added an email above.": "Eltrovaj agordoj aperos kiam vi aldonos supre retpoŝtadreson.", - "Unable to revoke sharing for phone number": "Ne povas senvalidigi havigadon je telefonnumero", - "Unable to share phone number": "Ne povas havigi telefonnumeron", - "Please enter verification code sent via text.": "Bonvolu enigi kontrolan kodon senditan per tekstmesaĝo.", - "Discovery options will appear once you have added a phone number above.": "Eltrovaj agordoj aperos kiam vi aldonos telefonnumeron supre.", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Tekstmesaĝo sendiĝis al +%(msisdn)s. Bonvolu enigi la kontrolan kodon enhavitan.", "Try scrolling up in the timeline to see if there are any earlier ones.": "Provu rulumi supren tra la historio por kontroli, ĉu ne estas iuj pli fruaj.", - "Room %(name)s": "Ĉambro %(name)s", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Ĉi tiu invito al %(roomName)s sendiĝis al %(email)s, kiu ne estas ligita al via konto", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Ligu ĉi tiun retpoŝtadreson al via konto en Agordoj por ricevadi invitojn rekte per %(brand)s.", - "This invite to %(roomName)s was sent to %(email)s": "La invito al %(roomName)s sendiĝis al %(email)s", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Uzu identigan servilon en Agordoj por ricevadi invitojn rekte per %(brand)s.", - "Share this email in Settings to receive invites directly in %(brand)s.": "Havigu ĉi tiun retpoŝtadreson per Agordoj por ricevadi invitojn rekte per %(brand)s.", "Failed to deactivate user": "Malsukcesis malaktivigi uzanton", "This client does not support end-to-end encryption.": "Ĉi tiu kliento ne subtenas tutvojan ĉifradon.", "Messages in this room are not end-to-end encrypted.": "Mesaĝoj en ĉi tiu ĉambro ne estas tutvoje ĉifrataj.", @@ -489,9 +346,6 @@ "Everyone in this room is verified": "Ĉiu en la ĉambro estas kontrolita", "Unencrypted": "Neĉifrita", "Direct Messages": "Individuaj ĉambroj", - " wants to chat": " volas babili", - "Start chatting": "Ekbabili", - "Reject & Ignore user": "Rifuzi kaj malatenti uzanton", "Failed to connect to integration manager": "Malsukcesis konekton al kunigilo", "Verify User": "Kontroli uzanton", "For extra security, verify this user by checking a one-time code on both of your devices.": "Por plia sekureco, kontrolu ĉi tiun uzanton per unufoja kodo aperonta sur ambaŭ el viaj aparatoj.", @@ -500,24 +354,18 @@ "Integrations not allowed": "Kunigoj ne estas permesitaj", "Upgrade private room": "Gradaltigi privatan ĉambron", "Upgrade public room": "Gradaltigi publikan ĉambron", - "Upgrade your encryption": "Gradaltigi vian ĉifradon", "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 backup is trusted because it has been restored on this session": "Ĉi tiu savkopio estas fidata, ĉar ĝi estis rehavita en ĉ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.", - "None": "Neniu", - "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", "This user has not verified all of their sessions.": "Ĉi tiu uzanto ne kontrolis ĉiomon da siaj salutaĵoj.", "You have not verified this user.": "Vi ne kontrolis tiun ĉi uzanton.", "You have verified this user. This user has verified all of their sessions.": "Vi kontrolis tiun ĉi uzanton. Ĝi kontrolis ĉiomon da siaj salutaĵoj.", "Someone is using an unknown session": "Iu uzas nekonatan salutaĵon", "Encrypted by an unverified session": "Ĉifrita de nekontrolita salutaĵo", "Encrypted by a deleted session": "Ĉifrita de forigita salutaĵo", - "Close preview": "Fermi antaŭrigardon", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Eraris ĝisdatigo de la alternativaj adresoj de la ĉambro. Eble la servilo ne permesas tion, aŭ io dumtempe ne funkcias.", "Waiting for %(displayName)s to accept…": "Atendante akcepton de %(displayName)s…", "Accepting…": "Akceptante…", @@ -569,14 +417,6 @@ "You'll upgrade this room from to .": "Vi gradaltigos ĉi tiun ĉambron de al .", "Verification Request": "Kontrolpeto", "Country Dropdown": "Landa falmenuo", - "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.", - "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Gradaltigu ĉi tiun salutaĵon por ebligi al ĝi kontroladon de aliaj salutaĵoj, donante al ili aliron al ĉifritaj mesaĵoj, kaj markante ilin fidataj por aliaj uzantoj.", - "Unable to set up secret storage": "Ne povas starigi sekretan deponejon", - "Create key backup": "Krei savkopion de ŝlosiloj", - "This session is encrypting history using the new recovery method.": "Ĉi tiu salutaĵo nun ĉifras historion kun la nova rehava metodo.", - "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.": "Se vi faris tion akcidente, vi povas agordi Sekurajn mesaĝojn en ĉi tiu salutaĵo, kio reĉifros la historion de mesaj de ĉi tiu salutaĵo kun nova rehava metodo.", "Scroll to most recent messages": "Rulumi al plej freŝaj mesaĝoj", "Local address": "Loka adreso", "Published Addresses": "Publikigitaj adresoj", @@ -630,7 +470,6 @@ "Keys restored": "Ŝlosiloj rehaviĝis", "Successfully restored %(sessionCount)s keys": "Sukcese rehavis %(sessionCount)s ŝlosilojn", "Sign in with SSO": "Saluti per ununura saluto", - "Unable to query secret storage status": "Ne povis peti staton de sekreta deponejo", "You've successfully verified your device!": "Vi sukcese kontrolis vian aparaton!", "To continue, use Single Sign On to prove your identity.": "Por daŭrigi, pruvu vian identecon per ununura saluto.", "Confirm to continue": "Konfirmu por daŭrigi", @@ -647,30 +486,17 @@ "This address is available to use": "Ĉi tiu adreso estas uzebla", "This address is already in use": "Ĉi tiu adreso jam estas uzata", "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.": "Vi antaŭe uzis pli novan version de %(brand)s kun tiu ĉi salutaĵo. Por ree uzi ĉi tiun version kun tutvoja ĉifrado, vi devos adiaŭi kaj resaluti.", - "Use a different passphrase?": "Ĉu uzi alian pasfrazon?", "Your homeserver has exceeded its user limit.": "Via hejmservilo atingis sian limon de uzantoj.", "Your homeserver has exceeded one of its resource limits.": "Via hejmservilo atingis iun limon de rimedoj.", "Ok": "Bone", - "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", "Message preview": "Antaŭrigardo al mesaĝo", - "Room options": "Elektebloj pri ĉambro", "Wrong file type": "Neĝusta dosiertipo", "Looks good!": "Ŝajnas bona!", "Security Phrase": "Sekureca frazo", "Security Key": "Sekureca ŝlosilo", "Use your Security Key to continue.": "Uzu vian sekurecan ŝlosilon por daŭrigi.", "Switch theme": "Ŝalti haŭton", - "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.", - "Generate a Security Key": "Generi sekurecan ŝlosilon", - "Enter a Security Phrase": "Enigiu sekurecan frazon", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Uzu sekretan frazon kiun konas nur vi, kaj laŭplaĉe konservu sekurecan ŝlosilon, uzotan por savkopiado.", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Se vi nuligos nun, vi eble perdos ĉifritajn mesaĝojn kaj datumojn se vi perdos aliron al viaj salutoj.", - "You can also set up Secure Backup & manage your keys in Settings.": "Vi ankaŭ povas agordi Sekuran savkopiadon kaj administri viajn ŝlosilojn per Agordoj.", - "Set a Security Phrase": "Agordi Sekurecan frazon", - "Confirm Security Phrase": "Konfirmi Sekurecan frazon", - "Save your Security Key": "Konservi vian Sekurecan ŝlosilon", "This room is public": "Ĉi tiu ĉambro estas publika", "Edited at %(date)s": "Redaktita je %(date)s", "Click to view edits": "Klaku por vidi redaktojn", @@ -709,9 +535,6 @@ "You can only pin up to %(count)s widgets": { "other": "Vi povas fiksi maksimume %(count)s fenestraĵojn" }, - "Explore public rooms": "Esplori publikajn ĉambrojn", - "Show Widgets": "Montri fenestraĵojn", - "Hide Widgets": "Kaŝi fenestraĵojn", "Backup version:": "Repaŝa versio:", "Data on this screen is shared with %(widgetDomain)s": "Datumoj sur tiu ĉi ekrano estas havigataj al %(widgetDomain)s", "Uzbekistan": "Uzbekujo", @@ -966,10 +789,6 @@ "Invite by email": "Inviti per retpoŝto", "Reason (optional)": "Kialo (malnepra)", "Server Options": "Elektebloj de servilo", - "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.", "Hold": "Paŭzigi", "Resume": "Daŭrigi", "If you've forgotten your Security Key you can ": "Se vi forgesis vian Sekurecan ŝlosilon, vi povas ", @@ -993,7 +812,6 @@ "Decline All": "Rifuzi ĉion", "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", "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", @@ -1004,9 +822,6 @@ "Open dial pad": "Malfermi ciferplaton", "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.", - "Suggested Rooms": "Rekomendataj ĉambroj", - "Private space": "Privata aro", - "Public space": "Publika aro", " invites you": " invitas vin", "No results found": "Neniuj rezultoj troviĝis", "%(count)s rooms": { @@ -1028,8 +843,6 @@ "Space selection": "Elekto de aro", "Edit devices": "Redakti aparatojn", "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.": "Vi ne povos malfari ĉi tiun ŝanĝon, ĉar vi malrangaltigas vin mem; se vi estas la lasta altranga uzanto de la aro, vi ne plu povos rehavi viajn rajtojn.", - "Add existing room": "Aldoni jaman ĉambron", - "Invite to this space": "Inviti al ĉi tiu aro", "Your message was sent": "Via mesaĝo sendiĝis", "Leave space": "Forlasi aron", "Create a space": "Krei aron", @@ -1064,11 +877,8 @@ "No microphone found": "Neniu mikrofono troviĝis", "We were unable to access your microphone. Please check your browser settings and try again.": "Ni ne povis aliri vian mikrofonon. Bonvolu kontroli la agordojn de via foliumilo kaj reprovi.", "Unable to access your microphone": "Ne povas aliri vian mikrofonon", - "You have no ignored users.": "Vi malatentas neniujn uzantojn.", "Modal Widget": "Reĝima fenestraĵo", "Consult first": "Unue konsulti", - "Enter your Security Phrase a second time to confirm it.": "Enigu vian Sekurecan frazon duafoje por ĝin konfirmi.", - "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", "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", @@ -1085,27 +895,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": "Se vi tamen tion faras, sciu ke neniu el viaj mesaĝoj foriĝos, sed via sperto pri serĉado povas malboniĝi momente, dum la indekso estas refarata", "You most likely do not want to reset your event index store": "Plej verŝajne, vi ne volas restarigi vian deponejon de indeksoj de okazoj", "Reset event store?": "Ĉu restarigi deponejon de okazoj?", - "Currently joining %(count)s rooms": { - "one": "Nun aliĝante al %(count)s ĉambro", - "other": "Nun aliĝante al %(count)s ĉambroj" - }, "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Via %(brand)so ne permesas al vi uzi kunigilon por tio. Bonvolu kontakti administranton.", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Kunigiloj ricevas agordajn datumojn, kaj povas modifi fenestraĵojn, sendi invitojn al ĉambroj, kaj vianome agordi povnivelojn.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Uzu kunigilon por administrado de robotoj, fenestraĵoj, kaj glumarkaroj.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Uzu kunigilon (%(serverName)s) por administrado de robotoj, fenestraĵoj, kaj glumarkaroj.", - "Identity server (%(server)s)": "Identiga servilo (%(server)s)", - "Could not connect to identity server": "Ne povis konektiĝi al identiga servilo", - "Not a valid identity server (status code %(code)s)": "Nevalida identiga servilo (statkodo %(code)s)", - "Address": "Adreso", "This space has no local addresses": "Ĉi tiu aro ne havas lokajn adresojn", "Stop recording": "Malŝalti registradon", "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" - }, - "Space information": "Informoj pri aro", - "Identity server URL must be HTTPS": "URL de identiga servilo devas esti je HTTPS", "To publish an address, it needs to be set as a local address first.": "Por ke adreso publikiĝu, ĝi unue devas esti loka adreso.", "Published addresses can be used by anyone on any server to join your room.": "Publikigitajn adresojn povas uzi ajna persono sur ajna servilo por aliĝi al via ĉambro.", "Published addresses can be used by anyone on any server to join your space.": "Publikigitajn adresojn povas uzi ajna persono sur ajna servilo por aliĝi al via aro.", @@ -1113,7 +906,6 @@ "Unable to copy room link": "Ne povas kopii ligilon al ĉambro", "Error downloading audio": "Eraris elŝuto de sondosiero", "Unnamed audio": "Sennoma sondosiero", - "Add space": "Aldoni aron", "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", @@ -1139,7 +931,6 @@ "Anyone in will be able to find and join.": "Ĉiu en povos ĝin trovi kaj aliĝi.", "Private space (invite only)": "Privata aro (nur por invititoj)", "Space visibility": "Videbleco de aro", - "Public room": "Publika ĉambro", "Adding spaces has moved.": "Aldonejo de aroj moviĝis.", "Search for rooms": "Serĉi ĉambrojn", "Search for spaces": "Serĉi arojn", @@ -1174,9 +965,6 @@ "Don't leave any rooms": "Foriru de neniuj ĉambroj", "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.", - "Unknown failure": "Nekonata malsukceso", - "Failed to update the join rules": "Malsukcesis ĝisdatigi regulojn pri aliĝo", "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.": "Ĉu vi certas, ke vi volas fini ĉi tiun balotenketon? Ĉi tio montros la finajn rezultojn de la balotenketo kaj malhelpos personojn povi voĉdoni.", "End Poll": "Finu Balotenketon", "Sorry, the poll did not end. Please try again.": "Pardonu, la balotenketo ne finiĝis. Bonvolu reprovi.", @@ -1186,7 +974,6 @@ "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", - "Poll": "Balotenketo", "%(spaceName)s and %(count)s others": { "one": "%(spaceName)s kaj %(count)s alia", "other": "%(spaceName)s kaj %(count)s aliaj" @@ -1202,18 +989,6 @@ "Confirm new password": "Konfirmu novan pasvorton", "Sign out of all devices": "Elsaluti en ĉiuj aparatoj", "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.": "Vi estis elsalutita el ĉiuj aparatoj kaj ne plu ricevos puŝajn sciigojn. Por reŝalti sciigojn, ensalutu denove sur ĉiu aparato.", - "Proceed with reset": "Procedu por restarigi", - "Verify with Security Key or Phrase": "Kontrolu per Sekureca ŝlosilo aŭ frazo", - "Verify with Security Key": "Kontrolu per Sekureca ŝlosilo", - "Verify with another device": "Kontrolu per alia aparato", - "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Via nova aparato nun estas kontrolita. Ĝi havas aliron al viaj ĉifritaj mesaĝoj, kaj aliaj vidos ĝin kiel fidinda.", - "Your new device is now verified. Other users will see it as trusted.": "Via nova aparato nun estas kontrolita. Aliaj vidos ĝin kiel fidinda.", - "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Sen kontrolado, vi ne havos aliron al ĉiuj viaj mesaĝoj kaj povas aperi kiel nefidinda al aliaj.", - "I'll verify later": "Kontrolu poste", - "Send email": "Sendu retpoŝton", - "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Konservu vian Sekurecan ŝlosilon ie sekure, kiel pasvortadministranto aŭ monŝranko, ĉar ĝi estas uzata por protekti viajn ĉifritajn datumojn.", - "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Ni generos Sekurecan ŝlosilon por ke vi stoku ie sekura, kiel pasvort-administranto aŭ monŝranko.", - "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s aŭ %(copyButton)s", "Export chat": "Eksporti babilejon", "Files": "Dosieroj", "Close sidebar": "Fermu la flanka kolumno", @@ -1307,7 +1082,16 @@ "general": "Ĝeneralaj", "profile": "Profilo", "display_name": "Vidiga nomo", - "user_avatar": "Profilbildo" + "user_avatar": "Profilbildo", + "authentication": "Aŭtentikigo", + "public_room": "Publika ĉambro", + "public_space": "Publika aro", + "private_space": "Privata aro", + "rooms": "Ĉambroj", + "low_priority": "Malpli gravaj", + "historical": "Estintaj", + "go_to_settings": "Iri al agordoj", + "setup_secure_messages": "Agordi Sekurajn mesaĝojn" }, "action": { "continue": "Daŭrigi", @@ -1402,7 +1186,11 @@ "unban": "Malforbari", "click_to_copy": "Klaku por kopii", "hide_advanced": "Kaŝi specialajn", - "show_advanced": "Montri specialajn" + "show_advanced": "Montri specialajn", + "unignore": "Reatenti", + "explore_rooms": "Esplori ĉambrojn", + "add_existing_room": "Aldoni jaman ĉambron", + "explore_public_rooms": "Esplori publikajn ĉambrojn" }, "a11y": { "user_menu": "Menuo de uzanto", @@ -1415,7 +1203,8 @@ "one": "1 nelegita mesaĝo." }, "unread_messages": "Nelegitaj mesaĝoj.", - "jump_first_invite": "Salti al unua invito." + "jump_first_invite": "Salti al unua invito.", + "room_name": "Ĉambro %(name)s" }, "labs": { "video_rooms": "Videoĉambroj", @@ -1532,7 +1321,15 @@ "space_a11y": "Memaga finfaro de aro", "user_description": "Uzantoj", "user_a11y": "Memkompletigo de uzantoj" - } + }, + "room_upgraded_link": "La interparolo daŭras ĉi tie.", + "room_upgraded_notice": "Ĉi tiu ĉambro estas anstataŭita, kaj ne plu aktivas.", + "no_perms_notice": "Mankas al vi permeso afiŝi en tiu ĉambro", + "send_button_voice_message": "Sendi voĉmesaĝon", + "poll_button_no_perms_title": "Necesas permeso", + "poll_button": "Balotenketo", + "format_italics": "Kursive", + "replying_title": "Respondante" }, "Code": "Kodo", "power_level": { @@ -1667,7 +1464,14 @@ "inline_url_previews_room_account": "Ŝalti URL-antaŭrigardon en ĉi tiu ĉambro (nur por vi)", "inline_url_previews_room": "Ŝalti URL-antaŭrigardon por anoj de ĉi tiu ĉambro", "voip": { - "mirror_local_feed": "Speguli lokan filmon" + "mirror_local_feed": "Speguli lokan filmon", + "missing_permissions_prompt": "Mankas aŭdovidaj permesoj; klaku al la suba butono por peti.", + "request_permissions": "Peti aŭdovidajn permesojn", + "audio_output": "Sona eligo", + "audio_output_empty": "Neniu soneligo troviĝis", + "audio_input_empty": "Neniu mikrofono troviĝis", + "video_input_empty": "Neniu kamerao troviĝis", + "title": "Voĉo kaj vido" }, "security": { "message_search_disable_warning": "Post malŝalto, mesaĝoj el ĉifritaj ĉambroj ne aperos en serĉorezultoj.", @@ -1735,7 +1539,11 @@ "key_backup_connect": "Konekti ĉi tiun salutaĵon al Savkopiado de ŝlosiloj", "key_backup_complete": "Ĉiuj ŝlosiloj estas savkopiitaj", "key_backup_algorithm": "Algoritmo:", - "key_backup_inactive_warning": "Viaj ŝlosiloj ne estas savkopiataj el ĉi tiu salutaĵo." + "key_backup_inactive_warning": "Viaj ŝlosiloj ne estas savkopiataj el ĉi tiu salutaĵo.", + "key_backup_active_version_none": "Neniu", + "ignore_users_empty": "Vi malatentas neniujn uzantojn.", + "ignore_users_section": "Malatentaj uzantoj", + "e2ee_default_disabled_warning": "La administranto de via servilo malŝaltis implicitan tutvojan ĉifradon en privataj kaj individuaj ĉambroj." }, "preferences": { "room_list_heading": "Ĉambrolisto", @@ -1801,11 +1609,89 @@ "add_msisdn_dialog_title": "Aldoni telefonnumeron", "name_placeholder": "Sen vidiga nomo", "error_saving_profile_title": "Malsukcesis konservi vian profilon", - "error_saving_profile": "La ago ne povis finiĝi" + "error_saving_profile": "La ago ne povis finiĝi", + "error_password_change_403": "Malsukcesis ŝanĝi la pasvorton. Ĉu via pasvorto estas ĝusta?", + "emails_heading": "Retpoŝtadresoj", + "msisdns_heading": "Telefonnumeroj", + "discovery_needs_terms": "Konsentu al uzkondiĉoj de la identiga servilo (%(serverName)s) por esti trovita per retpoŝtadreso aŭ telefonnumero.", + "deactivate_section": "Malaktivigi konton", + "account_management_section": "Administrado de kontoj", + "discovery_section": "Trovado", + "error_revoke_email_discovery": "Ne povas senvalidigi havigadon je retpoŝtadreso", + "error_share_email_discovery": "Ne povas havigi vian retpoŝtadreson", + "email_not_verified": "Via retpoŝtadreso ankoraŭ ne kontroliĝis", + "email_verification_instructions": "Klaku la ligilon en la ricevita retletero por kontroli, kaj poste reklaku al « daŭrigi ».", + "error_email_verification": "Retpoŝtadreso ne kontroleblas.", + "discovery_email_verification_instructions": "Kontrolu la ligilon en via ricevujo", + "discovery_email_empty": "Eltrovaj agordoj aperos kiam vi aldonos supre retpoŝtadreson.", + "error_revoke_msisdn_discovery": "Ne povas senvalidigi havigadon je telefonnumero", + "error_share_msisdn_discovery": "Ne povas havigi telefonnumeron", + "error_msisdn_verification": "Ne povas kontroli telefonnumeron.", + "incorrect_msisdn_verification": "Malĝusta kontrola kodo", + "msisdn_verification_instructions": "Bonvolu enigi kontrolan kodon senditan per tekstmesaĝo.", + "msisdn_verification_field_label": "Kontrola kodo", + "discovery_msisdn_empty": "Eltrovaj agordoj aperos kiam vi aldonos telefonnumeron supre.", + "error_set_name": "Malsukcesis agordi vidigan nomon", + "error_remove_3pid": "Ne povas forigi kontaktajn informojn", + "remove_email_prompt": "Ĉu forigi %(email)s?", + "error_invalid_email": "Malvalida retpoŝtadreso", + "error_invalid_email_detail": "Tio ĉi ne ŝajnas esti valida retpoŝtadreso", + "error_add_email": "Ne povas aldoni retpoŝtadreson", + "add_email_instructions": "Ni sendis al vi retleteron por konfirmi vian adreson. Bonvolu sekvi la tieajn intrukciojn kaj poste klaki al la butono sube.", + "email_address_label": "Retpoŝtadreso", + "remove_msisdn_prompt": "Ĉu forigi %(phone)s?", + "add_msisdn_instructions": "Tekstmesaĝo sendiĝis al +%(msisdn)s. Bonvolu enigi la kontrolan kodon enhavitan.", + "msisdn_label": "Telefonnumero" }, "sidebar": { "title": "Flanka kolumno", "metaspaces_home_all_rooms": "Montri ĉiujn ĉambrojn" + }, + "key_backup": { + "backup_in_progress": "Viaj ŝlosiloj estas savkopiataj (la unua savkopio povas daŭri kelkajn minutojn).", + "backup_success": "Sukceso!", + "create_title": "Krei savkopion de ŝlosiloj", + "cannot_create_backup": "Ne povas krei savkopion de ŝlosiloj", + "setup_secure_backup": { + "generate_security_key_title": "Generi sekurecan ŝlosilon", + "generate_security_key_description": "Ni generos Sekurecan ŝlosilon por ke vi stoku ie sekura, kiel pasvort-administranto aŭ monŝranko.", + "enter_phrase_title": "Enigiu sekurecan frazon", + "description": "Malhelpu perdon de aliro al ĉifritaj mesaĝoj kaj datumoj per savkopiado de ĉifraj ŝlosiloj al via servilo.", + "requires_password_confirmation": "Enigu pasvorton de via konto por konfirmi la gradaltigon:", + "requires_key_restore": "Rehavu vian savkopion de ŝlosiloj por gradaltigi vian ĉifradon", + "requires_server_authentication": "Vi devos aŭtentikigi kun la servilo por konfirmi la gradaltigon.", + "session_upgrade_description": "Gradaltigu ĉi tiun salutaĵon por ebligi al ĝi kontroladon de aliaj salutaĵoj, donante al ili aliron al ĉifritaj mesaĵoj, kaj markante ilin fidataj por aliaj uzantoj.", + "phrase_strong_enough": "Bonege! La Sekureca frazo ŝajnas sufiĉe forta.", + "pass_phrase_match_success": "Tio akordas!", + "use_different_passphrase": "Ĉu uzi alian pasfrazon?", + "pass_phrase_match_failed": "Tio ne akordas.", + "set_phrase_again": "Reiru por reagordi ĝin.", + "enter_phrase_to_confirm": "Enigu vian Sekurecan frazon duafoje por ĝin konfirmi.", + "confirm_security_phrase": "Konfirmu vian Sekurecan frazon", + "security_key_safety_reminder": "Konservu vian Sekurecan ŝlosilon ie sekure, kiel pasvortadministranto aŭ monŝranko, ĉar ĝi estas uzata por protekti viajn ĉifritajn datumojn.", + "download_or_copy": "%(downloadButton)s aŭ %(copyButton)s", + "secret_storage_query_failure": "Ne povis peti staton de sekreta deponejo", + "cancel_warning": "Se vi nuligos nun, vi eble perdos ĉifritajn mesaĝojn kaj datumojn se vi perdos aliron al viaj salutoj.", + "settings_reminder": "Vi ankaŭ povas agordi Sekuran savkopiadon kaj administri viajn ŝlosilojn per Agordoj.", + "title_upgrade_encryption": "Gradaltigi vian ĉifradon", + "title_set_phrase": "Agordi Sekurecan frazon", + "title_confirm_phrase": "Konfirmi Sekurecan frazon", + "title_save_key": "Konservi vian Sekurecan ŝlosilon", + "unable_to_setup": "Ne povas starigi sekretan deponejon", + "use_phrase_only_you_know": "Uzu sekretan frazon kiun konas nur vi, kaj laŭplaĉe konservu sekurecan ŝlosilon, uzotan por savkopiado." + } + }, + "key_export_import": { + "export_title": "Elporti ĉambrajn ŝlosilojn", + "export_description_1": "Tio ĉi permesos al vi elporti al loka dosiero ŝlosilojn por la mesaĝoj ricevitaj en ĉifritaj ĉambroj. Poste vi povos enporti la dosieron en alian klienton de Matrix, por povigi ĝin malĉifri tiujn mesaĝojn.", + "enter_passphrase": "Enigu pasfrazon", + "confirm_passphrase": "Konfirmu pasfrazon", + "phrase_cannot_be_empty": "Pasfrazoj maldevas esti malplenaj", + "phrase_must_match": "Pasfrazoj devas akordi", + "import_title": "Enporti ĉambrajn ŝlosilojn", + "import_description_1": "Tio ĉi permesos al vi enporti ĉifrajn ŝlosilojn, kiujn vi antaŭe elportis el alia kliento de Matrix. Poste vi povos malĉifri la samajn mesaĝojn, kiujn la alia kliento povis.", + "import_description_2": "La elportita dosiero estos protektata de pasfrazo. Por malĉifri ĝin, enigu la pasfrazon ĉi tien.", + "file_to_import": "Enportota dosiero" } }, "devtools": { @@ -2168,6 +2054,13 @@ "external_url": "Fonta URL", "collapse_reply_thread": "Maletendi respondan fadenon", "report": "Raporti" + }, + "url_preview": { + "show_n_more": { + "one": "Montri %(count)s alian antaŭrigardon", + "other": "Montri %(count)s aliajn antaŭrigardojn" + }, + "close": "Fermi antaŭrigardon" } }, "slash_command": { @@ -2399,7 +2292,14 @@ "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", - "add_privileged_user_heading": "Aldoni rajtigitan uzanton" + "add_privileged_user_heading": "Aldoni rajtigitan uzanton", + "error_unbanning": "Malsukcesis malforbari", + "banned_by": "Forbarita de %(displayName)s", + "ban_reason": "Kialo", + "error_changing_pl_reqs_title": "Eraris ŝanĝo de postulo de povnivelo", + "error_changing_pl_reqs_description": "Eraris ŝanĝo de la postuloj de la ĉambro pri povnivelo. Certigu, ke vi havas sufiĉajn permesojn, kaj reprovu.", + "error_changing_pl_title": "Eraris ŝanĝo de povnivelo", + "error_changing_pl_description": "Eraris ŝanĝo de povnivelo de la uzanto. Certigu, ke vi havas sufiĉajn permesojn, kaj reprovu." }, "security": { "strict_encryption": "Neniam sendi ĉifritajn mesaĝojn al nekontrolitaj salutaĵoj en ĉi tiu ĉambro de ĉi tiu salutaĵo", @@ -2449,7 +2349,9 @@ "join_rule_upgrade_updating_spaces": { "one": "Ĝisdatigante aro...", "other": "Ĝisdatigante arojn... (%(progress)s el %(count)s)" - } + }, + "error_join_rule_change_title": "Malsukcesis ĝisdatigi regulojn pri aliĝo", + "error_join_rule_change_unknown": "Nekonata malsukceso" }, "general": { "publish_toggle": "Ĉu publikigi ĉi tiun ĉambron per la katalogo de ĉambroj de %(domain)s?", @@ -2463,14 +2365,18 @@ "error_save_space_settings": "Malsukcesis konservi agordojn de aro.", "description_space": "Redaktu agordojn pri via aro.", "save": "Konservi ŝanĝojn", - "leave_space": "Forlasi aron" + "leave_space": "Forlasi aron", + "aliases_section": "Adresoj de ĉambro", + "other_section": "Alia" }, "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:" + "room_version": "Ĉambra versio:", + "information_section_space": "Informoj pri aro", + "information_section_room": "Informoj pri ĉambro" }, "delete_avatar_label": "Forigi profilbildon", "upload_avatar_label": "Alŝuti profilbildon", @@ -2484,11 +2390,23 @@ "history_visibility_anyone_space": "Antaŭrigardi aron", "history_visibility_anyone_space_description": "Povigi personojn antaŭrigardi vian aron antaŭ aliĝo.", "history_visibility_anyone_space_recommendation": "Rekomendita por publikaj aroj.", - "guest_access_label": "Ŝalti aliron de gastoj" + "guest_access_label": "Ŝalti aliron de gastoj", + "alias_section": "Adreso" }, "access": { "title": "Aliro", "description_space": "Decidu, kiu povas rigardi kaj aliĝi aron %(spaceName)s." + }, + "bridges": { + "description": "Ĉi tiu ĉambro transpontigas mesaĝojn al la jenaj platformoj. Eksciu plion.", + "title": "Pontoj" + }, + "notifications": { + "uploaded_sound": "Alŝutita sono", + "sounds_section": "Sonoj", + "notification_sound": "Sono de sciigo", + "custom_sound_prompt": "Agordi novan propran sonon", + "browse_button": "Foliumi" } }, "encryption": { @@ -2514,7 +2432,16 @@ "unverified_sessions_toast_reject": "Pli poste", "unverified_session_toast_title": "Nova saluto. Ĉu tio estis vi?", "unverified_session_toast_accept": "Jes, estis mi", - "request_toast_detail": "%(deviceId)s de %(ip)s" + "request_toast_detail": "%(deviceId)s de %(ip)s", + "reset_proceed_prompt": "Procedu por restarigi", + "verify_using_key_or_phrase": "Kontrolu per Sekureca ŝlosilo aŭ frazo", + "verify_using_key": "Kontrolu per Sekureca ŝlosilo", + "verify_using_device": "Kontrolu per alia aparato", + "verification_description": "Kontrolu vian identecon por aliri ĉifritajn mesaĝojn kaj pruvi vian identecon al aliuloj.", + "verification_success_with_backup": "Via nova aparato nun estas kontrolita. Ĝi havas aliron al viaj ĉifritaj mesaĝoj, kaj aliaj vidos ĝin kiel fidinda.", + "verification_success_without_backup": "Via nova aparato nun estas kontrolita. Aliaj vidos ĝin kiel fidinda.", + "verification_skip_warning": "Sen kontrolado, vi ne havos aliron al ĉiuj viaj mesaĝoj kaj povas aperi kiel nefidinda al aliaj.", + "verify_later": "Kontrolu poste" }, "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.", @@ -2535,7 +2462,19 @@ "cross_signing_ready_no_backup": "Delegaj subskriboj pretas, sed ŝlosiloj ne estas savkopiitaj.", "cross_signing_untrusted": "Via konto havas identecon por delegaj subskriboj en sekreta deponejo, sed ĉi tiu salutaĵo ankoraŭ ne fidas ĝin.", "cross_signing_not_ready": "Delegaj subskriboj ne estas agorditaj.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Nova rehava metodo", + "description_1": "Novaj Sekureca frazo kaj ŝlosilo por Sekuraj mesaĝoj troviĝis.", + "description_2": "Ĉi tiu salutaĵo nun ĉifras historion kun la nova rehava metodo.", + "warning": "Se vi ne agordis la novan rehavan metodon, eble atakanto provas aliri vian konton. Vi tuj ŝanĝu la pasvorton de via konto, kaj agordu novan rehavan metodon en la agordoj." + }, + "recovery_method_removed": { + "title": "Rehava metodo foriĝis", + "description_1": "Tiu ĉi salutaĵo trovis, ke viaj Sekureca frazo kaj ŝlosilo por Sekuraj mesaĝoj foriĝis.", + "description_2": "Se vi faris tion akcidente, vi povas agordi Sekurajn mesaĝojn en ĉi tiu salutaĵo, kio reĉifros la historion de mesaj de ĉi tiu salutaĵo kun nova rehava metodo.", + "warning": "Se vi ne forigis la rehavan metodon, eble atakanto provas aliri vian konton. Vi tuj ŝanĝu la pasvorton de via konto, kaj agordu novan rehavan metodon en la agordoj." + } }, "emoji": { "category_frequently_used": "Ofte uzataj", @@ -2685,7 +2624,10 @@ "autodiscovery_unexpected_error_hs": "Neatendita eraro eltrovi hejmservilajn agordojn", "autodiscovery_unexpected_error_is": "Neatendita eraro eltrovi agordojn de identiga servilo", "incorrect_credentials_detail": "Rimarku ke vi salutas la servilon %(hs)s, ne matrix.org.", - "create_account_title": "Krei konton" + "create_account_title": "Krei konton", + "failed_soft_logout_homeserver": "Malsukcesis reaŭtentikigi pro hejmservila problemo", + "soft_logout_subheading": "Vakigi personajn datumojn", + "forgot_password_send_email": "Sendu retpoŝton" }, "room_list": { "sort_unread_first": "Montri ĉambrojn kun nelegitaj mesaĝoj kiel unuajn", @@ -2701,7 +2643,16 @@ "show_less": "Montri malpli", "notification_options": "Elektebloj pri sciigoj", "failed_remove_tag": "Malsukcesis forigi etikedon %(tagName)s el la ĉambro", - "failed_add_tag": "Malsukcesis aldoni etikedon %(tagName)s al ĉambro" + "failed_add_tag": "Malsukcesis aldoni etikedon %(tagName)s al ĉambro", + "breadcrumbs_label": "Freŝe vizititiaj ĉambroj", + "breadcrumbs_empty": "Neniuj freŝdate vizititaj ĉambroj", + "add_room_label": "Aldoni ĉambron", + "suggested_rooms_heading": "Rekomendataj ĉambroj", + "add_space_label": "Aldoni aron", + "joining_rooms_status": { + "one": "Nun aliĝante al %(count)s ĉambro", + "other": "Nun aliĝante al %(count)s ĉambroj" + } }, "report_content": { "missing_reason": "Bonvolu skribi, kial vi raportas.", @@ -2936,7 +2887,8 @@ "search_children": "Serĉi je %(spaceName)s", "invite_link": "Diskonigi invitan ligilon", "invite": "Inviti personojn", - "invite_description": "Inviti per retpoŝtadreso aŭ uzantonomo" + "invite_description": "Inviti per retpoŝtadreso aŭ uzantonomo", + "invite_this_space": "Inviti al ĉi tiu aro" }, "location_sharing": { "MapStyleUrlNotConfigured": "Ĉi tiu hejmservilo ne estas agordita por montri mapojn.", @@ -2979,7 +2931,8 @@ "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" + "lists_new_label": "Ĉambra identigilo aŭ adreso de listo de forbaroj", + "rules_empty": "Neniu" }, "create_space": { "name_required": "Bonvolu enigi nomon por la aro", @@ -3057,8 +3010,40 @@ "unfavourite": "Elstarigita", "favourite": "Elstarigi", "low_priority": "Malalta prioritato", - "forget": "Forgesi ĉambron" - } + "forget": "Forgesi ĉambron", + "title": "Elektebloj pri ĉambro" + }, + "invite_this_room": "Inviti al ĉi tiu ĉambro", + "header": { + "forget_room_button": "Forgesi ĉambron", + "hide_widgets_button": "Kaŝi fenestraĵojn", + "show_widgets_button": "Montri fenestraĵojn" + }, + "join_title_account": "Aliĝu al la interparolo per konto", + "join_button_account": "Registriĝi", + "kick_reason": "Kialo: %(reason)s", + "forget_room": "Forgesi ĉi tiun ĉambron", + "rejoin_button": "Re-aliĝi", + "banned_from_room_by": "%(memberName)s vin forbaris de %(roomName)s", + "3pid_invite_error_title_room": "Io misokazis al via invito al %(roomName)s", + "3pid_invite_error_invite_subtitle": "Vi povas aliĝi nur kun funkcianta invito.", + "3pid_invite_error_invite_action": "Tamen provi aliĝi", + "join_the_discussion": "Aliĝi al la diskuto", + "3pid_invite_email_not_found_account_room": "Ĉi tiu invito al %(roomName)s sendiĝis al %(email)s, kiu ne estas ligita al via konto", + "link_email_to_receive_3pid_invite": "Ligu ĉi tiun retpoŝtadreson al via konto en Agordoj por ricevadi invitojn rekte per %(brand)s.", + "invite_sent_to_email_room": "La invito al %(roomName)s sendiĝis al %(email)s", + "3pid_invite_no_is_subtitle": "Uzu identigan servilon en Agordoj por ricevadi invitojn rekte per %(brand)s.", + "invite_email_mismatch_suggestion": "Havigu ĉi tiun retpoŝtadreson per Agordoj por ricevadi invitojn rekte per %(brand)s.", + "dm_invite_title": "Ĉu vi volas babili kun %(user)s?", + "dm_invite_subtitle": " volas babili", + "dm_invite_action": "Ekbabili", + "invite_title": "Ĉu vi volas aliĝi al %(roomName)s?", + "invite_subtitle": " vin invitis", + "invite_reject_ignore": "Rifuzi kaj malatenti uzanton", + "peek_join_prompt": "Vi antaŭrigardas ĉambron %(roomName)s. Ĉu vi volas aliĝi?", + "no_peek_join_prompt": "Vi ne povas antaŭrigardi ĉambron %(roomName)s. Ĉu vi al ĝi volas aliĝi?", + "not_found_title_name": "%(roomName)s ne ekzistas.", + "inaccessible_name": "%(roomName)s ne estas atingebla nun." }, "file_panel": { "guest_note": "Vi devas registriĝî por uzi tiun ĉi funkcion", @@ -3190,7 +3175,10 @@ "keyword_new": "Nova ĉefvorto", "class_global": "Ĉie", "class_other": "Alia", - "mentions_keywords": "Mencioj kaj ĉefvortoj" + "mentions_keywords": "Mencioj kaj ĉefvortoj", + "default": "Ordinara", + "all_messages": "Ĉiuj mesaĝoj", + "message_didnt_send": "Mesaĝo ne sendiĝis. Klaku por akiri informojn." }, "mobile_guide": { "toast_title": "Uzu aplikaĵon por pli bona sperto", @@ -3211,6 +3199,43 @@ "a11y_jump_first_unread_room": "Salti al unua nelegita ĉambro.", "integration_manager": { "error_connecting_heading": "Ne povas konektiĝi al kunigilo", - "error_connecting": "La kunigilo estas eksterreta aŭ ne povas atingi vian hejmservilon." + "error_connecting": "La kunigilo estas eksterreta aŭ ne povas atingi vian hejmservilon.", + "use_im_default": "Uzu kunigilon (%(serverName)s) por administrado de robotoj, fenestraĵoj, kaj glumarkaroj.", + "use_im": "Uzu kunigilon por administrado de robotoj, fenestraĵoj, kaj glumarkaroj.", + "manage_title": "Administri kunigojn", + "explainer": "Kunigiloj ricevas agordajn datumojn, kaj povas modifi fenestraĵojn, sendi invitojn al ĉambroj, kaj vianome agordi povnivelojn." + }, + "identity_server": { + "url_not_https": "URL de identiga servilo devas esti je HTTPS", + "error_invalid": "Nevalida identiga servilo (statkodo %(code)s)", + "error_connection": "Ne povis konektiĝi al identiga servilo", + "checking": "Kontrolante servilon", + "change": "Ŝanĝi identigan servilon", + "change_prompt": "Ĉu malkonekti de la nuna identiga servilo kaj konekti anstataŭe al ?", + "error_invalid_or_terms": "Aŭ uzkondiĉoj ne akceptiĝis, aŭ la identiga servilo estas nevalida.", + "no_terms": "La identiga servilo, kiun vi elektis, havas neniujn uzkondiĉojn.", + "disconnect": "Malkonekti la identigan servilon", + "disconnect_server": "Ĉu malkonektiĝi de la identiga servilo ?", + "disconnect_offline_warning": "Vi forigu viajn personajn datumojn de identiga servilo antaŭ ol vi malkonektiĝos. Bedaŭrinde, identiga servilo estas nuntempe eksterreta kaj ne eblas ĝin atingi.", + "suggestions": "Vi devus:", + "suggestions_1": "kontrolu kromprogramojn de via foliumilo je ĉio, kio povus malhelpi konekton al la identiga servilo (ekzemple « Privacy Badger »)", + "suggestions_2": "kontaktu la administrantojn de la identiga servilo ", + "suggestions_3": "atendu, kaj reprovu poste", + "disconnect_anyway": "Tamen malkonekti", + "disconnect_personal_data_warning_1": "Vi ankoraŭ havigas siajn personajn datumojn je la identiga servilo .", + "disconnect_personal_data_warning_2": "Ni rekomendas, ke vi forigu viajn retpoŝtadresojn kaj telefonnumerojn de la identiga servilo, antaŭ ol vi malkonektiĝos.", + "url": "Identiga servilo (%(server)s)", + "description_connected": "Vi nun uzas servilon por trovi kontaktojn, kaj troviĝi de ili. Vi povas ŝanĝi vian identigan servilon sube.", + "change_server_prompt": "Se vi ne volas uzi servilon por trovi kontaktojn kaj troviĝi mem, enigu alian identigan servilon sube.", + "description_disconnected": "Vi nun ne uzas identigan servilon. Por trovi kontaktojn kaj troviĝi de ili mem, aldonu iun sube.", + "disconnect_warning": "Malkonektiĝo de via identiga servilo signifas, ke vi ne povos troviĝi de aliaj uzantoj, kaj vi ne povos memage inviti aliajn per retpoŝto aŭ telefono.", + "description_optional": "Vi ne devas uzi identigan servilon. Se vi tion elektos, vi ne povos troviĝi de aliaj uzantoj, kaj vi ne povos memage inviti ilin per retpoŝto aŭ telefono.", + "do_not_use": "Ne uzi identigan servilon", + "url_field_label": "Enigi novan identigan servilon" + }, + "member_list": { + "invited_list_heading": "Invititaj", + "filter_placeholder": "Filtri ĉambranojn", + "power_label": "%(userName)s (povnivelo je %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/es.json b/src/i18n/strings/es.json index 1263c56ba2..d59d9b6405 100644 --- a/src/i18n/strings/es.json +++ b/src/i18n/strings/es.json @@ -1,5 +1,4 @@ { - "Authentication": "Autenticación", "%(items)s and %(lastItem)s": "%(items)s y %(lastItem)s", "and %(count)s others...": { "other": "y %(count)s más…", @@ -9,48 +8,24 @@ "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?", - "Deactivate Account": "Desactivar cuenta", "Decrypt %(text)s": "Descifrar %(text)s", - "Default": "Por defecto", "Download %(text)s": "Descargar %(text)s", "Email address": "Dirección de correo electrónico", "Error decrypting attachment": "Error al descifrar adjunto", "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 forget room %(errCode)s": "No se pudo olvidar la sala %(errCode)s", "Failed to load timeline position": "Fallo al cargar el historial", "Failed to mute user": "No se pudo silenciar al usuario", "Failed to reject invite": "Falló al rechazar invitación", "Failed to reject invitation": "Falló al rechazar la invitación", - "Failed to set display name": "No se ha podido cambiar el nombre público", - "Failed to unban": "No se pudo quitar veto", - "Filter room members": "Filtrar miembros de la sala", - "Forget room": "Olvidar sala", - "Historical": "Historial", - "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", "Join Room": "Unirme a la sala", - "Low priority": "Prioridad baja", "Admin Tools": "Herramientas de administración", - "No Microphones detected": "Micrófono no detectado", - "No Webcams detected": "Cámara no detectada", "Custom level": "Nivel personalizado", - "Enter passphrase": "Introducir frase de contraseña", "Home": "Inicio", - "Invited": "Invitado", "Jump to first unread message.": "Ir al primer mensaje no leído.", "Create new room": "Crear una nueva sala", - "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", - "Confirm passphrase": "Confirmar frase de contraseña", - "Import room keys": "Importar claves de sala", - "File to import": "Fichero a importar", "Unable to restore session": "No se puede recuperar la sesión", - "%(roomName)s does not exist.": "%(roomName)s no existe.", - "%(roomName)s is not accessible at this time.": "%(roomName)s no es accesible en este momento.", - "Rooms": "Salas", "Search failed": "Falló la búsqueda", "Server may be unavailable, overloaded, or search timed out :(": "El servidor podría estar saturado o desconectado, o la búsqueda caducó :(", "Session ID": "ID de Sesión", @@ -60,18 +35,13 @@ "not specified": "sin especificar", "No more results": "No hay más resultados", "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.", - "Reason": "Motivo", "Reject invitation": "Rechazar invitación", "Return to login screen": "Regresar a la pantalla de inicio de sesión", "This room has no local addresses": "Esta sala no tiene direcciones locales", - "This doesn't appear to be a valid email address": "Esto no parece un e-mail váido", "unknown error code": "Código de error desconocido", "This will allow you to reset your password and receive notifications.": "Esto te permitirá reiniciar tu contraseña y recibir notificaciones.", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Se ha intentado cargar cierto punto en la cronología de esta sala, pero no tiene permiso para ver el mensaje solicitado.", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Se ha intentado cargar cierto punto en la cronología de esta sala, pero no se ha podido encontrarlo.", - "Unable to add email address": "No es posible añadir la dirección de correo electrónico", - "Unable to remove contact information": "No se ha podido eliminar la información de contacto", - "Unable to verify email address.": "No es posible verificar la dirección de correo electrónico.", "Uploading %(filename)s": "Subiendo %(filename)s", "Uploading %(filename)s and %(count)s others": { "one": "Subiendo %(filename)s y otros %(count)s", @@ -81,8 +51,6 @@ "Warning!": "¡Advertencia!", "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 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?", "You seem to be uploading files, are you sure you want to quit?": "Pareces estar subiendo archivos, ¿seguro que quieres salir?", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "No podrás deshacer este cambio porque estás promoviendo al usuario para tener el mismo nivel de autoridad que tú.", @@ -119,9 +87,7 @@ "Unnamed room": "Sala sin nombre", "Saturday": "Sábado", "Monday": "Lunes", - "Invite to this room": "Invitar a la sala", "Send": "Enviar", - "All messages": "Todos los mensajes", "Thank you!": "¡Gracias!", "All Rooms": "Todas las salas", "You cannot delete this message. (%(code)s)": "No puedes eliminar este mensaje. (%(code)s)", @@ -129,7 +95,6 @@ "Logs sent": "Registros enviados", "Yesterday": "Ayer", "Wednesday": "Miércoles", - "Permission Required": "Se necesita permiso", "%(weekDayName)s %(time)s": "%(weekDayName)s a las %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s %(day)s de %(monthName)s a las %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s %(day)s de %(monthName)s de %(fullYear)s", @@ -139,20 +104,17 @@ "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.", "Demote": "Quitar permisos", - "Unignore": "Dejar de ignorar", "Jump to read receipt": "Saltar al último mensaje sin leer", "Share Link to User": "Compartir enlace al usuario", "%(duration)ss": "%(duration)ss", "%(duration)sm": "%(duration)sm", "%(duration)sh": "%(duration)sh", "%(duration)sd": "%(duration)sd", - "Replying": "Respondiendo", "(~%(count)s results)": { "other": "(~%(count)s resultados)", "one": "(~%(count)s resultado)" }, "Share room": "Compartir la sala", - "Banned by %(displayName)s": "Vetado por %(displayName)s", "You don't currently have any stickerpacks enabled": "Actualmente no tienes ningún paquete de pegatinas activado", "Error decrypting image": "Error al descifrar imagen", "Error decrypting video": "Error al descifrar el vídeo", @@ -181,11 +143,6 @@ "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.", - "No Audio Outputs detected": "No se han detectado salidas de sonido", - "Audio Output": "Salida de sonido", - "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.", "Only room administrators will see this warning": "Sólo los administradores de la sala verán esta advertencia", "Upgrade Room Version": "Actualizar Versión de la Sala", "Create a new room with the same name, description and avatar": "Crear una sala nueva con el mismo nombre, descripción y avatar", @@ -194,18 +151,12 @@ "Put a link back to the old room at the start of the new room so people can see old messages": "Poner un enlace de retorno a la sala antigua al principio de la nueva de modo que se puedan ver los mensajes viejos", "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.": "Tu mensaje no se ha enviado porque este servidor base ha alcanzado su límite mensual de usuarios activos. Por favor, contacta con el administrador de tu servicio para continuar utilizándolo.", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Tu mensaje no se ha enviado porque este servidor base ha excedido un límite de recursos. Por favor contacta con el administrador de tu servicio para continuar utilizándolo.", - "This room has been replaced and is no longer active.": "Esta sala ha sido reemplazada y ya no está activa.", - "The conversation continues here.": "La conversación continúa aquí.", "Failed to upgrade room": "No se pudo actualizar la sala", "The room upgrade could not be completed": "La actualización de la sala no pudo ser completada", "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 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", "Dog": "Perro", "Cat": "Gato", "Lion": "León", @@ -267,19 +218,9 @@ "Anchor": "Ancla", "Headphones": "Auriculares", "Folder": "Carpeta", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Te hemos enviado un mensaje para verificar tu dirección de correo. Por favor, sigue las instrucciones y después haz clic el botón de abajo.", - "Email Address": "Dirección de correo", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Los mensajes cifrados son seguros con el cifrado punto a punto. Solo tú y el/los destinatario/s tiene/n las claves para leer estos mensajes.", "Back up your keys before signing out to avoid losing them.": "Haz copia de seguridad de tus claves antes de cerrar sesión para evitar perderlas.", "Start using Key Backup": "Comenzar a usar la copia de claves", - "Unable to verify phone number.": "No se pudo verificar el número de teléfono.", - "Verification code": "Código de verificación", - "Phone Number": "Número de teléfono", - "Room Addresses": "Direcciones de la sala", - "Account management": "Gestión de la cuenta", - "Ignored users": "Usuarios ignorados", - "Missing media permissions, click the button below to request.": "No hay permisos de medios, haz clic abajo para pedirlos.", - "Request media permissions": "Pedir permisos de los medios", "Add some now": "Añadir alguno ahora", "Main address": "Dirección principal", "Room avatar": "Avatar de la sala", @@ -298,14 +239,6 @@ "Scissors": "Tijeras", "Lock": "Bloquear", "Show more": "Ver más", - "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.", - "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.": "Desconectarte de tu servidor de identidad significa que no podrás ser descubierto por otros usuarios y no podrás invitar a otros por email o teléfono.", - "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.": "Usar un servidor de identidad es opcional. Si eliges no usar un servidor de identidad, no podrás ser descubierto por otros usuarios y no podrás invitar a otros por email o teléfono.", - "Do not use an identity server": "No usar un servidor de identidad", - "Enter a new identity server": "Introducir un servidor de identidad nuevo", - "Manage integrations": "Gestor de integraciones", "Something went wrong trying to invite the users.": "Algo ha salido mal al intentar invitar a los usuarios.", "We couldn't invite those users. Please check the users you want to invite and try again.": "No se pudo invitar a esos usuarios. Por favor, revisa los usuarios que quieres invitar e inténtalo de nuevo.", "Failed to find the following users": "No se encontró a los siguientes usuarios", @@ -348,57 +281,15 @@ "Cancel All": "Cancelar todo", "Upload Error": "Error de subida", "Remember my selection for this widget": "Recordar mi selección para este accesorio", - "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", - "None": "Ninguno", - "Sounds": "Sonidos", - "Notification sound": "Sonido para las notificaciones", - "Set a new custom sound": "Establecer sonido personalizado", - "Browse": "Seleccionar", - "Error changing power level requirement": "Error al cambiar el requerimiento de nivel de poder", - "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.", - "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?", "This backup is trusted because it has been restored on this session": "Esta copia de seguridad es de confianza porque ha sido restaurada en esta sesión", - "Checking server": "Comprobando servidor", - "Change identity server": "Cambiar el servidor de identidad", - "Disconnect from the identity server and connect to instead?": "¿Desconectarse del servidor de identidad y conectarse a ?", - "Terms of service not accepted or the identity server is invalid.": "Términos de servicio no aceptados o el servidor de identidad es inválido.", - "The identity server you have chosen does not have any terms of service.": "El servidor de identidad que has elegido no tiene ningún término de servicio.", - "Disconnect identity server": "Desconectar servidor de identidad", - "Disconnect from the identity server ?": "¿Desconectarse del servidor de identidad ?", - "You should:": "Deberías:", "You signed in to a new session without verifying it:": "Iniciaste una nueva sesión sin verificarla:", "Verify your other session using one of the options below.": "Verifica la otra sesión utilizando una de las siguientes opciones.", "%(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", "Set up": "Configurar", - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Usted debe eliminar sus datos personales del servidor de identidad antes de desconectarse. Desafortunadamente, el servidor de identidad está actualmente desconectado o es imposible comunicarse con él por otra razón.", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "comprueba los complementos (plugins) de tu navegador para ver si hay algo que pueda bloquear el servidor de identidad (como p.ej. Privacy Badger)", - "contact the administrators of identity server ": "contactar con los administradores del servidor de identidad ", - "wait and try again later": "espera y vuelve a intentarlo más tarde", - "Disconnect anyway": "Desconectar de todas formas", - "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.", - "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", - "Uploaded sound": "Sonido subido", - "Unable to revoke sharing for email address": "No se logró revocar el compartir para la dirección de correo electrónico", - "Unable to share email address": "No se logró compartir la dirección de correo electrónico", - "Click the link in the email you received to verify and then click continue again.": "Haz clic en el enlace del correo electrónico para verificar, y luego nuevamente haz clic en continuar.", - "Discovery options will appear once you have added an email above.": "Las opciones de descubrimiento aparecerán una vez que haya añadido un correo electrónico arriba.", - "Unable to revoke sharing for phone number": "No se logró revocar el intercambio de un número de teléfono", - "Unable to share phone number": "No se logró compartir el número de teléfono", - "Please enter verification code sent via text.": "Por favor, escribe el código de verificación que te hemos enviado por SMS.", - "Discovery options will appear once you have added a phone number above.": "Las opciones de descubrimiento aparecerán una vez que haya añadido un número de teléfono arriba.", - "Remove %(phone)s?": "¿Eliminar %(phone)s?", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Se ha enviado un mensaje de texto a +%(msisdn)s. Por favor, escribe el código de verificación que contiene.", "This user has not verified all of their sessions.": "Este usuario no ha verificado todas sus sesiones.", "You have not verified this user.": "No has verificado a este usuario.", "You have verified this user. This user has verified all of their sessions.": "Usted ha verificado este usuario. Este usuario ha verificado todas sus sesiones.", @@ -448,26 +339,10 @@ "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:", - "Join the conversation with an account": "Unirse a la conversación con una cuenta", - "Sign Up": "Registrarse", - "Reason: %(reason)s": "Razón: %(reason)s", - "Forget this room": "Olvidar esta sala", - "Re-join": "Volver a entrar", - "You were banned from %(roomName)s by %(memberName)s": "%(memberName)s te ha echado de %(roomName)s", - "Something went wrong with your invite to %(roomName)s": "Algo salió a mal invitando a %(roomName)s", - "You can only join it with a working invite.": "Sólo puedes unirte con una invitación que funciona.", - "Try to join anyway": "Intentar unirse de todas formas", - "Join the discussion": "Unirme a la Sala", - "Do you want to chat with %(user)s?": "¿Quieres empezar una conversación con %(user)s?", - "Do you want to join %(roomName)s?": "¿Quieres unirte a %(roomName)s?", - " invited you": " te ha invitado", - "You're previewing %(roomName)s. Want to join it?": "Esto es una vista previa de %(roomName)s. ¿Te quieres unir?", - "%(roomName)s can't be previewed. Do you want to join it?": "La sala %(roomName)s no permite previsualización. ¿Quieres unirte?", "Encrypted by an unverified session": "Cifrado por una sesión no verificada", "Unencrypted": "Sin cifrar", "Encrypted by a deleted session": "Cifrado por una sesión eliminada", "Scroll to most recent messages": "Ir a los mensajes más recientes", - "Close preview": "Cerrar vista previa", "No recent messages by %(user)s found": "No se han encontrado mensajes recientes de %(user)s", "Try scrolling up in the timeline to see if there are any earlier ones.": "Intente desplazarse hacia arriba en la línea de tiempo para ver si hay alguna anterior.", "Remove recent messages by %(user)s": "Eliminar mensajes recientes de %(user)s", @@ -481,17 +356,7 @@ "Deactivate user": "Desactivar usuario", "Failed to deactivate user": "Error en desactivar usuario", "Remove recent messages": "Eliminar mensajes recientes", - "Italics": "Cursiva", - "Room %(name)s": "Sala %(name)s", "Direct Messages": "Mensajes directos", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Esta invitación a la sala %(roomName)s fue enviada a %(email)s que no está asociada a su cuenta", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Para recibir invitaciones directamente en %(brand)s, en Configuración, debes vincular este correo electrónico con tu cuenta.", - "This invite to %(roomName)s was sent to %(email)s": "Esta invitación a %(roomName)s fue enviada a %(email)s", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Utilice un servidor de identidad en Configuración para recibir invitaciones directamente en %(brand)s.", - "Share this email in Settings to receive invites directly in %(brand)s.": "Comparte este correo electrónico en Configuración para recibir invitaciones directamente en %(brand)s.", - " wants to chat": " quiere mandarte mensajes", - "Start chatting": "Empezar una conversación", - "Reject & Ignore user": "Rechazar e ignorar usuario", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Actualizar esta sala cerrará la instancia actual de la sala y creará una sala actualizada con el mismo nombre.", "This room has already been upgraded.": "Esta sala ya ha sido actualizada.", "This room is running room version , which this homeserver has marked as unstable.": "Esta sala está ejecutando la versión de sala , la cual ha sido marcado por este servidor base como inestable.", @@ -595,8 +460,6 @@ "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", - "Explore rooms": "Explorar salas", - "Add room": "Añadir una sala", "Could not load user profile": "No se pudo cargar el perfil de usuario", "Your password has been reset.": "Su contraseña ha sido restablecida.", "Invalid homeserver discovery response": "Respuesta inválida de descubrimiento de servidor base", @@ -610,14 +473,9 @@ "Ok": "Ok", "Your homeserver has exceeded its user limit.": "Tú servidor ha excedido su limite de usuarios.", "Your homeserver has exceeded one of its resource limits.": "Tú servidor ha excedido el limite de sus recursos.", - "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.", - "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", - "Explore public rooms": "Buscar salas públicas", "IRC display name width": "Ancho del nombre de visualización de IRC", "Backup version:": "Versión de la copia de seguridad:", - "Room options": "Opciones de la sala", "Error creating address": "Error al crear la dirección", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Hubo un error al crear esa dirección. Es posible que el servidor no lo permita o que haya ocurrido una falla temporal.", "You don't have permission to delete the address.": "No tienes permiso para borrar la dirección.", @@ -656,41 +514,8 @@ "Use your Security Key to continue.": "Usa tu llave de seguridad para continuar.", "This room is public": "Esta sala es pública", "Switch theme": "Cambiar tema", - "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", "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.", - "Generate a Security Key": "Generar una llave de seguridad", - "Enter a Security Phrase": "Escribe una frase de seguridad", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Usa una frase secreta que solo tú conozcas y, opcionalmente, guarda una clave de seguridad para usarla como respaldo.", - "Enter your account password to confirm the upgrade:": "Ingrese la contraseña de su cuenta para confirmar la actualización:", - "Restore your key backup to upgrade your encryption": "Restaure la copia de seguridad de su clave para actualizar su cifrado", - "You'll need to authenticate with the server to confirm the upgrade.": "Deberá autenticarse con el servidor para confirmar la actualización.", - "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Actualice esta sesión para permitirle verificar otras sesiones, otorgándoles acceso a mensajes cifrados y marcándolos como confiables para otros usuarios.", - "That matches!": "¡Eso combina!", - "Use a different passphrase?": "¿Utiliza una frase de contraseña diferente?", - "That doesn't match.": "No coincide.", - "Go back to set it again.": "Volver y ponerlo de nuevo.", - "Unable to query secret storage status": "No se puede consultar el estado del almacenamiento secreto", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Si cancela ahora, puede perder mensajes y datos cifrados si pierde el acceso a sus inicios de sesión.", - "You can also set up Secure Backup & manage your keys in Settings.": "También puedes configurar la copia de seguridad segura y gestionar sus claves en configuración.", - "Upgrade your encryption": "Actualice su cifrado", - "Set a Security Phrase": "Establecer una frase de seguridad", - "Confirm Security Phrase": "Confirmar la frase de seguridad", - "Save your Security Key": "Guarde su llave de seguridad", - "Unable to set up secret storage": "No se puede configurar el almacenamiento secreto", - "Your keys are being backed up (the first backup could take a few minutes).": "Se está realizando una copia de seguridad de sus claves (la primera copia de seguridad puede tardar unos minutos).", - "Success!": "¡Éxito!", - "Create key backup": "Crear copia de seguridad de claves", - "Unable to create key backup": "No se puede crear una copia de seguridad de la clave", - "New Recovery Method": "Nuevo método de recuperación", - "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.": "Si no configuró el nuevo método de recuperación, es posible que un atacante esté intentando acceder a su cuenta. Cambie la contraseña de su cuenta y configure un nuevo método de recuperación inmediatamente en Configuración.", - "Go to Settings": "Ir a la configuración", - "Set up Secure Messages": "Configurar mensajes seguros", - "Recovery Method Removed": "Método de recuperación eliminado", - "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 hizo esto accidentalmente, puede configurar Mensajes seguros en esta sesión que volverá a cifrar el historial de mensajes de esta sesión con un nuevo método de recuperación.", - "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 no eliminó el método de recuperación, es posible que un atacante esté intentando acceder a su cuenta. Cambie la contraseña de su cuenta y configure un nuevo método de recuperación inmediatamente en Configuración.", "This version of %(brand)s does not support searching encrypted messages": "Esta versión de %(brand)s no puede buscar mensajes cifrados", "Video conference ended by %(senderName)s": "Videoconferencia terminada por %(senderName)s", "Join the conference from the room information card on the right": "Únete a la conferencia desde el panel de información de la sala de la derecha", @@ -703,13 +528,8 @@ "You can only pin up to %(count)s widgets": { "other": "Solo puedes anclar hasta %(count)s accesorios" }, - "Hide Widgets": "Ocultar accesorios", - "Show Widgets": "Mostrar accesorios", "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", - "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.", "Zimbabwe": "Zimbabue", "Yemen": "Yemen", "Wallis & Futuna": "Wallis y Futuna", @@ -871,7 +691,6 @@ "American Samoa": "Samoa Americana", "Algeria": "Argelia", "Åland Islands": "Åland", - "Great! This Security Phrase looks strong enough.": "¡Genial! Esta frase de seguridad parece lo suficientemente segura.", "Hold": "Poner en espera", "Resume": "Recuperar", "Enter Security Phrase": "Introducir la frase de seguridad", @@ -1002,7 +821,6 @@ "Invite someone using their name, email address, username (like ) or share this room.": "Invitar a alguien usando su nombre, dirección de correo, nombre de usuario (ej.: ) o compartiendo la sala.", "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 ).", - "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.", "%(count)s members": { "one": "%(count)s miembro", @@ -1016,15 +834,10 @@ "Invite someone using their name, username (like ) or share this space.": "Invita a más gente usando su nombre, nombre de usuario (ej.: ) o compartiendo el enlace a este espacio.", "Create a new room": "Crear una sala nueva", "Space selection": "Selección de espacio", - "Suggested Rooms": "Salas sugeridas", - "Add existing room": "Añadir sala ya existente", - "Invite to this space": "Invitar al espacio", "Your message was sent": "Mensaje enviado", "Leave space": "Salir del espacio", "Create a space": "Crear un espacio", "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", @@ -1047,7 +860,6 @@ "Reset event store?": "¿Restablecer almacenamiento de eventos?", "You most likely do not want to reset your event index store": "Lo más probable es que no quieras restablecer tu almacenamiento de índice de ecentos", "Reset event store": "Restablecer el almacenamiento de eventos", - "Verify your identity to access encrypted messages and prove your identity to others.": "Verifica tu identidad para leer tus mensajes cifrados y probar a las demás personas que realmente eres tú.", "You can select all or individual messages to retry or delete": "Puedes seleccionar uno o todos los mensajes para reintentar o eliminar", "Sending": "Enviando", "Retry all": "Reintentar todo", @@ -1066,8 +878,6 @@ "other": "Ver los %(count)s miembros" }, "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.", "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)", @@ -1084,10 +894,6 @@ "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", - "Currently joining %(count)s rooms": { - "one": "Entrando en %(count)s sala", - "other": "Entrando en %(count)s salas" - }, "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", @@ -1104,25 +910,12 @@ "Published addresses can be used by anyone on any server to join your room.": "Las direcciones publicadas pueden usarse por cualquiera para unirse a tu sala, independientemente de su servidor base.", "Published addresses can be used by anyone on any server to join your space.": "Los espacios publicados pueden usarse por cualquiera, independientemente de su servidor base.", "This space has no local addresses": "Este espacio no tiene direcciones locales", - "Space information": "Información del espacio", - "Address": "Dirección", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Tu aplicación %(brand)s no te permite usar un gestor de integración para hacer esto. Por favor, contacta con un administrador.", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Los gestores de integraciones reciben datos de configuración, y pueden modificar accesorios, enviar invitaciones de sala, y establecer niveles de poder en tu nombre.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Usa un gestor de integraciones para bots, accesorios y paquetes de pegatinas.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Usar un gestor de integraciones (%(serverName)s) para gestionar bots, accesorios y paquetes de pegatinas.", - "Identity server (%(server)s)": "Servidor de identidad %(server)s", - "Could not connect to identity server": "No se ha podido conectar al servidor de identidad", - "Not a valid identity server (status code %(code)s)": "No es un servidor de identidad válido (código de estado %(code)s)", - "Identity server URL must be HTTPS": "La URL del servidor de identidad debe ser HTTPS", "Unable to copy a link to the room to the clipboard.": "No se ha podido copiar el enlace a la sala.", "Unable to copy room link": "No se ha podido copiar el enlace a la sala", "Unnamed audio": "Audio sin título", "User Directory": "Lista de usuarios", "Error processing audio message": "Error al procesar el mensaje de audio", - "Show %(count)s other previews": { - "one": "Ver otras %(count)s vistas previas", - "other": "Ver %(count)s otra vista previa" - }, "Could not connect media": "No se ha podido conectar con los dispositivos multimedia", "Their device couldn't start the camera or microphone": "El dispositivo de la otra persona no ha podido iniciar la cámara o micrófono", "Error downloading audio": "Error al descargar el audio", @@ -1140,7 +933,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.", - "Add space": "Añadir un espacio", "Spaces you know that contain this room": "Espacios que conoces que contienen esta sala", "Search spaces": "Buscar espacios", "Select spaces": "Elegir espacios", @@ -1152,7 +944,6 @@ "Private space (invite only)": "Espacio privado (solo por invitación)", "Space visibility": "Visibilidad del espacio", "Add a space to a space you manage.": "Añade un espacio a dentro de otros espacio que gestiones.", - "Public room": "Sala pública", "Adding spaces has moved.": "Hemos cambiado de sitio la creación de espacios.", "Search for rooms": "Buscar salas", "Search for spaces": "Buscar espacios", @@ -1169,9 +960,6 @@ "Results": "Resultados", "Some encryption parameters have been changed.": "Algunos parámetros del cifrado han cambiado.", "Role in ": "Rol en ", - "Failed to update the join rules": "Fallo al actualizar las reglas para unirse", - "Unknown failure": "Fallo desconocido", - "Message didn't send. Click for info.": "Mensaje no enviado. Haz clic para más info.", "To join a space you'll need an invite.": "Para unirte a un espacio, necesitas que te inviten a él.", "Don't leave any rooms": "No salir de ninguna sala", "Leave all rooms": "Salir de todas las salas", @@ -1181,12 +969,6 @@ "MB": "MB", "In reply to this message": "En respuesta a este mensaje", "Export chat": "Exportar conversación", - "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.": "Parece que no tienes una clave de seguridad u otros dispositivos para la verificación. Este dispositivo no podrá acceder los mensajes cifrados antiguos. Para verificar tu identidad en este dispositivo, tendrás que restablecer tus claves de verificación.", - "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.": "Una vez restableces las claves de verificación, no lo podrás deshacer. Después de restablecerlas, no podrás acceder a los mensajes cifrados antiguos, y cualquier persona que te haya verificado verá avisos de seguridad hasta que vuelvas a hacer la verificación con ella.", - "I'll verify later": "La verificaré en otro momento", - "Verify with Security Key": "Verificar con una clave de seguridad", - "Verify with Security Key or Phrase": "Verificar con una clave o frase de seguridad", - "Proceed with reset": "Continuar y restablecer", "Skip verification for now": "Saltar la verificación por ahora", "Really reset verification keys?": "¿De verdad quieres restablecer las claves de verificación?", "They won't be able to access whatever you're not an admin of.": "No podrán acceder a donde no tengas permisos de administración.", @@ -1205,7 +987,6 @@ }, "Enter your Security Phrase or to continue.": "Escribe tu frase de seguridad o para continuar.", "View in room": "Ver en la sala", - "Insert link": "Insertar enlace", "Joining": "Uniéndote", "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", @@ -1215,12 +996,7 @@ "Joined": "Te has unido", "Copy link to thread": "Copiar enlace al hilo", "Thread options": "Ajustes del hilo", - "You do not have permission to start polls in this room.": "No tienes permisos para empezar encuestas en esta sala.", "Reply in thread": "Responder en hilo", - "You won't get any notifications": "No recibirás ninguna notificación", - "@mentions & keywords": "@menciones y palabras clave", - "Get notified for every message": "Recibe notificaciones para todos los mensajes", - "Get notifications as set up in your settings": "Recibe notificaciones según tus ajustes", "Forget": "Olvidar", "%(count)s votes": { "one": "%(count)s voto", @@ -1236,7 +1012,6 @@ "Themes": "Temas", "Moderation": "Moderación", "Files": "Archivos", - "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Si decides no verificar, no tendrás acceso a todos tus mensajes y puede que le aparezcas a los demás como «no confiado».", "Recent searches": "Búsquedas recientes", "To search messages, look for this icon at the top of a room ": "Para buscar contenido de mensajes, usa este icono en la parte de arriba de una sala: ", "Other searches": "Otras búsquedas", @@ -1265,13 +1040,6 @@ "Sorry, your vote was not registered. Please try again.": "Lo sentimos, no se ha podido registrar el voto. Inténtalo otra vez.", "Vote not registered": "Voto no emitido", "Chat": "Conversación", - "Home options": "Opciones de la pantalla de inicio", - "%(spaceName)s menu": "Menú de %(spaceName)s", - "Join public room": "Unirse a la sala pública", - "Add people": "Añadir gente", - "Invite to space": "Invitar al espacio", - "Start new chat": "Crear conversación", - "This room isn't bridging messages to any platforms. Learn more.": "Esta sala no está conectada con ninguna otra plataforma de mensajería. Más información.", "Based on %(count)s votes": { "other": "%(count)s votos", "one": "%(count)s voto" @@ -1282,12 +1050,7 @@ "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)", - "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Guarda tu clave de seguridad en un lugar seguro (por ejemplo, un gestor de contraseñas o una caja fuerte) porque sirve para proteger tus datos cifrados.", - "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Vamos a generar una clave de seguridad para que la guardes en un lugar seguro, como un gestor de contraseñas o una caja fuerte.", "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 acceso a tu cuenta y a las claves de cifrado almacenadas en esta sesión. Sin ellas, no podrás leer todos tus mensajes seguros en ninguna sesión.", - "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Has verificado tu nuevo dispositivo. Ahora podrá leer tus mensajes cifrados, y el resto verá que es de confianza.", - "Your new device is now verified. Other users will see it as trusted.": "Has verificado tu nuevo dispositivo. El resto verá que es de confianza.", - "Verify with another device": "Verificar con otro dispositivo", "Unable to verify this device": "No se ha podido verificar el dispositivo", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Aquí encontrarás tus conversaciones con los miembros del espacio. Si lo desactivas, estas no aparecerán mientras veas el espacio %(spaceName)s.", "This address had invalid server or is already in use": "Esta dirección tiene un servidor no válido o ya está siendo usada", @@ -1304,8 +1067,6 @@ "Close this widget to view it in this panel": "Cierra este accesorio para verlo en este panel", "Unpin this widget to view it in this panel": "Deja de fijar este accesorio para verlo en este panel", "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", "From a thread": "Desde un hilo", "Message pending moderation": "Mensaje esperando revisión", "Message pending moderation: %(reason)s": "Mensaje esperando revisión: %(reason)s", @@ -1316,9 +1077,6 @@ "Wait!": "¡Espera!", "Use to scroll": "Usa para desplazarte", "Location": "Ubicación", - "Poll": "Encuesta", - "Voice Message": "Mensaje de voz", - "Hide stickers": "Ocultar pegatinas", "%(space1Name)s and %(space2Name)s": "%(space1Name)s y %(space2Name)s", "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)", @@ -1347,10 +1105,6 @@ "Uncheck if you also want to remove system messages on this user (e.g. membership change, profile change…)": "No marques esta casilla si quieres borrar también los mensajes del sistema sobre el usuario (ej.: entradas y salidas, cambios en su perfil…)", "Preserve system messages": "Mantener mensajes del sistema", "%(displayName)s's live location": "Ubicación en tiempo real de %(displayName)s", - "Currently removing messages in %(count)s rooms": { - "one": "Borrando mensajes en %(count)s sala", - "other": "Borrando mensajes en %(count)s salas" - }, "Unsent": "No enviado", "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.": "Puedes usar la opción de servidor personalizado para iniciar sesión a otro servidor de Matrix, escribiendo una dirección URL de servidor base diferente. Esto te permite usar %(brand)s con una cuenta de Matrix que ya exista en otro servidor base.", "%(featureName)s Beta feedback": "Danos tu opinión sobre la beta de %(featureName)s", @@ -1358,18 +1112,6 @@ "one": "1 participante", "other": "%(count)s participantes" }, - "Try again later, or ask a room or space admin to check if you have access.": "Inténtalo más tarde, o pídele a alguien con permisos de administrador dentro de la sala o espacio que compruebe si tienes acceso.", - "This room or space is not accessible at this time.": "Esta sala o espacio no es accesible en este momento.", - "Are you sure you're at the right place?": "¿Seguro que estás en el sitio correcto?", - "This room or space does not exist.": "Esta sala o espacio no existe.", - "There's no preview, would you like to join?": "No hay previsualización. ¿Te quieres unir?", - "You can still join here.": "Todavía puedes unirte.", - "You were banned by %(memberName)s": "%(memberName)s te ha vetado", - "Forget this space": "Olvidar este espacio", - "You were removed by %(memberName)s": "%(memberName)s te ha sacado", - "Loading preview": "Cargando previsualización", - "New video room": "Nueva sala de vídeo", - "New room": "Nueva sala", "Live location enabled": "Ubicación en tiempo real activada", "Live location error": "Error en la ubicación en tiempo real", "Live location ended": "La ubicación en tiempo real ha terminado", @@ -1397,39 +1139,21 @@ "You will not be able to reactivate your account": "No podrás reactivarla", "Confirm that you would like to deactivate your account. If you proceed:": "Confirma que quieres desactivar tu cuenta. Si continúas:", "To continue, please enter your account password:": "Para continuar, escribe la contraseña de tu cuenta:", - "This invite was sent to %(email)s which is not associated with your account": "Esta invitación se envió originalmente a %(email)s, que no está asociada a tu cuenta", - "This invite was sent to %(email)s": "Esta invitación se envió a %(email)s", - "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.": "Ha ocurrido un error (%(errcode)s) al validar tu invitación. Puedes intentar a pasarle esta información a la persona que te ha invitado.", - "Something went wrong with your invite.": "Ha ocurrido un error al procesar tu invitación.", - "Seen by %(count)s people": { - "one": "%(count)s persona lo ha visto", - "other": "%(count)s personas lo han visto" - }, - "Your password was successfully changed.": "Has cambiado tu contraseña.", "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.": "Si deseas mantener acceso a tu historial de conversación en salas encriptadas, configura copia de llaves o exporta tus claves de mensaje desde uno de tus otros dispositivos antes de proceder.", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Cerrar sesión en tus dispositivos causará que las claves de encriptado almacenadas en ellas se eliminen, haciendo que el historial de la conversación encriptada sea imposible de leer.", "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.": "Se ha cerrado sesión en todos tus dispositivos y no recibirás más notificaciones. Para volver a habilitar las notificaciones, inicia sesión de nuevo en cada dispositivo.", "You will be removed from the identity server: your friends will no longer be able to find you with your email or phone number": "Serás eliminado del servidor de identidad: tus amigos no podrán encontrarte con tu email o número de teléfono", - "%(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.": "El código de error %(errcode)s fue devuelto cuando se intentaba acceder a la sala o espacio. Si crees que este mensaje es un error, por favor, envía un reporte de bug .", "%(members)s and %(last)s": "%(members)s y %(last)s", "%(members)s and more": "%(members)s y má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.": "Tu mensaje no se ha enviado porque este servidor base ha sido bloqueado por su administrador. Por favor, contacta con el administrador de tu servicio para seguir usándolo.", "Cameras": "Cámaras", "Open room": "Abrir sala", "Show Labs settings": "Ver ajustes de los experimentos", - "To view, please enable video rooms in Labs first": "Para verla, activa las salas de vídeos en la sección de experimentos de los ajustes", - "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", "Unread email icon": "Icono de email sin leer", "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", - "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", - "Read receipts": "Acuses de recibo", - "Deactivating your account is a permanent action — be careful!": "Desactivar tu cuenta es para siempre, ¡ten cuidado!", "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.", "%(count)s Members": { "one": "%(count)s miembro", @@ -1461,29 +1185,16 @@ "Who will you chat to the most?": "¿Con quién hablarás más?", "You're in": "Estás en", "You don't have permission to share locations": "No tienes permiso para compartir ubicaciones", - "Join the room to participate": "Únete a la sala para participar", "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", "Interactively verify by emoji": "Verificar interactivamente usando emojis", "Manually verify by text": "Verificar manualmente usando un texto", "We're creating a room with %(names)s": "Estamos creando una sala con %(names)s", - "Spotlight": "Spotlight", - "View chat timeline": "Ver historial del chat", - "Failed to set pusher state": "Fallo al establecer el estado push", - "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", - "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s o %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s o %(recoveryFile)s", "Video call ended": "Videollamada terminada", "%(name)s started a video call": "%(name)s comenzó una videollamada", "Room info": "Info. de la sala", - "Close call": "Terminar llamada", - "Freedom": "Libertad", - "Video call (%(brand)s)": "Videollamada (%(brand)s)", - "Video call (Jitsi)": "Videollamada (Jitsi)", - "Call type": "Tipo de llamada", "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", @@ -1497,19 +1208,12 @@ "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", - "Automatically adjust the microphone volume": "Ajustar el volumen del micrófono automáticamente", - "Voice settings": "Ajustes de voz", "Devices connected": "Dispositivos conectados", "An unexpected error occurred.": "Ha ocurrido un error inesperado.", "The request was cancelled.": "La solicitud ha sido cancelada.", "The scanned code is invalid.": "El código escaneado no es válido.", "Sign in new device": "Conectar nuevo dispositivo", "Error downloading image": "Error al descargar la imagen", - "Show formatting": "Mostrar formato", - "Hide formatting": "Ocultar formato", - "Connection": "Conexión", - "Voice processing": "Procesamiento de vídeo", - "Video settings": "Ajustes de vídeo", "Sign out of all devices": "Cerrar sesión en todos los dispositivos", "Too many attempts in a short time. Retry after %(timeout)s.": "Demasiados intentos en poco tiempo. Inténtalo de nuevo en %(timeout)s.", "Too many attempts in a short time. Wait some time before trying again.": "Demasiados intentos en poco tiempo. Espera un poco antes de volverlo a intentar.", @@ -1520,7 +1224,6 @@ "Error starting verification": "Error al empezar la verificación", "Text": "Texto", "Create a link": "Crear un enlace", - "Change layout": "Cambiar disposición", "This message could not be decrypted": "No se ha podido descifrar este mensaje", " in %(room)s": " en %(room)s", "Connecting…": "Conectando…", @@ -1545,35 +1248,24 @@ "Edit link": "Editar enlace", "Search all rooms": "Buscar en todas las salas", "Search this room": "Buscar en esta sala", - "Rejecting invite…": "Rechazar invitación…", - "Joining room…": "Uniéndose a la sala…", - "Joining space…": "Uniéndose al espacio…", - "Formatting": "Formato", "Encrypting your message…": "Cifrando tu mensaje…", "Sending your message…": "Enviando tu mensaje…", - "Upload custom sound": "Subir archivo personalizado", - "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (estado HTTP %(httpStatus)s)", "unknown": "desconocido", "Starting export process…": "Iniciando el proceso de exportación…", "Ended a poll": "Cerró una encuesta", "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.": "", "Desktop app logo": "Logotipo de la aplicación de escritorio", - "Send email": "Enviar email", "Past polls": "Encuestas anteriores", "Enable '%(manageIntegrations)s' in Settings to do this.": "Activa «%(manageIntegrations)s» en ajustes para poder hacer esto.", - "Your account details are managed separately at %(hostname)s.": "Los detalles de tu cuenta los gestiona de forma separada %(hostname)s.", "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", - "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", "Server returned %(statusCode)s with error code %(errorCode)s": "El servidor devolvió un %(statusCode)s con el código de error %(errorCode)s", "The sender has blocked you from receiving this message": "La persona que ha enviado este mensaje te ha bloqueado, no puedes recibir el mensaje", "Waiting for partner to confirm…": "Esperando a que la otra persona confirme…", "Select '%(scanQRCode)s'": "Selecciona «%(scanQRCode)s»", - "Error changing password": "Error al cambiar la contraseña", - "Set a new account password…": "Elige una contraseña para la cuenta…", "Message from %(user)s": "Mensaje de %(user)s", "Enable MSC3946 (to support late-arriving room archives)": "", "common": { @@ -1680,7 +1372,18 @@ "saving": "Guardando…", "profile": "Perfil", "display_name": "Nombre público", - "user_avatar": "Foto de perfil" + "user_avatar": "Foto de perfil", + "authentication": "Autenticación", + "public_room": "Sala pública", + "video_room": "Sala de vídeo", + "public_space": "Espacio público", + "private_space": "Espacio privado", + "private_room": "Sala privada", + "rooms": "Salas", + "low_priority": "Prioridad baja", + "historical": "Historial", + "go_to_settings": "Ir a la configuración", + "setup_secure_messages": "Configurar mensajes seguros" }, "action": { "continue": "Continuar", @@ -1785,7 +1488,16 @@ "unban": "Quitar Veto", "click_to_copy": "Haz clic para copiar", "hide_advanced": "Ocultar ajustes avanzados", - "show_advanced": "Mostrar ajustes avanzados" + "show_advanced": "Mostrar ajustes avanzados", + "unignore": "Dejar de ignorar", + "start_new_chat": "Crear conversación", + "invite_to_space": "Invitar al espacio", + "add_people": "Añadir gente", + "explore_rooms": "Explorar salas", + "new_room": "Nueva sala", + "new_video_room": "Nueva sala de vídeo", + "add_existing_room": "Añadir sala ya existente", + "explore_public_rooms": "Buscar salas públicas" }, "a11y": { "user_menu": "Menú del Usuario", @@ -1798,7 +1510,8 @@ "one": "1 mensaje sin leer." }, "unread_messages": "Mensajes sin leer.", - "jump_first_invite": "Salte a la primera invitación." + "jump_first_invite": "Salte a la primera invitación.", + "room_name": "Sala %(name)s" }, "labs": { "video_rooms": "Salas de vídeo", @@ -1979,7 +1692,22 @@ "space_a11y": "Autocompletar espacios", "user_description": "Usuarios", "user_a11y": "Autocompletar de usuario" - } + }, + "room_upgraded_link": "La conversación continúa aquí.", + "room_upgraded_notice": "Esta sala ha sido reemplazada y ya no está activa.", + "no_perms_notice": "No tienes permiso para publicar en esta sala", + "send_button_voice_message": "Enviar un mensaje de voz", + "close_sticker_picker": "Ocultar pegatinas", + "voice_message_button": "Mensaje de voz", + "poll_button_no_perms_title": "Se necesita permiso", + "poll_button_no_perms_description": "No tienes permisos para empezar encuestas en esta sala.", + "poll_button": "Encuesta", + "mode_plain": "Ocultar formato", + "mode_rich_text": "Mostrar formato", + "formatting_toolbar_label": "Formato", + "format_italics": "Cursiva", + "format_insert_link": "Insertar enlace", + "replying_title": "Respondiendo" }, "Link": "Enlace", "Code": "Código", @@ -2193,7 +1921,19 @@ "auto_gain_control": "Control automático de volumen", "echo_cancellation": "Cancelación de eco", "noise_suppression": "Supresión de ruido", - "enable_fallback_ice_server_description": "Solo se activará si tu servidor base no ofrece uno. Tu dirección IP se compartirá durante la llamada." + "enable_fallback_ice_server_description": "Solo se activará si tu servidor base no ofrece uno. Tu dirección IP se compartirá durante la llamada.", + "missing_permissions_prompt": "No hay permisos de medios, haz clic abajo para pedirlos.", + "request_permissions": "Pedir permisos de los medios", + "audio_output": "Salida de sonido", + "audio_output_empty": "No se han detectado salidas de sonido", + "audio_input_empty": "Micrófono no detectado", + "video_input_empty": "Cámara no detectada", + "title": "Voz y vídeo", + "voice_section": "Ajustes de voz", + "voice_agc": "Ajustar el volumen del micrófono automáticamente", + "video_section": "Ajustes de vídeo", + "voice_processing": "Procesamiento de vídeo", + "connection_section": "Conexión" }, "send_read_receipts_unsupported": "Tu servidor no permite desactivar los acuses de recibo.", "security": { @@ -2264,7 +2004,11 @@ "key_backup_connect": "Conecta esta sesión a la copia de respaldo de tu clave", "key_backup_complete": "Se han copiado todas las claves", "key_backup_algorithm": "Algoritmo:", - "key_backup_inactive_warning": "No se está haciendo una copia de seguridad de tus claves en esta sesión." + "key_backup_inactive_warning": "No se está haciendo una copia de seguridad de tus claves en esta sesión.", + "key_backup_active_version_none": "Ninguno", + "ignore_users_empty": "No has ignorado a nadie.", + "ignore_users_section": "Usuarios ignorados", + "e2ee_default_disabled_warning": "El administrador de tu servidor base ha desactivado el cifrado de extremo a extremo en salas privadas y mensajes directos." }, "preferences": { "room_list_heading": "Lista de salas", @@ -2373,7 +2117,8 @@ "one": "¿Seguro que quieres cerrar %(count)s sesión?", "other": "¿Seguro que quieres cerrar %(count)s sesiones?" }, - "other_sessions_subsection_description": "Para más seguridad, verifica tus sesiones y cierra cualquiera que no reconozcas o hayas dejado de usar." + "other_sessions_subsection_description": "Para más seguridad, verifica tus sesiones y cierra cualquiera que no reconozcas o hayas dejado de usar.", + "error_pusher_state": "Fallo al establecer el estado push" }, "general": { "oidc_manage_button": "Gestionar cuenta", @@ -2393,7 +2138,45 @@ "add_msisdn_dialog_title": "Añadir número de teléfono", "name_placeholder": "Sin nombre público", "error_saving_profile_title": "No se ha podido guardar tu perfil", - "error_saving_profile": "No se ha podido completar la operación" + "error_saving_profile": "No se ha podido completar la operación", + "error_password_change_403": "No se ha podido cambiar la contraseña. ¿Has escrito tu contraseña actual correctamente?", + "error_password_change_http": "%(errorMessage)s (estado HTTP %(httpStatus)s)", + "error_password_change_title": "Error al cambiar la contraseña", + "password_change_success": "Has cambiado tu contraseña.", + "emails_heading": "Correos electrónicos", + "msisdns_heading": "Números de teléfono", + "password_change_section": "Elige una contraseña para la cuenta…", + "external_account_management": "Los detalles de tu cuenta los gestiona de forma separada %(hostname)s.", + "discovery_needs_terms": "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.", + "deactivate_section": "Desactivar cuenta", + "account_management_section": "Gestión de la cuenta", + "deactivate_warning": "Desactivar tu cuenta es para siempre, ¡ten cuidado!", + "discovery_section": "Descubrimiento", + "error_revoke_email_discovery": "No se logró revocar el compartir para la dirección de correo electrónico", + "error_share_email_discovery": "No se logró compartir la dirección de correo electrónico", + "email_not_verified": "Tu dirección de email no ha sido verificada", + "email_verification_instructions": "Haz clic en el enlace del correo electrónico para verificar, y luego nuevamente haz clic en continuar.", + "error_email_verification": "No es posible verificar la dirección de correo electrónico.", + "discovery_email_verification_instructions": "Verifica el enlace en tu bandeja de entrada", + "discovery_email_empty": "Las opciones de descubrimiento aparecerán una vez que haya añadido un correo electrónico arriba.", + "error_revoke_msisdn_discovery": "No se logró revocar el intercambio de un número de teléfono", + "error_share_msisdn_discovery": "No se logró compartir el número de teléfono", + "error_msisdn_verification": "No se pudo verificar el número de teléfono.", + "incorrect_msisdn_verification": "Verificación de código incorrecta", + "msisdn_verification_instructions": "Por favor, escribe el código de verificación que te hemos enviado por SMS.", + "msisdn_verification_field_label": "Código de verificación", + "discovery_msisdn_empty": "Las opciones de descubrimiento aparecerán una vez que haya añadido un número de teléfono arriba.", + "error_set_name": "No se ha podido cambiar el nombre público", + "error_remove_3pid": "No se ha podido eliminar la información de contacto", + "remove_email_prompt": "¿Eliminar %(email)s?", + "error_invalid_email": "Dirección de Correo Electrónico Inválida", + "error_invalid_email_detail": "Esto no parece un e-mail váido", + "error_add_email": "No es posible añadir la dirección de correo electrónico", + "add_email_instructions": "Te hemos enviado un mensaje para verificar tu dirección de correo. Por favor, sigue las instrucciones y después haz clic el botón de abajo.", + "email_address_label": "Dirección de correo", + "remove_msisdn_prompt": "¿Eliminar %(phone)s?", + "add_msisdn_instructions": "Se ha enviado un mensaje de texto a +%(msisdn)s. Por favor, escribe el código de verificación que contiene.", + "msisdn_label": "Número de teléfono" }, "sidebar": { "title": "Barra lateral", @@ -2406,6 +2189,52 @@ "metaspaces_orphans_description": "Agrupa en un mismo sitio todas tus salas que no formen parte de un espacio.", "metaspaces_home_all_rooms_description": "Incluir todas tus salas en inicio, aunque estén dentro de un espacio.", "metaspaces_home_all_rooms": "Ver todas las salas" + }, + "key_backup": { + "backup_in_progress": "Se está realizando una copia de seguridad de sus claves (la primera copia de seguridad puede tardar unos minutos).", + "backup_success": "¡Éxito!", + "create_title": "Crear copia de seguridad de claves", + "cannot_create_backup": "No se puede crear una copia de seguridad de la clave", + "setup_secure_backup": { + "generate_security_key_title": "Generar una llave de seguridad", + "generate_security_key_description": "Vamos a generar una clave de seguridad para que la guardes en un lugar seguro, como un gestor de contraseñas o una caja fuerte.", + "enter_phrase_title": "Escribe una frase de seguridad", + "description": "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.", + "requires_password_confirmation": "Ingrese la contraseña de su cuenta para confirmar la actualización:", + "requires_key_restore": "Restaure la copia de seguridad de su clave para actualizar su cifrado", + "requires_server_authentication": "Deberá autenticarse con el servidor para confirmar la actualización.", + "session_upgrade_description": "Actualice esta sesión para permitirle verificar otras sesiones, otorgándoles acceso a mensajes cifrados y marcándolos como confiables para otros usuarios.", + "phrase_strong_enough": "¡Genial! Esta frase de seguridad parece lo suficientemente segura.", + "pass_phrase_match_success": "¡Eso combina!", + "use_different_passphrase": "¿Utiliza una frase de contraseña diferente?", + "pass_phrase_match_failed": "No coincide.", + "set_phrase_again": "Volver y ponerlo de nuevo.", + "enter_phrase_to_confirm": "Escribe tu frase de seguridad de nuevo para confirmarla.", + "confirm_security_phrase": "Confirma tu frase de seguridad", + "security_key_safety_reminder": "Guarda tu clave de seguridad en un lugar seguro (por ejemplo, un gestor de contraseñas o una caja fuerte) porque sirve para proteger tus datos cifrados.", + "download_or_copy": "%(downloadButton)s o %(copyButton)s", + "secret_storage_query_failure": "No se puede consultar el estado del almacenamiento secreto", + "cancel_warning": "Si cancela ahora, puede perder mensajes y datos cifrados si pierde el acceso a sus inicios de sesión.", + "settings_reminder": "También puedes configurar la copia de seguridad segura y gestionar sus claves en configuración.", + "title_upgrade_encryption": "Actualice su cifrado", + "title_set_phrase": "Establecer una frase de seguridad", + "title_confirm_phrase": "Confirmar la frase de seguridad", + "title_save_key": "Guarde su llave de seguridad", + "unable_to_setup": "No se puede configurar el almacenamiento secreto", + "use_phrase_only_you_know": "Usa una frase secreta que solo tú conozcas y, opcionalmente, guarda una clave de seguridad para usarla como respaldo." + } + }, + "key_export_import": { + "export_title": "Exportar claves de sala", + "export_description_1": "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.", + "enter_passphrase": "Introducir frase de contraseña", + "confirm_passphrase": "Confirmar frase de contraseña", + "phrase_cannot_be_empty": "La contraseña no puede estar en blanco", + "phrase_must_match": "Las contraseñas deben coincidir", + "import_title": "Importar claves de sala", + "import_description_1": "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.", + "import_description_2": "El archivo exportado estará protegido con una contraseña. Deberías ingresar la contraseña aquí para descifrar el archivo.", + "file_to_import": "Fichero a importar" } }, "devtools": { @@ -2878,7 +2707,19 @@ "collapse_reply_thread": "Ocultar respuestas", "view_related_event": "Ver evento relacionado", "report": "Denunciar" - } + }, + "url_preview": { + "show_n_more": { + "one": "Ver otras %(count)s vistas previas", + "other": "Ver %(count)s otra vista previa" + }, + "close": "Cerrar vista previa" + }, + "read_receipt_title": { + "one": "%(count)s persona lo ha visto", + "other": "%(count)s personas lo han visto" + }, + "read_receipts_label": "Acuses de recibo" }, "slash_command": { "spoiler": "Envía el mensaje como un spoiler", @@ -3135,7 +2976,14 @@ "permissions_section_description_room": "Elige los roles que los usuarios deben tener para poder cambiar los distintos ajustes de la sala", "add_privileged_user_heading": "Añadir usuarios privilegiados", "add_privileged_user_description": "Otorga a uno o más usuarios privilegios especiales en esta sala", - "add_privileged_user_filter_placeholder": "Buscar usuarios en esta sala…" + "add_privileged_user_filter_placeholder": "Buscar usuarios en esta sala…", + "error_unbanning": "No se pudo quitar veto", + "banned_by": "Vetado por %(displayName)s", + "ban_reason": "Motivo", + "error_changing_pl_reqs_title": "Error al cambiar el requerimiento de nivel de poder", + "error_changing_pl_reqs_description": "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_pl_title": "Error al cambiar nivel de poder", + "error_changing_pl_description": "Ocurrió un error cambiando los requerimientos de nivel de poder del usuario. Asegúrate de tener los permisos suficientes e inténtalo de nuevo." }, "security": { "strict_encryption": "No enviar nunca mensajes cifrados a sesiones sin verificar en esta sala desde esta sesión", @@ -3188,7 +3036,9 @@ "join_rule_upgrade_updating_spaces": { "one": "Actualizando espacio…", "other": "Actualizando espacios… (%(progress)s de %(count)s)" - } + }, + "error_join_rule_change_title": "Fallo al actualizar las reglas para unirse", + "error_join_rule_change_unknown": "Fallo desconocido" }, "general": { "publish_toggle": "¿Quieres incluir esta sala en la lista pública de salas de %(domain)s?", @@ -3202,7 +3052,9 @@ "error_save_space_settings": "No se han podido guardar los ajustes del espacio.", "description_space": "Edita los ajustes de tu espacio.", "save": "Guardar cambios", - "leave_space": "Salir del espacio" + "leave_space": "Salir del espacio", + "aliases_section": "Direcciones de la sala", + "other_section": "Otros" }, "advanced": { "unfederated": "Esta sala no es accesible desde otros servidores de Matrix", @@ -3212,7 +3064,9 @@ "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:" + "room_version": "Versión de la sala:", + "information_section_space": "Información del espacio", + "information_section_room": "Información de la sala" }, "delete_avatar_label": "Borrar avatar", "upload_avatar_label": "Adjuntar avatar", @@ -3226,11 +3080,32 @@ "history_visibility_anyone_space": "Previsualizar espacio", "history_visibility_anyone_space_description": "Permitir que se pueda ver una vista previa del espacio antes de unirse a él.", "history_visibility_anyone_space_recommendation": "Recomendado para espacios públicos.", - "guest_access_label": "Permitir acceso a personas sin cuenta" + "guest_access_label": "Permitir acceso a personas sin cuenta", + "alias_section": "Dirección" }, "access": { "title": "Acceso", "description_space": "Decide quién puede ver y unirse a %(spaceName)s." + }, + "bridges": { + "description": "Esta sala está haciendo puente con las siguientes plataformas. Aprende más.", + "empty": "Esta sala no está conectada con ninguna otra plataforma de mensajería. Más información.", + "title": "Puentes" + }, + "notifications": { + "uploaded_sound": "Sonido subido", + "settings_link": "Recibe notificaciones según tus ajustes", + "sounds_section": "Sonidos", + "notification_sound": "Sonido para las notificaciones", + "custom_sound_prompt": "Establecer sonido personalizado", + "upload_sound_label": "Subir archivo personalizado", + "browse_button": "Seleccionar" + }, + "voip": { + "enable_element_call_label": "Activar %(brand)s como una opción para las llamadas de esta sala", + "enable_element_call_caption": "%(brand)s está cifrado de extremo a extremo, pero actualmente está limitado a unos pocos participantes.", + "enable_element_call_no_permissions_tooltip": "No tienes suficientes permisos para cambiar esto.", + "call_type_section": "Tipo de llamada" } }, "encryption": { @@ -3265,7 +3140,18 @@ "unverified_session_toast_accept": "Sí, fui yo", "request_toast_detail": "%(deviceId)s desde %(ip)s", "request_toast_decline_counter": "Ignorar (%(counter)s)", - "request_toast_accept": "Verificar sesión" + "request_toast_accept": "Verificar sesión", + "no_key_or_device": "Parece que no tienes una clave de seguridad u otros dispositivos para la verificación. Este dispositivo no podrá acceder los mensajes cifrados antiguos. Para verificar tu identidad en este dispositivo, tendrás que restablecer tus claves de verificación.", + "reset_proceed_prompt": "Continuar y restablecer", + "verify_using_key_or_phrase": "Verificar con una clave o frase de seguridad", + "verify_using_key": "Verificar con una clave de seguridad", + "verify_using_device": "Verificar con otro dispositivo", + "verification_description": "Verifica tu identidad para leer tus mensajes cifrados y probar a las demás personas que realmente eres tú.", + "verification_success_with_backup": "Has verificado tu nuevo dispositivo. Ahora podrá leer tus mensajes cifrados, y el resto verá que es de confianza.", + "verification_success_without_backup": "Has verificado tu nuevo dispositivo. El resto verá que es de confianza.", + "verification_skip_warning": "Si decides no verificar, no tendrás acceso a todos tus mensajes y puede que le aparezcas a los demás como «no confiado».", + "verify_later": "La verificaré en otro momento", + "verify_reset_warning_1": "Una vez restableces las claves de verificación, no lo podrás deshacer. Después de restablecerlas, no podrás acceder a los mensajes cifrados antiguos, y cualquier persona que te haya verificado verá avisos de seguridad hasta que vuelvas a hacer la verificación con ella." }, "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.", @@ -3286,7 +3172,19 @@ "cross_signing_ready_no_backup": "La firma cruzada está lista, pero no hay copia de seguridad de las claves.", "cross_signing_untrusted": "Su cuenta tiene una identidad de firma cruzada en un almacenamiento secreto, pero aún no es confiada en esta sesión.", "cross_signing_not_ready": "La firma cruzada no está configurada.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Nuevo método de recuperación", + "description_1": "Se ha detectado una nueva frase de seguridad y clave para mensajes seguros.", + "description_2": "Esta sesión está cifrando el historial usando el nuevo método de recuperación.", + "warning": "Si no configuró el nuevo método de recuperación, es posible que un atacante esté intentando acceder a su cuenta. Cambie la contraseña de su cuenta y configure un nuevo método de recuperación inmediatamente en Configuración." + }, + "recovery_method_removed": { + "title": "Método de recuperación eliminado", + "description_1": "Esta sesión ha detectado que tu frase de seguridad y clave para mensajes seguros ha sido eliminada.", + "description_2": "Si hizo esto accidentalmente, puede configurar Mensajes seguros en esta sesión que volverá a cifrar el historial de mensajes de esta sesión con un nuevo método de recuperación.", + "warning": "Si no eliminó el método de recuperación, es posible que un atacante esté intentando acceder a su cuenta. Cambie la contraseña de su cuenta y configure un nuevo método de recuperación inmediatamente en Configuración." + } }, "emoji": { "category_frequently_used": "Frecuente", @@ -3455,7 +3353,10 @@ "autodiscovery_unexpected_error_hs": "Error inesperado en la configuración del servidor", "autodiscovery_unexpected_error_is": "Error inesperado en la configuración del servidor de identidad", "incorrect_credentials_detail": "Por favor, ten en cuenta que estás iniciando sesión en el servidor %(hs)s, y no en matrix.org.", - "create_account_title": "Crear una cuenta" + "create_account_title": "Crear una cuenta", + "failed_soft_logout_homeserver": "No ha sido posible volver a autenticarse debido a un problema con el servidor base", + "soft_logout_subheading": "Borrar datos personales", + "forgot_password_send_email": "Enviar email" }, "room_list": { "sort_unread_first": "Colocar al principio las salas con mensajes sin leer", @@ -3472,7 +3373,23 @@ "notification_options": "Ajustes de notificaciones", "failed_set_dm_tag": "Fallo al poner la etiqueta al mensaje directo", "failed_remove_tag": "Error al eliminar la etiqueta %(tagName)s de la sala", - "failed_add_tag": "Error al añadir la etiqueta %(tagName)s a la sala" + "failed_add_tag": "Error al añadir la etiqueta %(tagName)s a la sala", + "breadcrumbs_label": "Salas visitadas recientemente", + "breadcrumbs_empty": "No hay salas visitadas recientemente", + "add_room_label": "Añadir una sala", + "suggested_rooms_heading": "Salas sugeridas", + "add_space_label": "Añadir un espacio", + "join_public_room_label": "Unirse a la sala pública", + "joining_rooms_status": { + "one": "Entrando en %(count)s sala", + "other": "Entrando en %(count)s salas" + }, + "redacting_messages_status": { + "one": "Borrando mensajes en %(count)s sala", + "other": "Borrando mensajes en %(count)s salas" + }, + "space_menu_label": "Menú de %(spaceName)s", + "home_menu_label": "Opciones de la pantalla de inicio" }, "report_content": { "missing_reason": "Por favor, explica por qué estás denunciando.", @@ -3717,7 +3634,8 @@ "search_children": "Buscar en %(spaceName)s", "invite_link": "Compartir enlace de invitación", "invite": "Invitar gente", - "invite_description": "Invitar correos electrónicos o nombres de usuario" + "invite_description": "Invitar correos electrónicos o nombres de usuario", + "invite_this_space": "Invitar al espacio" }, "location_sharing": { "MapStyleUrlNotConfigured": "Este servidor base no está configurado para mostrar mapas.", @@ -3772,7 +3690,8 @@ "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" + "lists_new_label": "ID de sala o dirección de la lista de prohibición", + "rules_empty": "Ninguno" }, "create_space": { "name_required": "Por favor, elige un nombre para el espacio", @@ -3870,8 +3789,71 @@ "low_priority": "Prioridad baja", "forget": "Olvidar sala", "mark_read": "Marcar como leído", - "notifications_mute": "Silenciar sala" - } + "notifications_mute": "Silenciar sala", + "title": "Opciones de la sala" + }, + "invite_this_room": "Invitar a la sala", + "header": { + "video_call_button_jitsi": "Videollamada (Jitsi)", + "video_call_button_ec": "Videollamada (%(brand)s)", + "video_call_ec_layout_freedom": "Libertad", + "video_call_ec_layout_spotlight": "Spotlight", + "video_call_ec_change_layout": "Cambiar disposición", + "forget_room_button": "Olvidar sala", + "hide_widgets_button": "Ocultar accesorios", + "show_widgets_button": "Mostrar accesorios", + "close_call_button": "Terminar llamada", + "video_room_view_chat_button": "Ver historial del chat" + }, + "joining_space": "Uniéndose al espacio…", + "joining_room": "Uniéndose a la sala…", + "joining": "Uniéndose…", + "rejecting": "Rechazar invitación…", + "join_title": "Únete a la sala para participar", + "join_title_account": "Unirse a la conversación con una cuenta", + "join_button_account": "Registrarse", + "loading_preview": "Cargando previsualización", + "kicked_from_room_by": "%(memberName)s te ha sacado de %(roomName)s", + "kicked_by": "%(memberName)s te ha sacado", + "kick_reason": "Razón: %(reason)s", + "forget_space": "Olvidar este espacio", + "forget_room": "Olvidar esta sala", + "rejoin_button": "Volver a entrar", + "banned_from_room_by": "%(memberName)s te ha echado de %(roomName)s", + "banned_by": "%(memberName)s te ha vetado", + "3pid_invite_error_title_room": "Algo salió a mal invitando a %(roomName)s", + "3pid_invite_error_title": "Ha ocurrido un error al procesar tu invitación.", + "3pid_invite_error_description": "Ha ocurrido un error (%(errcode)s) al validar tu invitación. Puedes intentar a pasarle esta información a la persona que te ha invitado.", + "3pid_invite_error_invite_subtitle": "Sólo puedes unirte con una invitación que funciona.", + "3pid_invite_error_invite_action": "Intentar unirse de todas formas", + "3pid_invite_error_public_subtitle": "Todavía puedes unirte.", + "join_the_discussion": "Unirme a la Sala", + "3pid_invite_email_not_found_account_room": "Esta invitación a la sala %(roomName)s fue enviada a %(email)s que no está asociada a su cuenta", + "3pid_invite_email_not_found_account": "Esta invitación se envió originalmente a %(email)s, que no está asociada a tu cuenta", + "link_email_to_receive_3pid_invite": "Para recibir invitaciones directamente en %(brand)s, en Configuración, debes vincular este correo electrónico con tu cuenta.", + "invite_sent_to_email_room": "Esta invitación a %(roomName)s fue enviada a %(email)s", + "invite_sent_to_email": "Esta invitación se envió a %(email)s", + "3pid_invite_no_is_subtitle": "Utilice un servidor de identidad en Configuración para recibir invitaciones directamente en %(brand)s.", + "invite_email_mismatch_suggestion": "Comparte este correo electrónico en Configuración para recibir invitaciones directamente en %(brand)s.", + "dm_invite_title": "¿Quieres empezar una conversación con %(user)s?", + "dm_invite_subtitle": " quiere mandarte mensajes", + "dm_invite_action": "Empezar una conversación", + "invite_title": "¿Quieres unirte a %(roomName)s?", + "invite_subtitle": " te ha invitado", + "invite_reject_ignore": "Rechazar e ignorar usuario", + "peek_join_prompt": "Esto es una vista previa de %(roomName)s. ¿Te quieres unir?", + "no_peek_join_prompt": "La sala %(roomName)s no permite previsualización. ¿Quieres unirte?", + "no_peek_no_name_join_prompt": "No hay previsualización. ¿Te quieres unir?", + "not_found_title_name": "%(roomName)s no existe.", + "not_found_title": "Esta sala o espacio no existe.", + "not_found_subtitle": "¿Seguro que estás en el sitio correcto?", + "inaccessible_name": "%(roomName)s no es accesible en este momento.", + "inaccessible": "Esta sala o espacio no es accesible en este momento.", + "inaccessible_subtitle_1": "Inténtalo más tarde, o pídele a alguien con permisos de administrador dentro de la sala o espacio que compruebe si tienes acceso.", + "inaccessible_subtitle_2": "El código de error %(errcode)s fue devuelto cuando se intentaba acceder a la sala o espacio. Si crees que este mensaje es un error, por favor, envía un reporte de bug .", + "join_failed_needs_invite": "Para ver %(roomName)s necesitas una invitación", + "view_failed_enable_video_rooms": "Para verla, activa las salas de vídeos en la sección de experimentos de los ajustes", + "join_failed_enable_video_rooms": "Para unirse, por favor activa las salas de vídeo en Labs primero" }, "file_panel": { "guest_note": "Regístrate para usar esta funcionalidad", @@ -4015,7 +3997,14 @@ "keyword_new": "Nueva palabra clave", "class_global": "Global", "class_other": "Otros", - "mentions_keywords": "Menciones y palabras clave" + "mentions_keywords": "Menciones y palabras clave", + "default": "Por defecto", + "all_messages": "Todos los mensajes", + "all_messages_description": "Recibe notificaciones para todos los mensajes", + "mentions_and_keywords": "@menciones y palabras clave", + "mentions_and_keywords_description": "Recibir notificaciones solo cuando me mencionen o escriban una palabra vigilada configurada en los ajustes", + "mute_description": "No recibirás ninguna notificación", + "message_didnt_send": "Mensaje no enviado. Haz clic para más info." }, "mobile_guide": { "toast_title": "Usa la aplicación para una experiencia mejor", @@ -4040,6 +4029,44 @@ "integration_manager": { "connecting": "Conectando al gestor de integraciones…", "error_connecting_heading": "No se puede conectar al gestor de integraciones", - "error_connecting": "El gestor de integraciones está desconectado o no puede conectar con su servidor." + "error_connecting": "El gestor de integraciones está desconectado o no puede conectar con su servidor.", + "use_im_default": "Usar un gestor de integraciones (%(serverName)s) para gestionar bots, accesorios y paquetes de pegatinas.", + "use_im": "Usa un gestor de integraciones para bots, accesorios y paquetes de pegatinas.", + "manage_title": "Gestor de integraciones", + "explainer": "Los gestores de integraciones reciben datos de configuración, y pueden modificar accesorios, enviar invitaciones de sala, y establecer niveles de poder en tu nombre." + }, + "identity_server": { + "url_not_https": "La URL del servidor de identidad debe ser HTTPS", + "error_invalid": "No es un servidor de identidad válido (código de estado %(code)s)", + "error_connection": "No se ha podido conectar al servidor de identidad", + "checking": "Comprobando servidor", + "change": "Cambiar el servidor de identidad", + "change_prompt": "¿Desconectarse del servidor de identidad y conectarse a ?", + "error_invalid_or_terms": "Términos de servicio no aceptados o el servidor de identidad es inválido.", + "no_terms": "El servidor de identidad que has elegido no tiene ningún término de servicio.", + "disconnect": "Desconectar servidor de identidad", + "disconnect_server": "¿Desconectarse del servidor de identidad ?", + "disconnect_offline_warning": "Usted debe eliminar sus datos personales del servidor de identidad antes de desconectarse. Desafortunadamente, el servidor de identidad está actualmente desconectado o es imposible comunicarse con él por otra razón.", + "suggestions": "Deberías:", + "suggestions_1": "comprueba los complementos (plugins) de tu navegador para ver si hay algo que pueda bloquear el servidor de identidad (como p.ej. Privacy Badger)", + "suggestions_2": "contactar con los administradores del servidor de identidad ", + "suggestions_3": "espera y vuelve a intentarlo más tarde", + "disconnect_anyway": "Desconectar de todas formas", + "disconnect_personal_data_warning_1": "Usted todavía está compartiendo sus datos personales en el servidor de identidad .", + "disconnect_personal_data_warning_2": "Le recomendamos que elimine sus direcciones de correo electrónico y números de teléfono del servidor de identidad antes de desconectarse.", + "url": "Servidor de identidad %(server)s", + "description_connected": "Estás usando actualmente para descubrir y ser descubierto por contactos existentes que conoces. Puedes cambiar tu servidor de identidad más abajo.", + "change_server_prompt": "Si no quieres usar para descubrir y ser descubierto por contactos existentes que conoces, introduce otro servidor de identidad más abajo.", + "description_disconnected": "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.", + "disconnect_warning": "Desconectarte de tu servidor de identidad significa que no podrás ser descubierto por otros usuarios y no podrás invitar a otros por email o teléfono.", + "description_optional": "Usar un servidor de identidad es opcional. Si eliges no usar un servidor de identidad, no podrás ser descubierto por otros usuarios y no podrás invitar a otros por email o teléfono.", + "do_not_use": "No usar un servidor de identidad", + "url_field_label": "Introducir un servidor de identidad nuevo" + }, + "member_list": { + "invite_button_no_perms_tooltip": "No tienes permisos para invitar usuarios", + "invited_list_heading": "Invitado", + "filter_placeholder": "Filtrar miembros de la sala", + "power_label": "%(userName)s (nivel de permisos %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/et.json b/src/i18n/strings/et.json index fa8c382300..d7a821356e 100644 --- a/src/i18n/strings/et.json +++ b/src/i18n/strings/et.json @@ -16,12 +16,7 @@ "AM": "EL", "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", "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.", - "Invite to this room": "Kutsu siia jututuppa", - "The conversation continues here.": "Vestlus jätkub siin.", "Direct Messages": "Isiklikud sõnumid", - "Rooms": "Jututoad", - "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, 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.", @@ -40,19 +35,12 @@ "collapse": "ahenda", "expand": "laienda", "Enter the name of a new server you want to explore.": "Sisesta uue serveri nimi mida tahad uurida.", - "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.", - "Unable to remove contact information": "Kontaktiinfo eemaldamine ebaõnnestus", - "Remove %(email)s?": "Eemalda %(email)s?", - "Remove %(phone)s?": "Eemalda %(phone)s?", "Remove recent messages by %(user)s": "Eemalda %(user)s hiljutised sõnumid", "Remove %(count)s messages": { "other": "Eemalda %(count)s sõnumit", "one": "Eemalda 1 sõnum" }, "Remove recent messages": "Eemalda hiljutised sõnumid", - "Filter room members": "Filtreeri jututoa liikmeid", "Sign out and remove encryption keys?": "Logi välja ja eemalda krüptimisvõtmed?", "Upload files (%(current)s of %(total)s)": "Laadin faile üles (%(current)s / %(total)s)", "Upload files": "Laadi failid üles", @@ -63,13 +51,11 @@ "one": "Laadi üles %(count)s muu fail" }, "Resend %(unsentCount)s reaction(s)": "Saada uuesti %(unsentCount)s reaktsioon(i)", - "All messages": "Kõik sõnumid", "Home": "Avaleht", "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.", "Share Link to User": "Jaga viidet kasutaja kohta", "Admin Tools": "Haldustoimingud", - "Reject & Ignore user": "Hülga ja eira kasutaja", "Filter results": "Filtreeri tulemusi", "Share Room": "Jaga jututuba", "Link to most recent message": "Viide kõige viimasele sõnumile", @@ -119,18 +105,13 @@ "%(duration)sm": "%(duration)s minut(it)", "%(duration)sh": "%(duration)s tund(i)", "%(duration)sd": "%(duration)s päev(a)", - "Replying": "Vastan", - "Room %(name)s": "Jututuba %(name)s", "Unnamed room": "Nimeta jututuba", "(~%(count)s results)": { "other": "(~%(count)s tulemust)", "one": "(~%(count)s tulemus)" }, "Join Room": "Liitu jututoaga", - "Forget room": "Unusta jututuba", "Share room": "Jaga jututuba", - "Low priority": "Vähetähtis", - "Historical": "Ammune", "New published address (e.g. #alias:server)": "Uus avaldatud aadess (näiteks #alias:server)", "e.g. my-room": "näiteks minu-jututuba", "Can't find this server or its room list": "Ei leia seda serverit ega tema jututubade loendit", @@ -156,14 +137,12 @@ "Server did not require any authentication": "Server ei nõudnud mitte mingisugust autentimist", "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", "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", "Unencrypted": "Krüptimata", "Encrypted by a deleted session": "Krüptitud kustutatud sessiooni poolt", "Scroll to most recent messages": "Mine viimaste sõnumite juurde", - "Close preview": "Sulge eelvaade", "No recent messages by %(user)s found": "Kasutajalt %(user)s ei leitud hiljutisi sõnumeid", "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.", @@ -173,27 +152,10 @@ "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.", "Someone is using an unknown session": "Keegi kasutab tundmatut sessiooni", "This event could not be displayed": "Seda sündmust ei õnnestunud kuvada", - "Unable to add email address": "E-posti aadressi lisamine ebaõnnestus", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Sinu aadressi kontrollimiseks saatsime sulle e-kirja. Palun järgi kirjas näidatud juhendit ja siis klõpsi alljärgnevat nuppu.", - "Email Address": "E-posti aadress", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Saatsime tekstisõnumi numbrile +%(msisdn)s. Palun sisesta seal kuvatud kontrollkood.", - "Phone Number": "Telefoninumber", - "No Audio Outputs detected": "Ei leidnud ühtegi heliväljundit", - "No Microphones detected": "Ei leidnud ühtegi mikrofoni", - "No Webcams detected": "Ei leidnud ühtegi veebikaamerat", - "Audio Output": "Heliväljund", - "Voice & Video": "Heli ja video", - "Room information": "Info jututoa kohta", "Room Name": "Jututoa nimi", "Room Topic": "Jututoa teema", "Room Settings - %(roomName)s": "Jututoa seadistused - %(roomName)s", "General failure": "Üldine viga", - "Missing media permissions, click the button below to request.": "Meediaga seotud õigused puuduvad. Nende nõutamiseks klõpsi järgnevat nuppu.", - "Request media permissions": "Nõuta meediaõigusi", - "Failed to set display name": "Kuvatava nime määramine ebaõnnestus", - "Failed to change password. Is your password correct?": "Salasõna muutmine ebaõnnestus. Kas sinu salasõna on ikka õige?", - "Email addresses": "E-posti aadressid", - "Phone numbers": "Telefoninumbrid", "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", @@ -265,9 +227,6 @@ "Warning!": "Hoiatus!", "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", - "Go to Settings": "Ava seadistused", - "Set up Secure Messages": "Võta kasutusele krüptitud sõnumid", "You seem to be in a call, are you sure you want to quit?": "Tundub, et sul parasjagu on kõne pooleli. Kas sa kindlasti soovid väljuda?", "Failed to reject invite": "Kutse tagasilükkamine ei õnnestunud", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Üritasin laadida teatud hetke selle jututoa ajajoonelt, kuid sul ei ole õigusi selle sõnumi nägemiseks.", @@ -279,7 +238,6 @@ "Uploading %(filename)s": "Laadin üles %(filename)s", "A new password must be entered.": "Palun sisesta uus salasõna.", "New passwords must match each other.": "Uued salasõnad peavad omavahel klappima.", - "Clear personal data": "Kustuta privaatsed andmed", "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", "Are you sure you want to leave the room '%(roomName)s'?": "Kas oled kindel, et soovid lahkuda jututoast „%(roomName)s“?", @@ -296,53 +254,13 @@ "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Jututoa lisaaadressi uuendamisel tekkis viga. See kas pole serveris lubatud või tekkis mingi ajutine viga.", "Main address": "Põhiaadress", "not specified": "määratlemata", - "Join the conversation with an account": "Liitu vestlusega kasutades oma kontot", - "Sign Up": "Registreeru", - "Reason: %(reason)s": "Põhjus: %(reason)s", - "Forget this room": "Unusta see jututuba", - "Re-join": "Liitu uuesti", - "You were banned from %(roomName)s by %(memberName)s": "%(memberName)s keelas sulle ligipääsu jututuppa %(roomName)s", - "Something went wrong with your invite to %(roomName)s": "Midagi läks viltu sinu kutsega %(roomName)s jututuppa", "unknown error code": "tundmatu veakood", - "You can only join it with a working invite.": "Sa võid liituda vaid toimiva kutse alusel.", - "Try to join anyway": "Proovi siiski liituda", - "Join the discussion": "Liitu vestlusega", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "See kutse jututuppa %(roomName)s saadeti e-posti aadressile %(email)s, mis ei ole seotud sinu kontoga", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Selleks et saada kutseid otse %(brand)s'isse, seosta see e-posti aadress seadete all oma kontoga.", - "This invite to %(roomName)s was sent to %(email)s": "Kutse %(roomName)s jututuppa saadeti %(email)s e-posti aadressile", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Selleks et saada kutseid otse %(brand)s'isse peab seadistustes olema määratud isikutuvastusserver.", - "Share this email in Settings to receive invites directly in %(brand)s.": "Selleks, et saada kutseid otse %(brand)s'isse, jaga oma seadetes seda e-posti aadressi.", - "Start chatting": "Alusta vestlust", - "Do you want to join %(roomName)s?": "Kas sa soovid liitud jututoaga %(roomName)s?", - " invited you": " kutsus sind", - "You're previewing %(roomName)s. Want to join it?": "Sa vaatad jututoa %(roomName)s eelvaadet. Kas soovid sellega liituda?", - "%(roomName)s can't be previewed. Do you want to join it?": "Jututoal %(roomName)s puudub eelvaate võimalus. Kas sa soovid sellega liituda?", - "%(roomName)s does not exist.": "Jututuba %(roomName)s ei ole olemas.", - "%(roomName)s is not accessible at this time.": "Jututuba %(roomName)s ei ole parasjagu kättesaadav.", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Selle jututoa versiooni uuendamine sulgeb tema praeguse instantsi ja loob sama nimega uuendatud jututoa.", "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", - "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", - "Click the link in the email you received to verify and then click continue again.": "Klõpsi saabunud e-kirjas olevat verifitseerimisviidet ning seejärel klõpsi siin uuesti nuppu „Jätka“.", - "Unable to verify email address.": "E-posti aadressi verifitseerimine ei õnnestunud.", - "Verify the link in your inbox": "Verifitseeri klõpsides viidet saabunud e-kirjas", "Logs sent": "Logikirjed saadetud", "Thank you!": "Suur tänu!", - "This room is bridging messages to the following platforms. Learn more.": "See jututuba kasutab sõnumisildasid liidestamiseks järgmiste süsteemidega. Lisateave.", - "Bridges": "Sõnumisillad", - "Room Addresses": "Jututubade aadressid", - "Browse": "Sirvi", - "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.", - "Incorrect verification code": "Vigane verifikatsioonikood", - "Please enter verification code sent via text.": "Palun sisesta verifikatsioonikood, mille said telefoni tekstisõnumina.", - "Verification code": "Verifikatsioonikood", - "Invalid Email Address": "Vigane e-posti aadress", - "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: ", "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.", @@ -377,13 +295,6 @@ "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.", "Your password has been reset.": "Sinu salasõna on muudetud.", - "Unignore": "Lõpeta eiramine", - "Uploaded sound": "Üleslaaditud heli", - "Sounds": "Helid", - "Notification sound": "Teavitusheli", - "Set a new custom sound": "Seadista uus kohandatud heli", - "Permission Required": "Vaja on täiendavaid õigusi", - "Enter passphrase": "Sisesta paroolifraas", "Enter a server name": "Sisesta serveri nimi", "Looks good": "Tundub õige", "Use an identity server to invite by email. Use the default (%(defaultIdentityServerName)s) or manage in Settings.": "E-posti teel kutse saatmiseks kasuta isikutuvastusserverit. Võid kasutada vaikimisi serverit (%(defaultIdentityServerName)s) või määrata muud serverid seadistustes.", @@ -400,25 +311,7 @@ "Not Trusted": "Ei ole usaldusväärne", "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", "%(items)s and %(lastItem)s": "%(items)s ja %(lastItem)s", - "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 ?", - "Terms of service not accepted or the identity server is invalid.": "Kas puudub nõustumine kasutustingimustega või on isikutuvastusserver vale.", - "The identity server you have chosen does not have any terms of service.": "Sinu valitud isikutuvastusserveril pole kasutustingimusi.", - "Disconnect identity server": "Katkesta ühendus isikutuvastusserveriga", - "Disconnect from the identity server ?": "Kas katkestame ühenduse isikutuvastusserveriga ?", - "You should:": "Sa peaksid:", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "kontrollima kas mõni brauseriplugin takistab ühendust isikutuvastusserveriga (nagu näiteks Privacy Badger)", - "contact the administrators of identity server ": "võtma ühendust isikutuvastusserveri haldajaga", - "wait and try again later": "oota ja proovi hiljem uuesti", - "Disconnect anyway": "Ikkagi katkesta ühendus", - "You are still sharing your personal data on the identity server .": "Sa jätkuvalt jagad oma isikuandmeid isikutuvastusserveriga .", - "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Sinu serveri haldur on lülitanud läbiva krüptimise omavahelistes jututubades ja otsesõnumites välja.", - "This room has been replaced and is no longer active.": "See jututuba on asendatud teise jututoaga ning ei ole enam kasutusel.", - "You do not have permission to post to this room": "Sul ei ole õigusi siia jututuppa kirjutamiseks", - "Italics": "Kaldkiri", "Message preview": "Sõnumi eelvaade", "Upgrade this room to version %(version)s": "Uuenda jututuba versioonini %(version)s", "Upgrade Room Version": "Uuenda jututoa versioon", @@ -467,7 +360,6 @@ "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.", "Switch theme": "Vaheta teemat", - "Default": "Tavaline", "Restricted": "Piiratud õigustega kasutaja", "Moderator": "Moderaator", "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.", @@ -483,24 +375,11 @@ "Ok": "Sobib", "IRC display name width": "IRC kuvatava nime laius", "Back up your keys before signing out to avoid losing them.": "Vältimaks nende kaotamist, varunda krüptovõtmed enne väljalogimist.", - "None": "Ei ühelgi juhul", - "Ignored users": "Eiratud kasutajad", - "Failed to unban": "Ligipääsu taastamine ei õnnestunud", - "Banned by %(displayName)s": "Ligipääs on keelatud %(displayName)s poolt", - "Error changing power level requirement": "Viga õiguste taseme nõuete muutmisel", - "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.", - "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.", "and %(count)s others...": { "other": "ja %(count)s muud...", "one": "ja üks muu..." }, - "Invited": "Kutsutud", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (õigused %(powerLevelNumber)s)", - "No recently visited rooms": "Hiljuti külastatud jututubasid ei leidu", "Error creating address": "Viga aadressi loomisel", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Aadressi loomisel tekkis viga. See kas on serveri poolt keelatud või tekkis ajutine tõrge.", "You don't have permission to delete the address.": "Sinul pole õigusi selle aadressi kustutamiseks.", @@ -583,45 +462,10 @@ "Homeserver URL does not appear to be a valid Matrix homeserver": "Koduserveri URL ei tundu viitama korrektsele Matrix'i koduserverile", "Invalid identity server discovery response": "Vigane vastus isikutuvastusserveri tuvastamise päringule", "Invalid base_url for m.identity_server": "m.identity_server'i kehtetu base_url", - "Passphrases must match": "Paroolifraasid ei klapi omavahel", - "Passphrase must not be empty": "Paroolifraas ei tohi olla tühi", - "Export room keys": "Ekspordi jututoa võtmed", - "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.": "Selle toiminguga on sul võimalik saabunud krüptitud sõnumite võtmed eksportida sinu kontrollitavasse kohalikku faili. Seetõttu on sul tulevikus võimalik importida need võtmed mõnda teise Matrix'i klienti ning seeläbi muuta saabunud krüptitud sõnumid ka seal loetavaks.", - "Confirm passphrase": "Sisesta paroolifraas veel üks kord", - "Import room keys": "Impordi jututoa võtmed", - "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.": "Selle toiminguga saad importida krüptimisvõtmed, mis sa viimati olid teisest Matrix'i kliendist eksportinud. Seejärel on võimalik dekrüptida ka siin kõik need samad sõnumid, mida see teine klient suutis dekrüptida.", - "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Ekspordifail on turvatud paroolifraasiga ning alljärgnevalt peaksid dekrüptimiseks sisestama selle paroolifraasi.", - "File to import": "Imporditav fail", "Confirm encryption setup": "Krüptimise seadistuse kinnitamine", "Click the button below to confirm setting up encryption.": "Kinnitamaks, et soovid krüptimist seadistada, klõpsi järgnevat nuppu.", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Tagamaks, et sa ei kaota ligipääsu krüptitud sõnumitele ja andmetele, varunda krüptimisvõtmed oma serveris.", - "Generate a Security Key": "Loo turvavõti", - "Enter a Security Phrase": "Sisesta turvafraas", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Sisesta turvafraas, mida vaid sina tead ning lisaks võid salvestada varunduse turvavõtme.", - "Enter your account password to confirm the upgrade:": "Kinnitamaks seda muudatust, sisesta oma konto salasõna:", - "Restore your key backup to upgrade your encryption": "Krüptimine uuendamiseks taasta oma varundatud võtmed", - "You'll need to authenticate with the server to confirm the upgrade.": "Uuenduse kinnitamiseks pead end autentima serveris.", - "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Teiste sessioonide verifitseerimiseks pead uuendama seda sessiooni. Muud verifitseeritud sessioonid saavad sellega ligipääsu krüptitud sõnumitele ning nad märgitakse usaldusväärseteks ka teiste kasutajate jaoks.", - "That matches!": "Klapib!", - "Use a different passphrase?": "Kas kasutame muud paroolifraasi?", - "That doesn't match.": "Ei klapi mitte.", - "Go back to set it again.": "Mine tagasi ja sisesta nad uuesti.", - "Unable to query secret storage status": "Ei õnnestu tuvastada turvahoidla olekut", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Kui sa tühistad nüüd, siis sa võid peale viimasest seadmest välja logimist kaotada ligipääsu oma krüptitud sõnumitele ja andmetele.", - "You can also set up Secure Backup & manage your keys in Settings.": "Samuti võid sa seadetes võtta kasutusse turvalise varunduse ning hallata oma krüptovõtmeid.", - "Set a Security Phrase": "Määra turvafraas", - "Confirm Security Phrase": "Kinnita turvafraas", - "Save your Security Key": "Salvesta turvavõti", - "Unable to set up secret storage": "Turvahoidla kasutuselevõtmine ei õnnestu", - "Your keys are being backed up (the first backup could take a few minutes).": "Sinu krüptovõtmeid varundatakse (esimese varukoopia tegemine võib võtta paar minutit).", - "Authentication": "Autentimine", "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.", - "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Selleks, et sind võiks leida e-posti aadressi või telefoninumbri alusel, nõustu isikutuvastusserveri (%(serverName)s) kasutustingimustega.", - "Account management": "Kontohaldus", - "Deactivate Account": "Deaktiveeri konto", - "Discovery": "Leia kasutajaid", "Deactivate account": "Deaktiveeri kasutajakonto", - "Room options": "Jututoa eelistused", "This room is public": "See jututuba on avalik", "Room avatar": "Jututoa tunnuspilt ehk avatar", "Waiting for %(displayName)s to accept…": "Ootan, et %(displayName)s nõustuks…", @@ -650,28 +494,10 @@ "Edited at %(date)s": "Muutmise kuupäev %(date)s", "Click to view edits": "Muudatuste nägemiseks klõpsi", "In reply to ": "Vastuseks kasutajale ", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Sa hetkel kasutad serverit, et olla leitav ja ise leida sinule teadaolevaid inimesi. Alljärgnevalt saad sa muuta oma isikutuvastusserverit.", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Kui sa ei soovi kasutada serverit, et olla leitav ja ise leida sinule teadaolevaid inimesi, siis sisesta alljärgnevalt mõni teine isikutuvastusserver.", - "Do not use an identity server": "Ära kasuta isikutuvastusserverit", - "Enter a new identity server": "Sisesta uue isikutuvastusserveri nimi", - "Manage integrations": "Halda lõiminguid", "This backup is trusted because it has been restored on this session": "See varukoopia on usaldusväärne, sest ta on taastatud sellest sessioonist", "Start using Key Backup": "Võta kasutusele krüptovõtmete varundamine", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Sa hetkel ei kasuta isikutuvastusserverit. Et olla leitav ja ise leida sinule teadaolevaid inimesi seadista ta alljärgnevalt.", - "Recovery Method Removed": "Taastemeetod on eemaldatud", - "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.": "Kui sa tegid seda juhuslikult, siis sa võid selles sessioonis uuesti seadistada sõnumite krüptimise, mille tulemusel krüptime uuesti kõik sõnumid ja loome uue taastamise meetodi.", - "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.": "Kui sa ei ole ise taastamise meetodeid eemaldanud, siis võib olla tegemist ründega sinu konto vastu. Palun vaheta koheselt oma kasutajakonto salasõna ning määra seadistustes uus taastemeetod.", - "Reason": "Põhjus", - "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.": "Isikutuvastusserveri kasutamine ei ole kohustuslik. Kui sa seda ei tee, siis sa ei ole leitav teiste kasutajate poolt ega sulle ei saa telefoninumbri või e-posti aadressi alusel kutset saata. Küll aga saab kutset saata Matrix'i kasutajatunnuse alusel.", - "Success!": "Õnnestus!", - "Create key backup": "Tee võtmetest varukoopia", - "Unable to create key backup": "Ei õnnestu teha võtmetest varukoopiat", - "New Recovery Method": "Uus taastamise meetod", - "This session is encrypting history using the new recovery method.": "See sessioon krüptib ajalugu kasutades uut taastamise meetodit.", - "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.": "Isikutuvastusserveri kasutamise lõpetamine tähendab, et sa ei ole leitav teiste kasutajate poolt ega sulle ei saa telefoninumbri või e-posti aadressi alusel kutset saata. Küll aga saab kutset saata Matrix'i kasutajatunnuse alusel.", "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": "Selleks, et sa ei kaotaks oma vestluste ajalugu, pead sa eksportima jututoa krüptovõtmed enne välja logimist. Küll, aga pead sa selleks kasutama %(brand)s uuemat versiooni", "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.": "Sa oled selle sessiooni jaoks varem kasutanud %(brand)s'i uuemat versiooni. Selle versiooni kasutamiseks läbiva krüptimisega, pead sa esmalt logima välja ja siis uuesti logima tagasi sisse.", - "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.": "Kui sa ei ole ise uusi taastamise meetodeid lisanud, siis võib olla tegemist ründega sinu konto vastu. Palun vaheta koheselt oma kasutajakonto salasõna ning määra seadistustes uus taastemeetod.", "Server isn't responding": "Server ei vasta päringutele", "Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "Sinu koduserver ei vasta mõnedele sinu päringutele. Alljärgnevalt on mõned võimalikud põhjused.", "The server (%(serverName)s) took too long to respond.": "Vastuseks serverist %(serverName)s kulus liiga palju aega.", @@ -684,7 +510,6 @@ "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.", "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.", "Preparing to download logs": "Valmistun logikirjete allalaadimiseks", @@ -711,8 +536,6 @@ "You can only pin up to %(count)s widgets": { "other": "Sa saad kinnitada kuni %(count)s vidinat" }, - "Show Widgets": "Näita vidinaid", - "Hide Widgets": "Peida vidinad", "Data on this screen is shared with %(widgetDomain)s": "Andmeid selles vaates jagatakse %(widgetDomain)s serveriga", "Modal Widget": "Modaalne vidin", "Invite someone using their name, email address, username (like ) or share this room.": "Kutsu teist osapoolt tema nime, e-posti aadressi, kasutajanime (nagu ) alusel või jaga seda jututuba.", @@ -995,15 +818,10 @@ "Unable to access secret storage. Please verify that you entered the correct Security Phrase.": "Ei õnnestu saada ligipääsu turvahoidlale. Palun kontrolli, et sa oleksid sisestanud õige turvafraasi.", "Invalid Security Key": "Vigane turvavõti", "Wrong Security Key": "Vale turvavõti", - "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Oleme tuvastanud, et selles sessioonis ei leidu turvafraasi ega krüptitud sõnumite turvavõtit.", - "A new Security Phrase and key for Secure Messages have been detected.": "Tuvastasin krüptitud sõnumite uue turvafraasi ja turvavõtme.", - "Confirm your Security Phrase": "Kinnita oma turvafraasi", - "Great! This Security Phrase looks strong enough.": "Suurepärane! Turvafraas on piisavalt kange.", "Set my room layout for everyone": "Kasuta minu jututoa paigutust kõigi jaoks", "Remember this": "Jäta see meelde", "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", - "Recently visited rooms": "Hiljuti külastatud jututoad", "Are you sure you want to leave the space '%(spaceName)s'?": "Kas oled kindel, et soovid lahkuda kogukonnakeskusest „%(spaceName)s“?", "This space is not public. You will not be able to rejoin without an invite.": "See ei ole avalik kogukonnakeskus. Ilma kutseta sa ei saa uuesti liituda.", "Failed to start livestream": "Videovoo käivitamine ei õnnestu", @@ -1013,9 +831,6 @@ "Create a new room": "Loo uus jututuba", "Space selection": "Kogukonnakeskuse valik", "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.": "Kuna sa vähendad enda õigusi, siis sul ei pruugi hiljem olla võimalik seda muutust tagasi pöörata. Kui sa juhtumisi oled viimane haldusõigustega kasutaja kogukonnakeskuses, siis hiljem on võimatu samu õigusi tagasi saada.", - "Suggested Rooms": "Soovitatud jututoad", - "Add existing room": "Lisa olemasolev jututuba", - "Invite to this space": "Kutsu siia kogukonnakeskusesse", "Your message was sent": "Sinu sõnum sai saadetud", "Leave space": "Lahku kogukonnakeskusest", "Create a space": "Loo kogukonnakeskus", @@ -1034,8 +849,6 @@ "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", "Add existing rooms": "Lisa olemasolevaid jututubasid", "%(count)s people you know have already joined": { "other": "%(count)s sulle tuttavat kasutajat on juba liitunud", @@ -1048,7 +861,6 @@ "Reset event store": "Lähtesta sündmuste andmekogu", "Avatar": "Tunnuspilt", "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.", "If you reset everything, you will restart with no trusted sessions, no trusted users, and might not be able to see past messages.": "Kui sa kõik krüptoseosed lähtestad, siis sul esimese hooga pole ühtegi usaldusväärseks tunnistatud sessiooni ega kasutajat ning ilmselt ei saa sa lugeda vanu sõnumeid.", "Only do this if you have no other device to complete verification with.": "Toimi nii vaid siis, kui sul pole jäänud ühtegi seadet, millega verifitseerimist lõpuni teha.", @@ -1067,8 +879,6 @@ "other": "Vaata kõiki %(count)s liiget" }, "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.", "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...", @@ -1085,10 +895,6 @@ "You may contact me if you have any follow up questions": "Kui sul on lisaküsimusi, siis vastan neile hea meelega", "To leave the beta, visit your settings.": "Beetaversiooni saad välja lülitada rakenduse seadistustest.", "Add reaction": "Lisa reaktsioon", - "Currently joining %(count)s rooms": { - "other": "Parasjagu liitun %(count)s jututoaga", - "one": "Parasjagu liitun %(count)s jututoaga" - }, "Or send invite link": "Või saada kutse link", "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", @@ -1097,29 +903,16 @@ "Search for rooms or people": "Otsi jututubasid või inimesi", "Sent": "Saadetud", "You don't have permission to do this": "Sul puuduvad selleks toiminguks õigused", - "Address": "Aadress", "To publish an address, it needs to be set as a local address first.": "Aadressi avaldamiseks peab ta esmalt olema määratud kohalikuks aadressiks.", "Published addresses can be used by anyone on any server to join your room.": "Avaldatud aadresse saab igaüks igast serverist kasutada liitumiseks sinu jututoaga.", "Published addresses can be used by anyone on any server to join your space.": "Avaldatud aadresse saab igaüks igast serverist kasutada liitumiseks sinu kogukonnakeskusega.", "This space has no local addresses": "Sellel kogukonnakeskusel puuduvad kohalikud aadressid", - "Space information": "Kogukonnakeskuse teave", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Selleks et teised kasutajad saaks seda kogukonda leida oma koduserveri kaudu (%(localDomain)s) seadista talle aadressid", "Message search initialisation failed, check your settings for more information": "Sõnumite otsingu ettevalmistamine ei õnnestunud, lisateavet leiad rakenduse seadistustest", "Please provide an address": "Palun sisesta aadress", "Unnamed audio": "Nimetu helifail", - "Show %(count)s other previews": { - "other": "Näita %(count)s muud eelvaadet", - "one": "Näita veel %(count)s eelvaadet" - }, "Error processing audio message": "Viga häälsõnumi töötlemisel", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Sinu %(brand)s ei võimalda selle tegevuse jaoks kasutada lõiminguhaldurit. Palun küsi lisateavet serveri haldajalt.", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Lõiminguhalduritel on laiad volitused - nad võivad sinu nimel lugeda seadistusi, kohandada vidinaid, saata jututubade kutseid ning määrata õigusi.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Robotite, vidinate ja kleepsupakkide seadistamiseks kasuta lõiminguhaldurit.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Robotite, vidinate ja kleepsupakkide jaoks kasuta lõiminguhaldurit (%(serverName)s).", - "Identity server (%(server)s)": "Isikutuvastusserver %(server)s", - "Could not connect to identity server": "Ei saanud ühendust isikutuvastusserveriga", - "Not a valid identity server (status code %(code)s)": "See ei ole sobilik isikutuvastusserver (staatuskood %(code)s)", - "Identity server URL must be HTTPS": "Isikutuvastusserveri URL peab kasutama HTTPS-protokolli", "User Directory": "Kasutajate kataloog", "Unable to copy room link": "Jututoa lingi kopeerimine ei õnnestu", "Unable to copy a link to the room to the clipboard.": "Jututoa lingi kopeerimine lõikelauale ei õnnestunud.", @@ -1134,7 +927,6 @@ "Other spaces or rooms you might not know": "Sellised muud jututoad ja kogukonnakeskused, mida sa ei pruugi teada", "Automatically invite members from this room to the new one": "Kutsu jututoa senised liikmed automaatselt uude jututuppa", "Please note upgrading will make a new version of the room. All current messages will stay in this archived room.": "Palun arvesta, et uuendusega tehakse jututoast uus variant. Kõik senised sõnumid jäävad sellesse jututuppa arhiveeritud olekus.", - "Public room": "Avalik jututuba", "Leave %(spaceName)s": "Lahku %(spaceName)s kogukonnakeskusest", "Decrypting": "Dekrüptin sisu", "You won't be able to rejoin unless you are re-invited.": "Ilma uue kutseta sa ei saa uuesti liituda.", @@ -1156,7 +948,6 @@ "Missed call": "Vastamata kõne", "Send voice message": "Saada häälsõnum", "Stop recording": "Lõpeta salvestamine", - "Add space": "Lisa kogukonnakeskus", "Unknown failure: %(reason)s": "Tundmatu viga: %(reason)s", "Rooms and spaces": "Jututoad ja kogukonnad", "Results": "Tulemused", @@ -1169,9 +960,6 @@ "Could not connect media": "Meediaseadme ühendamine ei õnnestunud", "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", - "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?", "You are about to leave .": "Sa oled lahkumas kogukonnast.", @@ -1181,12 +969,6 @@ "MB": "MB", "In reply to this message": "Vastuseks sellele sõnumile", "Export chat": "Ekspordi vestlus", - "Proceed with reset": "Jätka kustutamisega", - "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.": "Tundub, et sul ei ole ei turvavõtit ega muid seadmeid, mida saaksid verifitseerimiseks kasutada. Siin seadmes ei saa lugeda vanu krüptitud sõnumeid. Enda tuvastamiseks selles seadmed pead oma vanad verifitseerimisvõtmed kustutama.", - "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.": "Verifitseerimisvõtmete kustutamist ei saa hiljem tagasi võtta. Peale seda sul puudub ligipääs vanadele krüptitud sõnumitele ja kõik sinu verifitseeritud sõbrad-tuttavad näevad turvahoiatusi seni kuni sa uuesti nad verifitseerid.", - "I'll verify later": "Ma verifitseerin hiljem", - "Verify with Security Key": "Verifitseeri turvavõtmega", - "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?", "They won't be able to access whatever you're not an admin of.": "Kasutaja ei saa ligi kohtadele, kus sul pole peakasutaja õigusi.", @@ -1206,29 +988,18 @@ "View in room": "Vaata jututoas", "Enter your Security Phrase or to continue.": "Jätkamiseks sisesta oma turvafraas või .", "Joined": "Liitunud", - "Insert link": "Lisa link", "Joining": "Liitun", - "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Kuna seda kasutatakse sinu krüptitud andmete kaitsmiseks, siis hoia oma turvavõtit kaitstud ja turvalises kohas, nagu näiteks arvutis salasõnade halduris või vana kooli seifis.", - "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.", "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.", "In encrypted rooms, verify all users to ensure it's secure.": "Krüptitud jututubades turvalisuse tagamiseks verifitseeri kõik kasutajad.", "Yours, or the other users' session": "Sinu või teise kasutaja sessioon", "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.", - "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", "Reply in thread": "Vasta jutulõngas", "Forget": "Unusta", "Files": "Failid", - "You won't get any notifications": "Sa ei saa üldse teavitusi", - "Get notified only with mentions and keywords as set up in your settings": "Soovin teavitusi sellisena mainimiste ja võtmesõnade puhul, nagu ma neid olen seadistanud", - "@mentions & keywords": "@mainimiste ja võtmesõnade puhul", - "Get notified for every message": "Soovin teavitusi iga sõnumi puhul", - "Get notifications as set up in your settings": "Soovin teavitusi sellisena, nagu ma neid olen seadistanud", "Close this widget to view it in this panel": "Sellel paneelil kuvamiseks sulge see vidin", "Unpin this widget to view it in this panel": "Sellel paneelil kuvamiseks eemalda vidin lemmikutest", "%(spaceName)s and %(count)s others": { @@ -1251,12 +1022,6 @@ "Messaging": "Sõnumisuhtlus", "Moderation": "Modereerimine", "Spaces you know that contain this space": "Sulle teadaolevad kogukonnakeskused, millesse kuulub see kogukond", - "Home options": "Avalehe valikud", - "%(spaceName)s menu": "%(spaceName)s menüü", - "Join public room": "Liitu avaliku jututoaga", - "Add people": "Lisa inimesi", - "Invite to space": "Kutsu siia kogukonnakeskusesse", - "Start new chat": "Alusta uut vestlust", "Recently viewed": "Hiljuti vaadatud", "%(count)s votes cast. Vote to see the results": { "one": "%(count)s hääl antud. Tulemuste nägemiseks tee oma valik", @@ -1290,9 +1055,6 @@ "This address had invalid server or is already in use": "Selle aadressiga seotud server on kas kirjas vigaselt või on juba kasutusel", "Missing room name or separator e.g. (my-room:domain.org)": "Jututoa nimi või eraldaja on puudu (näiteks jututuba:domeen.ee)", "Missing domain separator e.g. (:domain.org)": "Domeeni eraldaja on puudu (näiteks :domeen.ee)", - "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", "Device verified": "Seade on verifitseeritud", "Verify this device": "Verifitseeri see seade", "Unable to verify this device": "Selle seadme verifitseerimine ei õnnestunud", @@ -1307,7 +1069,6 @@ "Remove them from specific things I'm able to": "Eemalda kasutaja valitud kohtadest, kust ma saan", "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", "Message pending moderation": "Sõnum on modereerimise ootel", "Message pending moderation: %(reason)s": "Sõnum on modereerimise ootel: %(reason)s", "Pick a date to jump to": "Vali kuupäev, mida soovid vaadata", @@ -1316,9 +1077,6 @@ "Wait!": "Palun oota!", "This address does not point at this room": "Antud aadress ei viita sellele jututoale", "Location": "Asukoht", - "Poll": "Küsitlus", - "Voice Message": "Häälsõnum", - "Hide stickers": "Peida kleepsud", "Use to scroll": "Kerimiseks kasuta ", "Feedback sent! Thanks, we appreciate it!": "Tagasiside on saadetud. Täname, sellest on loodetavasti kasu!", "%(space1Name)s and %(space2Name)s": "%(space1Name)s ja %(space2Name)s", @@ -1341,10 +1099,6 @@ "Can't create a thread from an event with an existing relation": "Jutulõnga ei saa luua sõnumist, mis juba on jutulõnga osa", "You are sharing your live location": "Sa jagad oma asukohta reaalajas", "%(displayName)s's live location": "%(displayName)s asukoht reaalajas", - "Currently removing messages in %(count)s rooms": { - "other": "Kustutame sõnumeid %(count)s jututoas", - "one": "Kustutame sõnumeid %(count)s jututoas" - }, "You are about to remove %(count)s messages by %(user)s. This will remove them permanently for everyone in the conversation. Do you wish to continue?": { "other": "Sa oled kustutamas %(count)s sõnumit kasutajalt %(user)s. Sellega kustutatakse nad püsivalt ka kõikidelt vestluses osalejatelt. Kas sa soovid jätkata?", "one": "Sa oled kustutamas %(count)s sõnumi kasutajalt %(user)s. Sellega kustutatakse ta püsivalt ka kõikidelt vestluses osalejatelt. Kas sa soovid jätkata?" @@ -1353,28 +1107,11 @@ "Uncheck if you also want to remove system messages on this user (e.g. membership change, profile change…)": "Kui sa samuti soovid mitte kuvada selle kasutajaga seotud süsteemseid teateid (näiteks liikmelisuse muutused, profiili muutused, jne), siis eemalda see valik", "Unsent": "Saatmata", "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.": "Kohandatud serveriseadistusi saad kasutada selleks, et logida sisse sinu valitud koduserverisse. See võimaldab sinul kasutada %(brand)s'i mõnes teises koduserveri hallatava kasutajakontoga.", - "%(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.": "Astumisel jututuppa või liitumisel kogukonnaga tekkis viga %(errcode)s. Kui sa arvad, et sellise põhjusega viga ei tohiks tekkida, siis palun koosta veateade.", - "Try again later, or ask a room or space admin to check if you have access.": "Proovi hiljem uuesti või küsi jututoa või kogukonna haldurilt, kas sul on ligipääs olemas.", - "This room or space is not accessible at this time.": "See jututuba või kogukond pole hetkel ligipääsetav.", - "Are you sure you're at the right place?": "Kas sa oled kindel, et viibid õiges asukohas?", - "This room or space does not exist.": "Seda jututuba või kogukonda pole olemas.", - "There's no preview, would you like to join?": "Eelvaade puudub. Kas sa siiski soovid liituda?", - "This invite was sent to %(email)s": "See kutse saadeti e-posti aadressile %(email)s", - "This invite was sent to %(email)s which is not associated with your account": "See kutse saadeti e-posti aadressile %(email)s, mis ei ole seotud sinu kontoga", - "You can still join here.": "Sa võid siiski siin liituda.", - "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.": "Sinu kutse kontrollimisel tekkis viga (%(errcode)s). Kui saad, siis edasta see teave kutsujale.", - "Something went wrong with your invite.": "Sinu kutsega läks midagi valesti.", - "You were banned by %(memberName)s": "%(memberName)s keelas sulle ligipääsu", - "Forget this space": "Unusta see kogukond", - "You were removed by %(memberName)s": "%(memberName)s eemaldas sinu liikmelisuse", - "Loading preview": "Laadin eelvaadet", "An error occurred while stopping your live location, please try again": "Asukoha jagamise lõpetamisel tekkis viga, palun proovi mõne hetke pärast uuesti", "%(count)s participants": { "one": "1 osaleja", "other": "%(count)s oselejat" }, - "New video room": "Uus videotuba", - "New room": "Uus jututuba", "%(featureName)s Beta feedback": "%(featureName)s beetaversiooni tagasiside", "Live location ended": "Reaalajas asukoha jagamine on lõppenud", "View live location": "Vaata asukohta reaalajas", @@ -1403,11 +1140,6 @@ "Hide my messages from new joiners": "Peida minu sõnumid uute liitujate eest", "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?": "Nii nagu e-posti puhul, on sinu vanad sõnumid on jätkuvalt loetavad nendele kasutajate, kes nad saanud on. Kas sa soovid peita oma sõnumid nende kasutaja eest, kes jututubadega hiljem liituvad?", "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.": "Sa oled kõikidest seadmetest välja logitud ning enam ei saa tõuketeavitusi. Nende taaskuvamiseks logi sisse igas oma soovitud seadmetes.", - "Seen by %(count)s people": { - "one": "Seda nägi %(count)s lugeja", - "other": "Seda nägid %(count)s lugejat" - }, - "Your password was successfully changed.": "Sinu salasõna muutmine õnnestus.", "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.": "Kui sa soovid ligipääsu varasematele krüptitud vestlustele, palun seadista võtmete varundus või enne jätkamist ekspordi mõnest seadmest krüptovõtmed.", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Kõikide sinu seadmete võrgust välja logimine kustutab ka nendes salvestatud krüptovõtmed ja sellega muutuvad ka krüptitud vestlused loetamatuteks.", "An error occurred while stopping your live location": "Sinu asukoha reaalajas jagamise lõpetamisel tekkis viga", @@ -1419,17 +1151,9 @@ "Input devices": "Sisendseadmed", "Your message wasn't sent because this homeserver has been blocked by its administrator. Please contact your service administrator to continue using the service.": "Sinu sõnumit ei saadetud, kuna see koduserver blokeeritud serveri haldaja poolt. Teenuse kasutamiseks palun võta ühendust serveri haldajaga.", "Show Labs settings": "Näita seadistusi", - "To join, please enable video rooms in Labs first": "Liitumiseks võta seadistustest katsete lehelt videotoad kasutusele", - "To view, please enable video rooms in Labs first": "Jututoa nägemiseks võta seadistustest katsete lehelt videotoad kasutusele", - "To view %(roomName)s, you need an invite": "%(roomName)s jututoaga tutvumiseks vajad sa kutset", - "Private room": "Omavaheline jututuba", - "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", "Unread email icon": "Lugemata e-kirja ikoon", - "Joining…": "Liitun…", - "Read receipts": "Lugemisteatised", - "Deactivating your account is a permanent action — be careful!": "Kuna kasutajakonto dektiveerimist ei saa tagasi pöörata, siis palun ole ettevaatlik!", "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.", "Remove search filter for %(filter)s": "Eemalda otsingufilter „%(filter)s“", "Start a group chat": "Alusta rühmavestlust", @@ -1452,7 +1176,6 @@ "Show spaces": "Näita kogukondi", "Show rooms": "Näita jututubasid", "Explore public spaces in the new search dialog": "Tutvu avalike kogukondadega kasutades uut otsinguvaadet", - "Join the room to participate": "Osalemiseks liitu jututoaga", "Stop and close": "Peata ja sulge", "Online community members": "Võrgupõhise kogukonna liikmed", "Coworkers and teams": "Kolleegid ja töörühmad", @@ -1468,22 +1191,10 @@ "Interactively verify by emoji": "Verifitseeri interaktiivselt emoji abil", "Manually verify by text": "Verifitseeri käsitsi etteantud teksti abil", "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", "Video call ended": "Videokõne on lõppenud", "%(name)s started a video call": "%(name)s algatas videokõne", - "Video call (Jitsi)": "Videokõne (Jitsi)", - "Failed to set pusher state": "Tõuketeavituste teenuse oleku määramine ei õnnestunud", "Room info": "Jututoa teave", - "View chat timeline": "Vaata vestluse ajajoont", - "Close call": "Lõpeta kõne", - "Spotlight": "Rambivalgus", - "Freedom": "Vabadus", - "Video call (%(brand)s)": "Videokõne (%(brand)s)", - "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.", - "Enable %(brand)s as an additional calling option in this room": "Võta kasutusele %(brand)s kui lisavõimalus kõnedeks selles jututoas", "Completing set up of your new device": "Lõpetame uue seadme seadistamise", "Waiting for device to sign in": "Ootame, et teine seade logiks võrku", "Review and approve the sign in": "Vaata üle ja kinnita sisselogimine Matrixi'i võrku", @@ -1502,16 +1213,8 @@ "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 formatting": "Näita vormingut", - "Hide formatting": "Peida vormindus", - "Connection": "Ühendus", - "Voice processing": "Heli töötlemine", - "Video settings": "Videovoo seadistused", - "Automatically adjust the microphone volume": "Kohanda mikrofoni valjust automaatelt", - "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", - "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", "Too many attempts in a short time. Retry after %(timeout)s.": "Liiga palju päringuid napis ajavahemikus. Enne uuesti proovimist palun oota %(timeout)s sekundit.", @@ -1520,7 +1223,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: ", - "Change layout": "Muuda paigutust", "Unable to decrypt message": "Sõnumi dekrüptimine ei õnnestunud", "This message could not be decrypted": "Seda sõnumit ei õnnestunud dekrüptida", " in %(room)s": " %(room)s jututoas", @@ -1530,35 +1232,24 @@ "Can't start voice message": "Häälsõnumi salvestamine või esitamine ei õnnestu", "Edit link": "Muuda linki", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", - "Your account details are managed separately at %(hostname)s.": "Sinu kasutajakonto lisateave on hallatav siin serveris - %(hostname)s.", "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", "Declining…": "Keeldumisel…", "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.", "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.", - "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.", "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…", - "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…", "Starting export process…": "Alustame eksportimist…", - "Secure Backup successful": "Krüptovõtmete varundus õnnestus", - "Your keys are now being backed up from this device.": "Sinu krüptovõtmed on parasjagu sellest seadmest varundamisel.", "Loading polls": "Laadin küsitlusi", "Due to decryption errors, some votes may not be counted": "Dekrüptimisvigade tõttu jääb osa hääli lugemata", "The sender has blocked you from receiving this message": "Sõnumi saatja on keelanud sul selle sõnumi saamise", @@ -1596,59 +1287,16 @@ "Start DM anyway": "Ikkagi alusta vestlust", "Start DM anyway and never warn me again": "Alusta siiski ja ära hoiata mind enam", "Unable to find profiles for the Matrix IDs listed below - would you like to start a DM anyway?": "Allpool loetletud Matrix'i kasutajatunnustele ei leidunud profiile. Kas sa ikkagi tahaksid nendega vestlust alustada?", - "Formatting": "Vormindame andmeid", - "Upload custom sound": "Laadi üles oma helifail", "Search all rooms": "Otsi kõikidest jututubadest", "Search this room": "Otsi sellest jututoast", - "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)", "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", "Waiting for users to join %(brand)s": "Kasutajate liitumise ootel %(brand)s'ga", - "You do not have permission to invite users": "Sul pole õigusi kutse saatmiseks teistele kasutajatele", "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.", - "Email Notifications": "E-posti teel saadetavad teavitused", - "Receive an email summary of missed notifications": "Palu saata e-posti teel ülevaade märkamata teavitustest", - "Select which emails you want to send summaries to. Manage your emails in .": "Vali e-posti aadressid, millele soovid kokkuvõtet saada. E-posti aadresse saad hallata seadistuste alajaotuses .", - "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": "Uuendus:Et erinevad võimalused oleks kergemini leitavad, oleme lihtsustanud teavituste seadistusi. Mõned minevikus valitud seadistused on siin kuvamata, kuid nad on jätkuvalt kasutusel. Kui sa jätkad, siis mõned sinu seadistused võivad muutuda. Lisateave", - "Notify when someone mentions using @displayname or %(mxid)s": "Teavita, kui keegi mainib kuvatavat nime @displayname või kasutajanime %(mxid)s", - "Email summary": "E-kirja kokkuvõte", - "People, Mentions and Keywords": "Kasutajad, mainimised ja märksõnad", - "Mentions and Keywords only": "Vaid mainimised ja märksõnad", - "Show message preview in desktop notification": "Näita sõnumi eelvaadet töölauakeskkonnale omases teavituses", - "I want to be notified for (Default Setting)": "Soovin teavitusi (vaikimisi seadistused)", - "This setting will be applied by default to all your rooms.": "See seadistus kehtib vaikimisi kõikides sinu jututubades.", - "Play a sound for": "Märgi helisignaaliga", - "Applied by default to all rooms on all devices.": "Vaikimisi kehtib kõikides jututubades kõikides seadmetes.", - "Mentions and Keywords": "Mainimised ja võtmesõnad", - "Audio and Video calls": "Kõned ja videokõned", - "Other things we think you might be interested in:": "Veel mõned asjad, mis sulle võivad huvi pakkuda:", - "Invited to a room": "Kutse jututuppa", - "New room activity, upgrades and status messages occur": "Uued tegevused jututoas, sealhulgas uuendused ja olekusõnumid", - "Messages sent by bots": "Robotite saadetud sõnumid", - "Show a badge when keywords are used in a room.": "Kui jututoas kasutatakse märksõnu, siis näita silti .", - "Notify when someone mentions using @room": "Teavita, kui keegi mainib jututuba @room", - "Notify when someone uses a keyword": "Teavita, kui keegi mainib märksõna", - "Unable to find user by email": "E-posti aadressi alusel ei õnnestu kasutajat leida", "Messages here are end-to-end encrypted. Verify %(displayName)s in their profile - tap on their profile picture.": "Sõnumid siin vestluses on läbivalt krüptitud. Klõpsides tunnuspilti saad verifitseerida kasutaja %(displayName)s.", "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.": "Sõnumid siin jututoas on läbivalt krüptitud. Kui uued kasutajad liituvad, siis klõpsides nende tunnuspilti saad neid verifitseerida.", "Upgrade room": "Uuenda jututoa versiooni", - "Enter keywords here, or use for spelling variations or nicknames": "Sisesta märksõnad siia ning ära unusta erinevaid kirjapilte ja hüüdnimesid", - "Quick Actions": "Kiirtoimingud", - "Mark all messages as read": "Märgi kõik sõnumid loetuks", - "Reset to default settings": "Lähtesta kõik seadistused", - "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Kes iganes saab kätte selle ekspordifaili, saab ka lugeda sinu krüptitud sõnumeid, seega ole hoolikas selle faili talletamisel. Andmaks lisakihi turvalisust, peaksid sa alljärgnevalt sisestama unikaalse paroolifraasi, millega krüptitakse eksporditavad andmed. Faili hilisem importimine õnnestub vaid sama paroolifraasi sisestamisel.", - "Great! This passphrase looks strong enough": "Suurepärane! See paroolifraas on piisavalt kange", "Other spaces you know": "Muud kogukonnad, mida sa tead", - "You need to be granted access to this room in order to view or participate in the conversation. You can send a request to join below.": "Selle jututoa vestluste lugemiseks ja nendega liitumiseks on sul vaja luba. Vastava päringu võid saata alljärgnevalt.", - "Message (optional)": "Sõnum (kui soovid lisada)", - "Ask to join %(roomName)s?": "Küsi luba liitumiseks jututoaga %(roomName)s?", - "Ask to join?": "Küsi võimalust liitumiseks?", - "Request access": "Küsi ligipääsu", - "Cancel request": "Tühista liitumissoov", - "Your request to join is pending.": "Sinu liitumissoov on ootel.", - "Request to join sent": "Ligipääsu päring on saadetud", "Failed to query public rooms": "Avalike jututubade tuvastamise päring ei õnnestunud", "common": { "about": "Rakenduse teave", @@ -1755,7 +1403,18 @@ "saving": "Salvestame…", "profile": "Profiil", "display_name": "Kuvatav nimi", - "user_avatar": "Profiilipilt" + "user_avatar": "Profiilipilt", + "authentication": "Autentimine", + "public_room": "Avalik jututuba", + "video_room": "Videotuba", + "public_space": "Avalik kogukonnakeskus", + "private_space": "Privaatne kogukonnakeskus", + "private_room": "Omavaheline jututuba", + "rooms": "Jututoad", + "low_priority": "Vähetähtis", + "historical": "Ammune", + "go_to_settings": "Ava seadistused", + "setup_secure_messages": "Võta kasutusele krüptitud sõnumid" }, "action": { "continue": "Jätka", @@ -1861,7 +1520,16 @@ "unban": "Taasta ligipääs", "click_to_copy": "Kopeerimiseks klõpsa", "hide_advanced": "Peida lisaseadistused", - "show_advanced": "Näita lisaseadistusi" + "show_advanced": "Näita lisaseadistusi", + "unignore": "Lõpeta eiramine", + "start_new_chat": "Alusta uut vestlust", + "invite_to_space": "Kutsu siia kogukonnakeskusesse", + "add_people": "Lisa inimesi", + "explore_rooms": "Tutvu jututubadega", + "new_room": "Uus jututuba", + "new_video_room": "Uus videotuba", + "add_existing_room": "Lisa olemasolev jututuba", + "explore_public_rooms": "Sirvi avalikke jututubasid" }, "a11y": { "user_menu": "Kasutajamenüü", @@ -1874,7 +1542,8 @@ "one": "1 lugemata teade." }, "unread_messages": "Lugemata sõnumid.", - "jump_first_invite": "Siirdu esimese kutse juurde." + "jump_first_invite": "Siirdu esimese kutse juurde.", + "room_name": "Jututuba %(name)s" }, "labs": { "video_rooms": "Videotoad", @@ -2066,7 +1735,22 @@ "space_a11y": "Kogukonnakeskuste dünaamiline otsing", "user_description": "Kasutajad", "user_a11y": "Kasutajanimede automaatne lõpetamine" - } + }, + "room_upgraded_link": "Vestlus jätkub siin.", + "room_upgraded_notice": "See jututuba on asendatud teise jututoaga ning ei ole enam kasutusel.", + "no_perms_notice": "Sul ei ole õigusi siia jututuppa kirjutamiseks", + "send_button_voice_message": "Saada häälsõnum", + "close_sticker_picker": "Peida kleepsud", + "voice_message_button": "Häälsõnum", + "poll_button_no_perms_title": "Vaja on täiendavaid õigusi", + "poll_button_no_perms_description": "Sul ei ole õigusi küsitluste korraldamiseks siin jututoas.", + "poll_button": "Küsitlus", + "mode_plain": "Peida vormindus", + "mode_rich_text": "Näita vormingut", + "formatting_toolbar_label": "Vormindame andmeid", + "format_italics": "Kaldkiri", + "format_insert_link": "Lisa link", + "replying_title": "Vastan" }, "Link": "Link", "Code": "Kood", @@ -2246,7 +1930,32 @@ "error_title": "Teavituste kasutusele võtmine ei õnnestunud", "error_updating": "Teavituste eelistuste muutmisel tekkis viga. Palun proovi sama valikut uuesti sisse/välja lülitada.", "push_targets": "Teavituste eesmärgid", - "error_loading": "Sinu teavituste seadistuste laadimisel tekkis viga." + "error_loading": "Sinu teavituste seadistuste laadimisel tekkis viga.", + "email_section": "E-kirja kokkuvõte", + "email_description": "Palu saata e-posti teel ülevaade märkamata teavitustest", + "email_select": "Vali e-posti aadressid, millele soovid kokkuvõtet saada. E-posti aadresse saad hallata seadistuste alajaotuses .", + "people_mentions_keywords": "Kasutajad, mainimised ja märksõnad", + "mentions_keywords_only": "Vaid mainimised ja märksõnad", + "labs_notice_prompt": "Uuendus:Et erinevad võimalused oleks kergemini leitavad, oleme lihtsustanud teavituste seadistusi. Mõned minevikus valitud seadistused on siin kuvamata, kuid nad on jätkuvalt kasutusel. Kui sa jätkad, siis mõned sinu seadistused võivad muutuda. Lisateave", + "desktop_notification_message_preview": "Näita sõnumi eelvaadet töölauakeskkonnale omases teavituses", + "default_setting_section": "Soovin teavitusi (vaikimisi seadistused)", + "default_setting_description": "See seadistus kehtib vaikimisi kõikides sinu jututubades.", + "play_sound_for_section": "Märgi helisignaaliga", + "play_sound_for_description": "Vaikimisi kehtib kõikides jututubades kõikides seadmetes.", + "mentions_keywords": "Mainimised ja võtmesõnad", + "voip": "Kõned ja videokõned", + "other_section": "Veel mõned asjad, mis sulle võivad huvi pakkuda:", + "invites": "Kutse jututuppa", + "room_activity": "Uued tegevused jututoas, sealhulgas uuendused ja olekusõnumid", + "notices": "Robotite saadetud sõnumid", + "keywords": "Kui jututoas kasutatakse märksõnu, siis näita silti .", + "notify_at_room": "Teavita, kui keegi mainib jututuba @room", + "notify_mention": "Teavita, kui keegi mainib kuvatavat nime @displayname või kasutajanime %(mxid)s", + "notify_keyword": "Teavita, kui keegi mainib märksõna", + "keywords_prompt": "Sisesta märksõnad siia ning ära unusta erinevaid kirjapilte ja hüüdnimesid", + "quick_actions_section": "Kiirtoimingud", + "quick_actions_mark_all_read": "Märgi kõik sõnumid loetuks", + "quick_actions_reset": "Lähtesta kõik seadistused" }, "appearance": { "layout_irc": "IRC (katseline)", @@ -2284,7 +1993,19 @@ "echo_cancellation": "Kaja eemaldamine", "noise_suppression": "Müra vähendamine", "enable_fallback_ice_server": "Varuvariandina luba kasutada ka teist kõnehõlbustusserverit (%(server)s)", - "enable_fallback_ice_server_description": "On kasutusel vaid siis, kui sinu koduserver sellist teenust ei võimalda. Seeläbi jagatakse kõne ajal sinu seadme IP-aadressi." + "enable_fallback_ice_server_description": "On kasutusel vaid siis, kui sinu koduserver sellist teenust ei võimalda. Seeläbi jagatakse kõne ajal sinu seadme IP-aadressi.", + "missing_permissions_prompt": "Meediaga seotud õigused puuduvad. Nende nõutamiseks klõpsi järgnevat nuppu.", + "request_permissions": "Nõuta meediaõigusi", + "audio_output": "Heliväljund", + "audio_output_empty": "Ei leidnud ühtegi heliväljundit", + "audio_input_empty": "Ei leidnud ühtegi mikrofoni", + "video_input_empty": "Ei leidnud ühtegi veebikaamerat", + "title": "Heli ja video", + "voice_section": "Heli seadistused", + "voice_agc": "Kohanda mikrofoni valjust automaatelt", + "video_section": "Videovoo seadistused", + "voice_processing": "Heli töötlemine", + "connection_section": "Ühendus" }, "send_read_receipts_unsupported": "Sinu koduserver ei võimalda lugemisteatiste keelamist.", "security": { @@ -2357,7 +2078,11 @@ "key_backup_in_progress": "Varundan %(sessionsRemaining)s krüptovõtmeid…", "key_backup_complete": "Kõik krüptovõtmed on varundatud", "key_backup_algorithm": "Algoritm:", - "key_backup_inactive_warning": "Sinu selle sessiooni krüptovõtmeid ei varundata." + "key_backup_inactive_warning": "Sinu selle sessiooni krüptovõtmeid ei varundata.", + "key_backup_active_version_none": "Ei ühelgi juhul", + "ignore_users_empty": "Sa ei ole veel kedagi eiranud.", + "ignore_users_section": "Eiratud kasutajad", + "e2ee_default_disabled_warning": "Sinu serveri haldur on lülitanud läbiva krüptimise omavahelistes jututubades ja otsesõnumites välja." }, "preferences": { "room_list_heading": "Jututubade loend", @@ -2477,7 +2202,8 @@ "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?" }, - "other_sessions_subsection_description": "Parima turvalisuse nimel verifitseeri kõik oma sessioonid ning logi välja neist, mida sa enam ei kasuta." + "other_sessions_subsection_description": "Parima turvalisuse nimel verifitseeri kõik oma sessioonid ning logi välja neist, mida sa enam ei kasuta.", + "error_pusher_state": "Tõuketeavituste teenuse oleku määramine ei õnnestunud" }, "general": { "oidc_manage_button": "Halda kasutajakontot", @@ -2499,7 +2225,46 @@ "add_msisdn_dialog_title": "Lisa telefoninumber", "name_placeholder": "Kuvatav nimi puudub", "error_saving_profile_title": "Sinu profiili salvestamine ei õnnestunud", - "error_saving_profile": "Toimingut ei õnnestunud lõpetada" + "error_saving_profile": "Toimingut ei õnnestunud lõpetada", + "error_password_change_unknown": "Tundmatu viga salasõna muutmisel (%(stringifiedError)s)", + "error_password_change_403": "Salasõna muutmine ebaõnnestus. Kas sinu salasõna on ikka õige?", + "error_password_change_http": "%(errorMessage)s (HTTP olekukood %(httpStatus)s)", + "error_password_change_title": "Viga salasõna muutmisel", + "password_change_success": "Sinu salasõna muutmine õnnestus.", + "emails_heading": "E-posti aadressid", + "msisdns_heading": "Telefoninumbrid", + "password_change_section": "Määra kontole uus salasõna…", + "external_account_management": "Sinu kasutajakonto lisateave on hallatav siin serveris - %(hostname)s.", + "discovery_needs_terms": "Selleks, et sind võiks leida e-posti aadressi või telefoninumbri alusel, nõustu isikutuvastusserveri (%(serverName)s) kasutustingimustega.", + "deactivate_section": "Deaktiveeri konto", + "account_management_section": "Kontohaldus", + "deactivate_warning": "Kuna kasutajakonto dektiveerimist ei saa tagasi pöörata, siis palun ole ettevaatlik!", + "discovery_section": "Leia kasutajaid", + "error_revoke_email_discovery": "Ei õnnestu tagasi võtta otsust e-posti aadressi jagamise kohta", + "error_share_email_discovery": "Ei õnnestu jagada e-posti aadressi", + "email_not_verified": "Sinu e-posti aadress pole veel verifitseeritud", + "email_verification_instructions": "Klõpsi saabunud e-kirjas olevat verifitseerimisviidet ning seejärel klõpsi siin uuesti nuppu „Jätka“.", + "error_email_verification": "E-posti aadressi verifitseerimine ei õnnestunud.", + "discovery_email_verification_instructions": "Verifitseeri klõpsides viidet saabunud e-kirjas", + "discovery_email_empty": "Otsinguvõimaluste loend kuvatakse, kui oled ülale sisestanud e-posti aadressi.", + "error_revoke_msisdn_discovery": "Telefoninumbri jagamist ei õnnestunud tühistada", + "error_share_msisdn_discovery": "Telefoninumbri jagamine ei õnnestunud", + "error_msisdn_verification": "Telefoninumbri verifitseerimine ei õnnestunud.", + "incorrect_msisdn_verification": "Vigane verifikatsioonikood", + "msisdn_verification_instructions": "Palun sisesta verifikatsioonikood, mille said telefoni tekstisõnumina.", + "msisdn_verification_field_label": "Verifikatsioonikood", + "discovery_msisdn_empty": "Otsinguvõimaluste loend kuvatakse, kui oled ülale sisestanud telefoninumbri.", + "error_set_name": "Kuvatava nime määramine ebaõnnestus", + "error_remove_3pid": "Kontaktiinfo eemaldamine ebaõnnestus", + "remove_email_prompt": "Eemalda %(email)s?", + "error_invalid_email": "Vigane e-posti aadress", + "error_invalid_email_detail": "See ei tundu olema e-posti aadressi moodi", + "error_add_email": "E-posti aadressi lisamine ebaõnnestus", + "add_email_instructions": "Sinu aadressi kontrollimiseks saatsime sulle e-kirja. Palun järgi kirjas näidatud juhendit ja siis klõpsi alljärgnevat nuppu.", + "email_address_label": "E-posti aadress", + "remove_msisdn_prompt": "Eemalda %(phone)s?", + "add_msisdn_instructions": "Saatsime tekstisõnumi numbrile +%(msisdn)s. Palun sisesta seal kuvatud kontrollkood.", + "msisdn_label": "Telefoninumber" }, "sidebar": { "title": "Külgpaan", @@ -2512,6 +2277,58 @@ "metaspaces_orphans_description": "Koonda ühte kohta kõik oma jututoad, mis ei kuulu mõnda kogukonda.", "metaspaces_home_all_rooms_description": "Näita kõiki oma jututubasid avalehel ka siis kui nad on osa mõnest kogukonnast.", "metaspaces_home_all_rooms": "Näita kõiki jututubasid" + }, + "key_backup": { + "backup_in_progress": "Sinu krüptovõtmeid varundatakse (esimese varukoopia tegemine võib võtta paar minutit).", + "backup_starting": "Alustame varundamist…", + "backup_success": "Õnnestus!", + "create_title": "Tee võtmetest varukoopia", + "cannot_create_backup": "Ei õnnestu teha võtmetest varukoopiat", + "setup_secure_backup": { + "generate_security_key_title": "Loo turvavõti", + "generate_security_key_description": "Me loome turvavõtme, mida sa peaksid hoidma turvalises kohas, nagu näiteks arvutis salasõnade halduris või vana kooli seifis.", + "enter_phrase_title": "Sisesta turvafraas", + "description": "Tagamaks, et sa ei kaota ligipääsu krüptitud sõnumitele ja andmetele, varunda krüptimisvõtmed oma serveris.", + "requires_password_confirmation": "Kinnitamaks seda muudatust, sisesta oma konto salasõna:", + "requires_key_restore": "Krüptimine uuendamiseks taasta oma varundatud võtmed", + "requires_server_authentication": "Uuenduse kinnitamiseks pead end autentima serveris.", + "session_upgrade_description": "Teiste sessioonide verifitseerimiseks pead uuendama seda sessiooni. Muud verifitseeritud sessioonid saavad sellega ligipääsu krüptitud sõnumitele ning nad märgitakse usaldusväärseteks ka teiste kasutajate jaoks.", + "enter_phrase_description": "Andmete kaitsmiseks sisesta turvafraas, mida vaid sina tead. Ole mõistlik ja palun ära kasuta selleks oma tavalist konto salasõna.", + "phrase_strong_enough": "Suurepärane! Turvafraas on piisavalt kange.", + "pass_phrase_match_success": "Klapib!", + "use_different_passphrase": "Kas kasutame muud paroolifraasi?", + "pass_phrase_match_failed": "Ei klapi mitte.", + "set_phrase_again": "Mine tagasi ja sisesta nad uuesti.", + "enter_phrase_to_confirm": "Kinnitamiseks palun sisesta turvafraas teist korda.", + "confirm_security_phrase": "Kinnita oma turvafraasi", + "security_key_safety_reminder": "Kuna seda kasutatakse sinu krüptitud andmete kaitsmiseks, siis hoia oma turvavõtit kaitstud ja turvalises kohas, nagu näiteks arvutis salasõnade halduris või vana kooli seifis.", + "download_or_copy": "%(downloadButton)s või %(copyButton)s", + "backup_setup_success_description": "Sinu krüptovõtmed on parasjagu sellest seadmest varundamisel.", + "backup_setup_success_title": "Krüptovõtmete varundus õnnestus", + "secret_storage_query_failure": "Ei õnnestu tuvastada turvahoidla olekut", + "cancel_warning": "Kui sa tühistad nüüd, siis sa võid peale viimasest seadmest välja logimist kaotada ligipääsu oma krüptitud sõnumitele ja andmetele.", + "settings_reminder": "Samuti võid sa seadetes võtta kasutusse turvalise varunduse ning hallata oma krüptovõtmeid.", + "title_upgrade_encryption": "Uuenda oma krüptimist", + "title_set_phrase": "Määra turvafraas", + "title_confirm_phrase": "Kinnita turvafraas", + "title_save_key": "Salvesta turvavõti", + "unable_to_setup": "Turvahoidla kasutuselevõtmine ei õnnestu", + "use_phrase_only_you_know": "Sisesta turvafraas, mida vaid sina tead ning lisaks võid salvestada varunduse turvavõtme." + } + }, + "key_export_import": { + "export_title": "Ekspordi jututoa võtmed", + "export_description_1": "Selle toiminguga on sul võimalik saabunud krüptitud sõnumite võtmed eksportida sinu kontrollitavasse kohalikku faili. Seetõttu on sul tulevikus võimalik importida need võtmed mõnda teise Matrix'i klienti ning seeläbi muuta saabunud krüptitud sõnumid ka seal loetavaks.", + "export_description_2": "Kes iganes saab kätte selle ekspordifaili, saab ka lugeda sinu krüptitud sõnumeid, seega ole hoolikas selle faili talletamisel. Andmaks lisakihi turvalisust, peaksid sa alljärgnevalt sisestama unikaalse paroolifraasi, millega krüptitakse eksporditavad andmed. Faili hilisem importimine õnnestub vaid sama paroolifraasi sisestamisel.", + "enter_passphrase": "Sisesta paroolifraas", + "phrase_strong_enough": "Suurepärane! See paroolifraas on piisavalt kange", + "confirm_passphrase": "Sisesta paroolifraas veel üks kord", + "phrase_cannot_be_empty": "Paroolifraas ei tohi olla tühi", + "phrase_must_match": "Paroolifraasid ei klapi omavahel", + "import_title": "Impordi jututoa võtmed", + "import_description_1": "Selle toiminguga saad importida krüptimisvõtmed, mis sa viimati olid teisest Matrix'i kliendist eksportinud. Seejärel on võimalik dekrüptida ka siin kõik need samad sõnumid, mida see teine klient suutis dekrüptida.", + "import_description_2": "Ekspordifail on turvatud paroolifraasiga ning alljärgnevalt peaksid dekrüptimiseks sisestama selle paroolifraasi.", + "file_to_import": "Imporditav fail" } }, "devtools": { @@ -3023,7 +2840,19 @@ "collapse_reply_thread": "Ahenda vastuste jutulõnga", "view_related_event": "Vaata seotud sündmust", "report": "Teata sisust" - } + }, + "url_preview": { + "show_n_more": { + "other": "Näita %(count)s muud eelvaadet", + "one": "Näita veel %(count)s eelvaadet" + }, + "close": "Sulge eelvaade" + }, + "read_receipt_title": { + "one": "Seda nägi %(count)s lugeja", + "other": "Seda nägid %(count)s lugejat" + }, + "read_receipts_label": "Lugemisteatised" }, "slash_command": { "spoiler": "Saadab selle sõnumi rõõmurikkujana", @@ -3290,7 +3119,14 @@ "permissions_section_description_room": "Vali rollid, mis on vajalikud jututoa eri osade muutmiseks", "add_privileged_user_heading": "Lisa kasutajatele täiendavaid õigusi", "add_privileged_user_description": "Lisa selles jututoas ühele või mitmele kasutajale täiendavaid õigusi", - "add_privileged_user_filter_placeholder": "Vali kasutajad sellest jututoast…" + "add_privileged_user_filter_placeholder": "Vali kasutajad sellest jututoast…", + "error_unbanning": "Ligipääsu taastamine ei õnnestunud", + "banned_by": "Ligipääs on keelatud %(displayName)s poolt", + "ban_reason": "Põhjus", + "error_changing_pl_reqs_title": "Viga õiguste taseme nõuete muutmisel", + "error_changing_pl_reqs_description": "Jututoa õiguste taseme nõuete muutmisel tekkis viga. Kontrolli, et sul on selleks piisavalt õigusi ja proovi uuesti.", + "error_changing_pl_title": "Viga õiguste muutmisel", + "error_changing_pl_description": "Kasutaja õiguste muutmisel tekkis viga. Kontrolli, et sul on selleks piisavalt õigusi ja proovi uuesti." }, "security": { "strict_encryption": "Ära iialgi saada sellest sessioonist krüptitud sõnumeid verifitseerimata sessioonidesse selles jututoas", @@ -3345,7 +3181,9 @@ "join_rule_upgrade_updating_spaces": { "one": "Uuendan kogukonnakeskust...", "other": "Uuendan kogukonnakeskuseid... (%(progress)s / %(count)s)" - } + }, + "error_join_rule_change_title": "Liitumisreeglite uuendamine ei õnnestunud", + "error_join_rule_change_unknown": "Määratlemata viga" }, "general": { "publish_toggle": "Kas avaldame selle jututoa %(domain)s jututubade loendis?", @@ -3359,7 +3197,9 @@ "error_save_space_settings": "Kogukonnakeskuse seadistuste salvestamine ei õnnestunud.", "description_space": "Muuda oma kogukonnakeskuse seadistusi.", "save": "Salvesta muutused", - "leave_space": "Lahku kogukonnakeskusest" + "leave_space": "Lahku kogukonnakeskusest", + "aliases_section": "Jututubade aadressid", + "other_section": "Muud" }, "advanced": { "unfederated": "See jututuba ei ole leitav teiste Matrix'i serverite jaoks", @@ -3370,7 +3210,9 @@ "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:" + "room_version": "Jututoa versioon:", + "information_section_space": "Kogukonnakeskuse teave", + "information_section_room": "Info jututoa kohta" }, "delete_avatar_label": "Kustuta tunnuspilt", "upload_avatar_label": "Laadi üles profiilipilt ehk avatar", @@ -3384,11 +3226,32 @@ "history_visibility_anyone_space": "Kogukonnakeskuse eelvaade", "history_visibility_anyone_space_description": "Luba huvilistel enne liitumist näha kogukonnakeskuse eelvaadet.", "history_visibility_anyone_space_recommendation": "Soovitame avalike kogukonnakeskuste puhul.", - "guest_access_label": "Luba ligipääs külalistele" + "guest_access_label": "Luba ligipääs külalistele", + "alias_section": "Aadress" }, "access": { "title": "Ligipääs", "description_space": "Otsusta kes saada näha ja liituda %(spaceName)s kogukonnaga." + }, + "bridges": { + "description": "See jututuba kasutab sõnumisildasid liidestamiseks järgmiste süsteemidega. Lisateave.", + "empty": "See jututuba ei kasuta sõnumisildasid liidestamiseks muude süsteemidega. Lisateave.", + "title": "Sõnumisillad" + }, + "notifications": { + "uploaded_sound": "Üleslaaditud heli", + "settings_link": "Soovin teavitusi sellisena, nagu ma neid olen seadistanud", + "sounds_section": "Helid", + "notification_sound": "Teavitusheli", + "custom_sound_prompt": "Seadista uus kohandatud heli", + "upload_sound_label": "Laadi üles oma helifail", + "browse_button": "Sirvi" + }, + "voip": { + "enable_element_call_label": "Võta kasutusele %(brand)s kui lisavõimalus kõnedeks selles jututoas", + "enable_element_call_caption": "%(brand)s kasutab läbivat krüptimist, kuid on hetkel piiratud väikese osalejate arvuga ühes kõnes.", + "enable_element_call_no_permissions_tooltip": "Sul pole piisavalt õigusi selle muutmiseks.", + "call_type_section": "Kõne tüüp" } }, "encryption": { @@ -3423,7 +3286,19 @@ "unverified_session_toast_accept": "Jah, see olin mina", "request_toast_detail": "%(deviceId)s ip-aadressil %(ip)s", "request_toast_decline_counter": "Eira (%(counter)s)", - "request_toast_accept": "Verifitseeri sessioon" + "request_toast_accept": "Verifitseeri sessioon", + "no_key_or_device": "Tundub, et sul ei ole ei turvavõtit ega muid seadmeid, mida saaksid verifitseerimiseks kasutada. Siin seadmes ei saa lugeda vanu krüptitud sõnumeid. Enda tuvastamiseks selles seadmed pead oma vanad verifitseerimisvõtmed kustutama.", + "reset_proceed_prompt": "Jätka kustutamisega", + "verify_using_key_or_phrase": "Verifitseeri turvavõtme või turvafraasiga", + "verify_using_key": "Verifitseeri turvavõtmega", + "verify_using_device": "Verifitseeri teise seadmega", + "verification_description": "Tagamaks ligipääsu oma krüptitud sõnumitele ja tõestamaks oma isikut teistele kasutajatale, verifitseeri end.", + "verification_success_with_backup": "Sinu uus seade on nüüd verifitseeritud. Selles seadmes saad lugeda oma krüptitud sõnumeid ja teiste kasutajate jaoks on ta usaldusväärne.", + "verification_success_without_backup": "Sinu uus seade on nüüd verifitseeritud. Teiste kasutajate jaoks on ta usaldusväärne.", + "verification_skip_warning": "Ilma verifitseerimiseta sul puudub ligipääs kõikidele oma sõnumitele ning teised ei näe sinu kasutajakontot usaldusväärsena.", + "verify_later": "Ma verifitseerin hiljem", + "verify_reset_warning_1": "Verifitseerimisvõtmete kustutamist ei saa hiljem tagasi võtta. Peale seda sul puudub ligipääs vanadele krüptitud sõnumitele ja kõik sinu verifitseeritud sõbrad-tuttavad näevad turvahoiatusi seni kuni sa uuesti nad verifitseerid.", + "verify_reset_warning_2": "Palun jätka ainult siis, kui sa oled kaotanud ligipääsu kõikidele oma seadmetele ning oma turvavõtmele." }, "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.", @@ -3444,7 +3319,19 @@ "cross_signing_ready_no_backup": "Risttunnustamine on töövalmis, aga krüptovõtmed on varundamata.", "cross_signing_untrusted": "Sinu kontol on turvahoidlas olemas risttunnustamise identiteet, kuid seda veel ei loeta antud sessioonis usaldusväärseks.", "cross_signing_not_ready": "Risttunnustamine on seadistamata.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Uus taastamise meetod", + "description_1": "Tuvastasin krüptitud sõnumite uue turvafraasi ja turvavõtme.", + "description_2": "See sessioon krüptib ajalugu kasutades uut taastamise meetodit.", + "warning": "Kui sa ei ole ise uusi taastamise meetodeid lisanud, siis võib olla tegemist ründega sinu konto vastu. Palun vaheta koheselt oma kasutajakonto salasõna ning määra seadistustes uus taastemeetod." + }, + "recovery_method_removed": { + "title": "Taastemeetod on eemaldatud", + "description_1": "Oleme tuvastanud, et selles sessioonis ei leidu turvafraasi ega krüptitud sõnumite turvavõtit.", + "description_2": "Kui sa tegid seda juhuslikult, siis sa võid selles sessioonis uuesti seadistada sõnumite krüptimise, mille tulemusel krüptime uuesti kõik sõnumid ja loome uue taastamise meetodi.", + "warning": "Kui sa ei ole ise taastamise meetodeid eemaldanud, siis võib olla tegemist ründega sinu konto vastu. Palun vaheta koheselt oma kasutajakonto salasõna ning määra seadistustes uus taastemeetod." + } }, "emoji": { "category_frequently_used": "Enamkasutatud", @@ -3626,7 +3513,11 @@ "autodiscovery_unexpected_error_is": "Isikutuvastusserveri seadistustest selguse saamisel tekkis ootamatu viga", "autodiscovery_hs_incompatible": "Sinu koduserver on liiga vana ega toeta vähimat nõutavat API versiooni. Lisateavet saad oma serveri haldajalt või kui ise oled haldaja, siis palun uuenda serverit.", "incorrect_credentials_detail": "Sa kasutad sisselogimiseks serverit %(hs)s, mitte aga matrix.org'i.", - "create_account_title": "Loo kasutajakonto" + "create_account_title": "Loo kasutajakonto", + "failed_soft_logout_homeserver": "Uuesti autentimine ei õnnestunud koduserveri vea tõttu", + "soft_logout_subheading": "Kustuta privaatsed andmed", + "soft_logout_warning": "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.", + "forgot_password_send_email": "Saada e-kiri" }, "room_list": { "sort_unread_first": "Näita lugemata sõnumitega jututubasid esimesena", @@ -3643,7 +3534,23 @@ "notification_options": "Teavituste eelistused", "failed_set_dm_tag": "Otsevestluse sildi seadmine ei õnnestunud", "failed_remove_tag": "Sildi %(tagName)s eemaldamine jututoast ebaõnnestus", - "failed_add_tag": "Sildi %(tagName)s lisamine jututoale ebaõnnestus" + "failed_add_tag": "Sildi %(tagName)s lisamine jututoale ebaõnnestus", + "breadcrumbs_label": "Hiljuti külastatud jututoad", + "breadcrumbs_empty": "Hiljuti külastatud jututubasid ei leidu", + "add_room_label": "Lisa jututuba", + "suggested_rooms_heading": "Soovitatud jututoad", + "add_space_label": "Lisa kogukonnakeskus", + "join_public_room_label": "Liitu avaliku jututoaga", + "joining_rooms_status": { + "other": "Parasjagu liitun %(count)s jututoaga", + "one": "Parasjagu liitun %(count)s jututoaga" + }, + "redacting_messages_status": { + "other": "Kustutame sõnumeid %(count)s jututoas", + "one": "Kustutame sõnumeid %(count)s jututoas" + }, + "space_menu_label": "%(spaceName)s menüü", + "home_menu_label": "Avalehe valikud" }, "report_content": { "missing_reason": "Palun kirjelda veateate põhjust.", @@ -3901,7 +3808,8 @@ "search_children": "Otsi %(spaceName)s kogukonnast", "invite_link": "Jaga kutse linki", "invite": "Kutsu teisi kasutajaid", - "invite_description": "Kutsu e-posti aadressi või kasutajanime alusel" + "invite_description": "Kutsu e-posti aadressi või kasutajanime alusel", + "invite_this_space": "Kutsu siia kogukonnakeskusesse" }, "location_sharing": { "MapStyleUrlNotConfigured": "See koduserver pole seadistatud kuvama kaarte.", @@ -3957,7 +3865,8 @@ "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" + "lists_new_label": "Ligipääsukeelu reeglite loendi jututoa tunnus või aadress", + "rules_empty": "Ei ühelgi juhul" }, "create_space": { "name_required": "Palun sisesta kogukonnakeskuse nimi", @@ -4059,8 +3968,80 @@ "forget": "Unusta jututuba ära", "mark_read": "Märgi loetuks", "notifications_default": "Sobita vaikimisi seadistusega", - "notifications_mute": "Summuta jututuba" - } + "notifications_mute": "Summuta jututuba", + "title": "Jututoa eelistused" + }, + "invite_this_room": "Kutsu siia jututuppa", + "header": { + "video_call_button_jitsi": "Videokõne (Jitsi)", + "video_call_button_ec": "Videokõne (%(brand)s)", + "video_call_ec_layout_freedom": "Vabadus", + "video_call_ec_layout_spotlight": "Rambivalgus", + "video_call_ec_change_layout": "Muuda paigutust", + "forget_room_button": "Unusta jututuba", + "hide_widgets_button": "Peida vidinad", + "show_widgets_button": "Näita vidinaid", + "close_call_button": "Lõpeta kõne", + "video_room_view_chat_button": "Vaata vestluse ajajoont" + }, + "error_3pid_invite_email_lookup": "E-posti aadressi alusel ei õnnestu kasutajat leida", + "joining_space": "Liitun kogukonnaga…", + "joining_room": "Liitun jututoaga…", + "joining": "Liitun…", + "rejecting": "Hülgan kutset…", + "join_title": "Osalemiseks liitu jututoaga", + "join_title_account": "Liitu vestlusega kasutades oma kontot", + "join_button_account": "Registreeru", + "loading_preview": "Laadin eelvaadet", + "kicked_from_room_by": "%(memberName)s eemaldas sind %(roomName)s jututoast", + "kicked_by": "%(memberName)s eemaldas sinu liikmelisuse", + "kick_reason": "Põhjus: %(reason)s", + "forget_space": "Unusta see kogukond", + "forget_room": "Unusta see jututuba", + "rejoin_button": "Liitu uuesti", + "banned_from_room_by": "%(memberName)s keelas sulle ligipääsu jututuppa %(roomName)s", + "banned_by": "%(memberName)s keelas sulle ligipääsu", + "3pid_invite_error_title_room": "Midagi läks viltu sinu kutsega %(roomName)s jututuppa", + "3pid_invite_error_title": "Sinu kutsega läks midagi valesti.", + "3pid_invite_error_description": "Sinu kutse kontrollimisel tekkis viga (%(errcode)s). Kui saad, siis edasta see teave kutsujale.", + "3pid_invite_error_invite_subtitle": "Sa võid liituda vaid toimiva kutse alusel.", + "3pid_invite_error_invite_action": "Proovi siiski liituda", + "3pid_invite_error_public_subtitle": "Sa võid siiski siin liituda.", + "join_the_discussion": "Liitu vestlusega", + "3pid_invite_email_not_found_account_room": "See kutse jututuppa %(roomName)s saadeti e-posti aadressile %(email)s, mis ei ole seotud sinu kontoga", + "3pid_invite_email_not_found_account": "See kutse saadeti e-posti aadressile %(email)s, mis ei ole seotud sinu kontoga", + "link_email_to_receive_3pid_invite": "Selleks et saada kutseid otse %(brand)s'isse, seosta see e-posti aadress seadete all oma kontoga.", + "invite_sent_to_email_room": "Kutse %(roomName)s jututuppa saadeti %(email)s e-posti aadressile", + "invite_sent_to_email": "See kutse saadeti e-posti aadressile %(email)s", + "3pid_invite_no_is_subtitle": "Selleks et saada kutseid otse %(brand)s'isse peab seadistustes olema määratud isikutuvastusserver.", + "invite_email_mismatch_suggestion": "Selleks, et saada kutseid otse %(brand)s'isse, jaga oma seadetes seda e-posti aadressi.", + "dm_invite_title": "Kas sa soovid vestelda %(user)s'ga?", + "dm_invite_subtitle": " soovib vestelda", + "dm_invite_action": "Alusta vestlust", + "invite_title": "Kas sa soovid liitud jututoaga %(roomName)s?", + "invite_subtitle": " kutsus sind", + "invite_reject_ignore": "Hülga ja eira kasutaja", + "peek_join_prompt": "Sa vaatad jututoa %(roomName)s eelvaadet. Kas soovid sellega liituda?", + "no_peek_join_prompt": "Jututoal %(roomName)s puudub eelvaate võimalus. Kas sa soovid sellega liituda?", + "no_peek_no_name_join_prompt": "Eelvaade puudub. Kas sa siiski soovid liituda?", + "not_found_title_name": "Jututuba %(roomName)s ei ole olemas.", + "not_found_title": "Seda jututuba või kogukonda pole olemas.", + "not_found_subtitle": "Kas sa oled kindel, et viibid õiges asukohas?", + "inaccessible_name": "Jututuba %(roomName)s ei ole parasjagu kättesaadav.", + "inaccessible": "See jututuba või kogukond pole hetkel ligipääsetav.", + "inaccessible_subtitle_1": "Proovi hiljem uuesti või küsi jututoa või kogukonna haldurilt, kas sul on ligipääs olemas.", + "inaccessible_subtitle_2": "Astumisel jututuppa või liitumisel kogukonnaga tekkis viga %(errcode)s. Kui sa arvad, et sellise põhjusega viga ei tohiks tekkida, siis palun koosta veateade.", + "knock_prompt_name": "Küsi luba liitumiseks jututoaga %(roomName)s?", + "knock_prompt": "Küsi võimalust liitumiseks?", + "knock_subtitle": "Selle jututoa vestluste lugemiseks ja nendega liitumiseks on sul vaja luba. Vastava päringu võid saata alljärgnevalt.", + "knock_message_field_placeholder": "Sõnum (kui soovid lisada)", + "knock_send_action": "Küsi ligipääsu", + "knock_sent": "Ligipääsu päring on saadetud", + "knock_sent_subtitle": "Sinu liitumissoov on ootel.", + "knock_cancel_action": "Tühista liitumissoov", + "join_failed_needs_invite": "%(roomName)s jututoaga tutvumiseks vajad sa kutset", + "view_failed_enable_video_rooms": "Jututoa nägemiseks võta seadistustest katsete lehelt videotoad kasutusele", + "join_failed_enable_video_rooms": "Liitumiseks võta seadistustest katsete lehelt videotoad kasutusele" }, "file_panel": { "guest_note": "Selle funktsionaalsuse kasutamiseks pead sa registreeruma", @@ -4212,7 +4193,15 @@ "keyword_new": "Uus märksõna", "class_global": "Üldised", "class_other": "Muud", - "mentions_keywords": "Mainimised ja märksõnad" + "mentions_keywords": "Mainimised ja märksõnad", + "default": "Tavaline", + "all_messages": "Kõik sõnumid", + "all_messages_description": "Soovin teavitusi iga sõnumi puhul", + "mentions_and_keywords": "@mainimiste ja võtmesõnade puhul", + "mentions_and_keywords_description": "Soovin teavitusi sellisena mainimiste ja võtmesõnade puhul, nagu ma neid olen seadistanud", + "mute_description": "Sa ei saa üldse teavitusi", + "email_pusher_app_display_name": "E-posti teel saadetavad teavitused", + "message_didnt_send": "Sõnum jäi saatmata. Lisateabe saamiseks klõpsi." }, "mobile_guide": { "toast_title": "Rakendusega saad Matrix'is suhelda parimal viisil", @@ -4238,6 +4227,44 @@ "integration_manager": { "connecting": "Ühendamisel lõiminguhalduriga…", "error_connecting_heading": "Ei saa ühendust lõiminguhalduriga", - "error_connecting": "Lõiminguhaldur kas ei tööta või ei õnnestu tal teha päringuid sinu koduserveri suunas." + "error_connecting": "Lõiminguhaldur kas ei tööta või ei õnnestu tal teha päringuid sinu koduserveri suunas.", + "use_im_default": "Robotite, vidinate ja kleepsupakkide jaoks kasuta lõiminguhaldurit (%(serverName)s).", + "use_im": "Robotite, vidinate ja kleepsupakkide seadistamiseks kasuta lõiminguhaldurit.", + "manage_title": "Halda lõiminguid", + "explainer": "Lõiminguhalduritel on laiad volitused - nad võivad sinu nimel lugeda seadistusi, kohandada vidinaid, saata jututubade kutseid ning määrata õigusi." + }, + "identity_server": { + "url_not_https": "Isikutuvastusserveri URL peab kasutama HTTPS-protokolli", + "error_invalid": "See ei ole sobilik isikutuvastusserver (staatuskood %(code)s)", + "error_connection": "Ei saanud ühendust isikutuvastusserveriga", + "checking": "Kontrollin serverit", + "change": "Muuda isikutuvastusserverit", + "change_prompt": "Kas katkestame ühenduse isikutuvastusserveriga ning selle asemel loome uue ühenduse serveriga ?", + "error_invalid_or_terms": "Kas puudub nõustumine kasutustingimustega või on isikutuvastusserver vale.", + "no_terms": "Sinu valitud isikutuvastusserveril pole kasutustingimusi.", + "disconnect": "Katkesta ühendus isikutuvastusserveriga", + "disconnect_server": "Kas katkestame ühenduse isikutuvastusserveriga ?", + "disconnect_offline_warning": "Sa peaksid enne ühenduse katkestamisst eemaldama isiklikud andmed id-serverist . Kahjuks id-server ei ole hetkel võrgus või pole kättesaadav.", + "suggestions": "Sa peaksid:", + "suggestions_1": "kontrollima kas mõni brauseriplugin takistab ühendust isikutuvastusserveriga (nagu näiteks Privacy Badger)", + "suggestions_2": "võtma ühendust isikutuvastusserveri haldajaga", + "suggestions_3": "oota ja proovi hiljem uuesti", + "disconnect_anyway": "Ikkagi katkesta ühendus", + "disconnect_personal_data_warning_1": "Sa jätkuvalt jagad oma isikuandmeid isikutuvastusserveriga .", + "disconnect_personal_data_warning_2": "Me soovitame, et eemaldad enne ühenduse katkestamist oma e-posti aadressi ja telefoninumbrid isikutuvastusserverist.", + "url": "Isikutuvastusserver %(server)s", + "description_connected": "Sa hetkel kasutad serverit, et olla leitav ja ise leida sinule teadaolevaid inimesi. Alljärgnevalt saad sa muuta oma isikutuvastusserverit.", + "change_server_prompt": "Kui sa ei soovi kasutada serverit, et olla leitav ja ise leida sinule teadaolevaid inimesi, siis sisesta alljärgnevalt mõni teine isikutuvastusserver.", + "description_disconnected": "Sa hetkel ei kasuta isikutuvastusserverit. Et olla leitav ja ise leida sinule teadaolevaid inimesi seadista ta alljärgnevalt.", + "disconnect_warning": "Isikutuvastusserveri kasutamise lõpetamine tähendab, et sa ei ole leitav teiste kasutajate poolt ega sulle ei saa telefoninumbri või e-posti aadressi alusel kutset saata. Küll aga saab kutset saata Matrix'i kasutajatunnuse alusel.", + "description_optional": "Isikutuvastusserveri kasutamine ei ole kohustuslik. Kui sa seda ei tee, siis sa ei ole leitav teiste kasutajate poolt ega sulle ei saa telefoninumbri või e-posti aadressi alusel kutset saata. Küll aga saab kutset saata Matrix'i kasutajatunnuse alusel.", + "do_not_use": "Ära kasuta isikutuvastusserverit", + "url_field_label": "Sisesta uue isikutuvastusserveri nimi" + }, + "member_list": { + "invite_button_no_perms_tooltip": "Sul pole õigusi kutse saatmiseks teistele kasutajatele", + "invited_list_heading": "Kutsutud", + "filter_placeholder": "Filtreeri jututoa liikmeid", + "power_label": "%(userName)s (õigused %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/eu.json b/src/i18n/strings/eu.json index 8cf7a74ed7..846bf5bcdc 100644 --- a/src/i18n/strings/eu.json +++ b/src/i18n/strings/eu.json @@ -1,12 +1,8 @@ { "Create new room": "Sortu gela berria", - "Failed to change password. Is your password correct?": "Pasahitza aldatzean huts egin du. Zuzena da pasahitza?", "Failed to forget room %(errCode)s": "Huts egin du %(errCode)s gela ahaztean", "unknown error code": "errore kode ezezaguna", - "Historical": "Historiala", "Home": "Hasiera", - "Rooms": "Gelak", - "Low priority": "Lehentasun baxua", "Join Room": "Elkartu gelara", "Return to login screen": "Itzuli saio hasierarako pantailara", "Email address": "E-mail helbidea", @@ -14,29 +10,18 @@ "Jump to first unread message.": "Jauzi irakurri gabeko lehen mezura.", "Warning!": "Abisua!", "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", - "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.", "This room has no local addresses": "Gela honek ez du tokiko helbiderik", "Session ID": "Saioaren IDa", - "Export room keys": "Esportatu gelako gakoak", - "Enter passphrase": "Idatzi pasaesaldia", - "Confirm passphrase": "Berretsi pasaesaldia", - "Import room keys": "Inportatu gelako gakoak", "Moderator": "Moderatzailea", "Admin Tools": "Administrazio-tresnak", - "No Microphones detected": "Ez da mikrofonorik atzeman", - "No Webcams detected": "Ez da kamerarik atzeman", "An error has occurred.": "Errore bat gertatu da.", "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?", "Custom level": "Maila pertsonalizatua", - "Deactivate Account": "Itxi kontua", "Decrypt %(text)s": "Deszifratu %(text)s", - "Default": "Lehenetsia", "%(items)s and %(lastItem)s": "%(items)s eta %(lastItem)s", "Download %(text)s": "Deskargatu %(text)s", "Error decrypting attachment": "Errorea eranskina deszifratzean", @@ -45,34 +30,20 @@ "Failed to mute user": "Huts egin du erabiltzailea mututzean", "Failed to reject invite": "Huts egin du gonbidapena baztertzean", "Failed to reject invitation": "Huts egin du gonbidapena baztertzean", - "Failed to set display name": "Huts egin du pantaila-izena ezartzean", - "Failed to unban": "Huts egin du debekua kentzean", - "Forget room": "Ahaztu gela", - "Incorrect verification code": "Egiaztaketa kode okerra", - "Invalid Email Address": "E-mail helbide baliogabea", "Invalid file%(extra)s": "Fitxategi %(extra)s baliogabea", - "Invited": "Gonbidatuta", "New passwords must match each other.": "Pasahitz berriak berdinak izan behar dira.", "not specified": "zehaztu gabe", "No more results": "Emaitza gehiagorik ez", - "Reason": "Arrazoia", "Reject invitation": "Baztertu gonbidapena", - "%(roomName)s does not exist.": "Ez dago %(roomName)s izeneko gela.", - "%(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 :(", - "This doesn't appear to be a valid email address": "Honek ez du baliozko e-mail baten antzik", "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", - "Unable to remove contact information": "Ezin izan da kontaktuaren informazioa kendu", - "Unable to verify email address.": "Ezin izan da e-mail helbidea egiaztatu.", "Uploading %(filename)s": "%(filename)s igotzen", "Uploading %(filename)s and %(count)s others": { "one": "%(filename)s eta beste %(count)s igotzen", "other": "%(filename)s eta beste %(count)s igotzen" }, - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (power %(powerLevelNumber)s)", "You seem to be in a call, are you sure you want to quit?": "Badirudi dei batean zaudela, ziur irten nahi duzula?", "You seem to be uploading files, are you sure you want to quit?": "Badirudi fitxategiak iotzen zaudela, ziur irten nahi duzula?", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Ezin izango duzu hau atzera bota erabiltzailea zure botere maila berera igotzen ari zarelako.", @@ -103,12 +74,6 @@ "one": "(~%(count)s emaitza)", "other": "(~%(count)s emaitza)" }, - "Passphrases must match": "Pasaesaldiak bat etorri behar dira", - "Passphrase must not be empty": "Pasaesaldia ezin da hutsik egon", - "File to import": "Inportatu beharreko fitxategia", - "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.", "Confirm Removal": "Berretsi kentzea", "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.", @@ -123,8 +88,6 @@ }, "AM": "AM", "PM": "PM", - "Unignore": "Ez ezikusi", - "Banned by %(displayName)s": "%(displayName)s erabiltzaileak debekatuta", "Restricted": "Mugatua", "Send": "Bidali", "%(duration)ss": "%(duration)s s", @@ -140,7 +103,6 @@ }, "Delete Widget": "Ezabatu trepeta", "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", "This room is not public. You will not be able to rejoin without an invite.": "Gela hau ez da publikoa. Ezin izango zara berriro elkartu gonbidapenik gabe.", "In reply to ": "honi erantzunez: ", @@ -160,8 +122,6 @@ "All Rooms": "Gela guztiak", "Wednesday": "Asteazkena", "You cannot delete this message. (%(code)s)": "Ezin duzu mezu hau ezabatu. (%(code)s)", - "All messages": "Mezu guztiak", - "Invite to this room": "Gonbidatu gela honetara", "Thursday": "Osteguna", "Search…": "Bilatu…", "Logs sent": "Egunkariak bidalita", @@ -179,15 +139,10 @@ "Share User": "Partekatu erabiltzailea", "Share Room Message": "Partekatu gelako mezua", "Link to selected message": "Esteka hautatutako mezura", - "No Audio Outputs detected": "Ez da audio irteerarik antzeman", - "Audio Output": "Audio irteera", "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", - "Permission Required": "Baimena beharrezkoa", "This event could not be displayed": "Ezin izan da gertakari hau bistaratu", - "This room has been replaced and is no longer active.": "Gela hau ordeztu da eta ez dago aktibo jada.", - "The conversation continues here.": "Elkarrizketak hemen darrai.", "Only room administrators will see this warning": "Gelaren administratzaileek besterik ez dute abisu hau ikusiko", "Failed to upgrade room": "Huts egin du gela eguneratzea", "The room upgrade could not be completed": "Ezin izan da gelaren eguneraketa osatu", @@ -209,10 +164,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": "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", - "That matches!": "Bat dator!", - "That doesn't match.": "Ez dator bat.", - "Go back to set it again.": "Joan atzera eta berriro ezarri.", - "Unable to create key backup": "Ezin izan da gakoaren babes-kopia sortu", "Unable to load backup status": "Ezin izan da babes-kopiaren egoera kargatu", "Unable to restore backup": "Ezin izan da babes-kopia berrezarri", "No backup found!": "Ez da babes-kopiarik aurkitu!", @@ -220,12 +171,8 @@ "Invalid homeserver discovery response": "Baliogabeko hasiera-zerbitzarien bilaketaren erantzuna", "Set up": "Ezarri", "General failure": "Hutsegite orokorra", - "New Recovery Method": "Berreskuratze metodo berria", - "Set up Secure Messages": "Ezarri mezu seguruak", - "Go to Settings": "Joan ezarpenetara", "Unable to load commit detail: %(msg)s": "Ezin izan dira xehetasunak kargatu: %(msg)s", "Invalid identity server discovery response": "Baliogabeko erantzuna identitate zerbitzariaren bilaketan", - "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.": "Ez baduzu berreskuratze sistema berria ezarri, erasotzaile bat zure kontua atzitzen saiatzen egon daiteke. Aldatu zure kontuaren pasahitza eta ezarri berreskuratze metodo berria berehala ezarpenetan.", "The following users may not exist": "Hurrengo erabiltzaileak agian ez dira existitzen", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Ezin izan dira behean zerrendatutako Matrix ID-een profilak, berdin gonbidatu nahi dituzu?", "Invite anyway and never warn me again": "Gonbidatu edonola ere eta ez abisatu inoiz gehiago", @@ -282,17 +229,8 @@ "Email (optional)": "E-mail (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", - "Room Addresses": "Gelaren helbideak", - "Email addresses": "E-mail helbideak", - "Phone numbers": "Telefono zenbakiak", - "Account management": "Kontuen kudeaketa", - "Ignored users": "Ezikusitako erabiltzaileak", - "Voice & Video": "Ahotsa eta bideoa", "Main address": "Helbide nagusia", "Your password has been reset.": "Zure pasahitza berrezarri da.", - "Recovery Method Removed": "Berreskuratze metodoa kendu da", - "Missing media permissions, click the button below to request.": "Multimedia baimenak falda dira, sakatu beheko botoia baimenak eskatzeko.", - "Request media permissions": "Eskatu multimedia baimenak", "Start using Key Backup": "Hasi gakoen babes-kopia egiten", "Back up your keys before signing out to avoid losing them.": "Egin gakoen babes-kopia bat saioa amaitu aurretik, galdu nahi ez badituzu.", "Headphones": "Aurikularrak", @@ -311,13 +249,7 @@ "Thumbs up": "Ederto", "Hourglass": "Harea-erlojua", "Paperclip": "Klipa", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "E-mail bat bidali dizugu zure helbidea egiaztatzeko. Jarraitu hango argibideak eta gero sakatu beheko botoia.", - "Email Address": "E-mail helbidea", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Zifratutako mezuak muturretik muturrerako zifratzearen bidez babestuak daude. Zuk eta hartzaileak edo hartzaileek irakurri ditzakezue mezu horiek, beste inork ez.", - "Unable to verify phone number.": "Ezin izan da telefono zenbakia egiaztatu.", - "Verification code": "Egiaztaketa kodea", - "Phone Number": "Telefono zenbakia", - "Room information": "Gelako informazioa", "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", "I don't want my encrypted messages": "Ez ditut nire zifratutako mezuak nahi", @@ -325,9 +257,6 @@ "You'll lose access to your encrypted messages": "Zure zifratutako mezuetara sarbidea galduko duzu", "Are you sure you want to sign out?": "Ziur saioa amaitu nahi duzula?", "Warning: you should only set up key backup from a trusted computer.": "Abisua:: Gakoen babeskopia fidagarria den gailu batetik egin beharko zenuke beti.", - "Your keys are being backed up (the first backup could take a few minutes).": "Zure gakoen babes-kopia egiten ari da (lehen babes-kopiak minutu batzuk behar ditzake).", - "Success!": "Ongi!", - "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.": "Ez baduzu berreskuratze metodoa kendu, agian erasotzaile bat zure mezuen historialera sarbidea lortu nahi du. Aldatu kontuaren pasahitza eta ezarri berreskuratze metodo berri bat berehala ezarpenetan.", "Scissors": "Artaziak", "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.", @@ -339,26 +268,6 @@ "Revoke invite": "Indargabetu gonbidapena", "Invited by %(sender)s": "%(sender)s erabiltzaileak gonbidatuta", "Remember my selection for this widget": "Gogoratu nire hautua trepeta honentzat", - "Uploaded sound": "Igotako soinua", - "Sounds": "Soinuak", - "Notification sound": "Jakinarazpen soinua", - "Set a new custom sound": "Ezarri soinu pertsonalizatua", - "Browse": "Arakatu", - "Join the conversation with an account": "Elkartu elkarrizketara kontu batekin", - "Sign Up": "Erregistratu", - "Reason: %(reason)s": "Arrazoia: %(reason)s", - "Forget this room": "Ahaztu gela hau", - "Re-join": "Berriro elkartu", - "You were banned from %(roomName)s by %(memberName)s": "%(roomName)s gelan sartzea debekatu dizu %(memberName)s erabiltzaileak", - "Something went wrong with your invite to %(roomName)s": "Arazo bat egon da zure %(roomName)s gelarako gonbidapenarekin", - "You can only join it with a working invite.": "Elkartzeko baliozko gonbidapen bat behar duzu.", - "Join the discussion": "Elkartu elkarrizketara", - "Try to join anyway": "Saiatu elkartzen hala ere", - "Do you want to chat with %(user)s?": "%(user)s erabiltzailearekin txateatu nahi duzu?", - "Do you want to join %(roomName)s?": "%(roomName)s gelara elkartu nahi duzu?", - " invited you": " erabiltzaileak gonbidatu zaitu", - "You're previewing %(roomName)s. Want to join it?": "%(roomName)s aurreikusten ari zara. Elkartu nahi duzu?", - "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s ezin da aurreikusi. Elkartu nahi duzu?", "This room has already been upgraded.": "Gela hau dagoeneko eguneratu da.", "This room is running room version , which this homeserver has marked as unstable.": "Gela honek bertsioa du, eta hasiera-zerbitzariakez egonkor gisa markatu du.", "edited": "editatua", @@ -376,7 +285,6 @@ "Cancel All": "Ezeztatu dena", "Upload Error": "Igoera errorea", "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", "Identity server URL does not appear to be a valid identity server": "Identitate-zerbitzariaren URL-a ez dirudi baliozko identitate-zerbitzari batena", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Ezin izan da gonbidapena baliogabetu. Zerbitzariak une bateko arazoren bat izan lezake edo agian ez duzu gonbidapena baliogabetzeko baimen nahiko.", @@ -396,53 +304,13 @@ "Clear all data": "Garbitu datu guztiak", "Your homeserver doesn't seem to support this feature.": "Antza zure hasiera-zerbitzariak ez du ezaugarri hau onartzen.", "Resend %(unsentCount)s reaction(s)": "Birbidali %(unsentCount)s erreakzio", - "Clear personal data": "Garbitu datu pertsonalak", "Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Esaguzu zer ez den behar bezala ibili edo, hobe oraindik, sortu GitHub txosten bat zure arazoa deskribatuz.", - "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", - "Checking server": "Zerbitzaria egiaztatzen", - "Disconnect from the identity server ?": "Deskonektatu identitate-zerbitzaritik?", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": " erabiltzen ari zara kontaktua aurkitzeko eta aurkigarria izateko. Zure identitate-zerbitzaria aldatu dezakezu azpian.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Orain ez duzu identitate-zerbitzaririk erabiltzen. Kontaktuak aurkitzeko eta aurkigarria izateko, gehitu bat azpian.", - "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.": "Zure identitate-zerbitzaritik deskonektatzean ez zara beste erabiltzaileentzat aurkigarria izango eta ezin izango dituzu besteak gonbidatu e-mail helbidea edo telefono zenbakia erabiliz.", - "Discovery": "Aurkitzea", "Deactivate account": "Desaktibatu kontua", - "Unable to revoke sharing for email address": "Ezin izan da partekatzea indargabetu e-mail helbidearentzat", - "Unable to share email address": "Ezin izan da e-mail helbidea partekatu", - "Discovery options will appear once you have added an email above.": "Aurkitze aukerak behin goian e-mail helbide bat gehitu duzunean agertuko dira.", - "Unable to revoke sharing for phone number": "Ezin izan da partekatzea indargabetu telefono zenbakiarentzat", - "Unable to share phone number": "Ezin izan da telefono zenbakia partekatu", - "Please enter verification code sent via text.": "Sartu SMS bidez bidalitako egiaztatze kodea.", - "Discovery options will appear once you have added a phone number above.": "Aurkitze aukerak behin goian telefono zenbaki bat gehitu duzunean agertuko dira.", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "SMS mezu bat bidali zaizu +%(msisdn)s zenbakira. Sartu hemen mezu horrek daukan egiaztatze-kodea.", "Command Help": "Aginduen laguntza", - "Terms of service not accepted or the identity server is invalid.": "Ez dira erabilera baldintzak onartu edo identitate zerbitzari baliogabea da.", - "Do not use an identity server": "Ez erabili identitate-zerbitzaririk", - "Enter a new identity server": "Sartu identitate-zerbitzari berri bat", - "Remove %(email)s?": "Kendu %(email)s?", - "Remove %(phone)s?": "Kendu %(phone)s?", "Deactivate user?": "Desaktibatu erabiltzailea?", "Deactivate user": "Desaktibatu erabiltzailea", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Lotu e-mail hau zure kontuarekin gonbidapenak zuzenean %(brand)s-en jasotzeko.", - "This invite to %(roomName)s was sent to %(email)s": "%(roomName)s gelara gonbidapen hau %(email)s helbidera bidali da", - "Change identity server": "Aldatu identitate-zerbitzaria", - "Disconnect from the identity server and connect to instead?": "Deskonektatu identitate-zerbitzaritik eta konektatu zerbitzarira?", - "The identity server you have chosen does not have any terms of service.": "Hautatu duzun identitate-zerbitzariak ez du erabilera baldintzarik.", - "Disconnect identity server": "Deskonektatu identitate-zerbitzaritik", - "You are still sharing your personal data on the identity server .": "Oraindik informazio pertsonala partekatzen duzu identitate zerbitzarian.", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Deskonektatu aurretik identitate-zerbitzaritik e-mail helbideak eta telefonoak kentzea aholkatzen dizugu.", - "Disconnect anyway": "Deskonektatu hala ere", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Ez baduzu erabili nahi jendea aurkitzeko eta zure kontaktuek zu aurkitzeko, idatzi beste identitate-zerbitzari bat behean.", - "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.": "Identitate-zerbitzari bat erabiltzea aukerazkoa da. Identitate-zerbitzari bat ez erabiltzea erabakitzen baduzu, ezin izango zaituztete e-mail edo telefonoa erabilita aurkitu eta ezin izango dituzu besteak e-mail edo telefonoa erabiliz gonbidatu.", - "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Onartu %(serverName)s identitate-zerbitzariaren erabilera baldintzak besteek zu e-mail helbidea edo telefonoa erabiliz aurkitzea ahalbidetzeko.", - "Error changing power level requirement": "Errorea botere-maila eskaria aldatzean", - "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Errore bat gertatu da gelaren botere-maila eskariak aldatzean. Baieztatu baimen bahikoa duzula eta saiatu berriro.", - "Error changing power level": "Errorea botere-maila aldatzean", - "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Errore bat gertatu da erabiltzailearen botere-maila aldatzean. Baieztatu baimen nahikoa duzula eta saiatu berriro.", - "Your email address hasn't been verified yet": "Zure e-mail helbidea egiaztatu gabe dago oraindik", - "Click the link in the email you received to verify and then click continue again.": "Sakatu jaso duzun e-maileko estekan egiaztatzeko eta gero sakatu jarraitu berriro.", - "Verify the link in your inbox": "Egiaztatu zure sarrera ontzian dagoen esteka", "No recent messages by %(user)s found": "Ez da %(user)s erabiltzailearen azken mezurik aurkitu", "Try scrolling up in the timeline to see if there are any earlier ones.": "Saiatu denbora-lerroa gora korritzen aurreko besterik dagoen ikusteko.", "Remove recent messages by %(user)s": "Kendu %(user)s erabiltzailearen azken mezuak", @@ -453,22 +321,11 @@ }, "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?": "Erabiltzailea desaktibatzean saioa itxiko zaio eta ezin izango du berriro hasi. Gainera, dauden gela guztietatik aterako da. Ekintza hau ezin da aurreko egoera batera ekarri. Ziur erabiltzaile hau desaktibatu nahi duzula?", "Remove recent messages": "Kendu azken mezuak", - "Italics": "Etzana", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "%(roomName)s gelarako gonbidapena zure kontuarekin lotuta ez dagoen %(email)s helbidera bidali da", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Erabili identitate zerbitzari bat ezarpenetan gonbidapenak zuzenean %(brand)s-en jasotzeko.", - "Share this email in Settings to receive invites directly in %(brand)s.": "Partekatu e-mail hau ezarpenetan gonbidapenak zuzenean %(brand)s-en jasotzeko.", "Show image": "Erakutsi irudia", "e.g. my-room": "adib. nire-gela", "Use an identity server to invite by email. Use the default (%(defaultIdentityServerName)s) or manage in Settings.": "Erabili identitate-zerbitzari bat e-mail bidez gonbidatzeko. Erabili lehenetsitakoa (%(defaultIdentityServerName)s) edo gehitu bat Ezarpenak atalean.", "Use an identity server to invite by email. Manage in Settings.": "Erabili identitate-zerbitzari bat e-mail bidez gonbidatzeko. Kudeatu Ezarpenak atalean.", "Close dialog": "Itxi elkarrizketa-koadroa", - "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:", - "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)", - "contact the administrators of identity server ": " identitate-zerbitzariko administratzaileekin kontaktuak jarri", - "wait and try again later": "itxaron eta berriro saiatu", - "Room %(name)s": "%(name)s gela", "Failed to deactivate user": "Huts egin du erabiltzailea desaktibatzeak", "This client does not support end-to-end encryption.": "Bezero honek ez du muturretik muturrerako zifratzea onartzen.", "Messages in this room are not end-to-end encrypted.": "Gela honetako mezuak ez daude muturretik muturrera zifratuta.", @@ -483,8 +340,6 @@ "%(name)s cancelled": "%(name)s utzita", "%(name)s wants to verify": "%(name)s(e)k egiaztatu nahi du", "You sent a verification request": "Egiaztaketa eskari bat bidali duzu", - "Manage integrations": "Kudeatu integrazioak", - "None": "Bat ere ez", "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.", @@ -492,9 +347,6 @@ "Integrations not allowed": "Integrazioak ez daude baimenduta", "Verification Request": "Egiaztaketa eskaria", "Unencrypted": "Zifratu gabe", - "Close preview": "Itxi aurrebista", - " wants to chat": " erabiltzaileak txateatu nahi du", - "Start chatting": "Hasi txateatzen", "Hide verified sessions": "Ezkutatu egiaztatutako saioak", "%(count)s verified sessions": { "other": "%(count)s egiaztatutako saio", @@ -504,7 +356,6 @@ "Upgrade public room": "Eguneratu gela publikoa", "Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Gela eguneratzea ekintza aurreratu bat da eta akatsen, falta diren ezaugarrien, edo segurtasun arazoen erruz gela ezegonkorra denean aholkatzen da.", "You'll upgrade this room from to .": "Gela hau bertsiotik bertsiora eguneratuko duzu.", - "Unable to set up secret storage": "Ezin izan da biltegi sekretua ezarri", "Language Dropdown": "Hizkuntza menua", "Country Dropdown": "Herrialde menua", "Show more": "Erakutsi gehiago", @@ -518,16 +369,10 @@ "Recently Direct Messaged": "Berriki mezu zuzena bidalita", "This room is end-to-end encrypted": "Gela hau muturretik muturrera zifratuta dago", "Everyone in this room is verified": "Gelako guztiak egiaztatuta daude", - "Reject & Ignore user": "Ukatu eta ezikusi erabiltzailea", "Verify User": "Egiaztatu erabiltzailea", "For extra security, verify this user by checking a one-time code on both of your devices.": "Segurtasun gehiagorako, egiaztatu erabiltzaile hau aldi-bakarrerako kode bat bi gailuetan egiaztatuz.", "Start Verification": "Hasi egiaztaketa", - "Enter your account password to confirm the upgrade:": "Sartu zure kontuaren pasa-hitza eguneraketa baieztatzeko:", - "You'll need to authenticate with the server to confirm the upgrade.": "Zerbitzariarekin autentifikatu beharko duzu eguneraketa baieztatzeko.", - "Upgrade your encryption": "Eguneratu zure zifratzea", "This backup is trusted because it has been restored on this session": "Babes-kopia hau fidagarritzat jotzen da saio honetan berrekuratu delako", - "This room is bridging messages to the following platforms. Learn more.": "Gela honek honako plataformetara kopiatzen ditu mezuak. Argibide gehiago.", - "Bridges": "Zubiak", "This user has not verified all of their sessions.": "Erabiltzaile honek ez ditu bere saio guztiak egiaztatu.", "You have not verified this user.": "Ez duzu erabiltzaile hau egiaztatu.", "Someone is using an unknown session": "Baten batek saio ezezagun bat erabiltzen du", @@ -568,11 +413,6 @@ "Destroy cross-signing keys?": "Suntsitu zeharkako sinatzerako gakoak?", "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.": "Zeharkako sinatzerako gakoak ezabatzea behin betiko da. Egiaztatu dituzunak segurtasun abisu bat jasoko dute. Ziur aski ez duzu hau egin nahi, zeharkako sinatzea ahalbidetzen dizun gailu oro galdu ez baduzu.", "Clear cross-signing keys": "Garbitu zeharkako sinatzerako gakoak", - "Restore your key backup to upgrade your encryption": "Berreskuratu zure gakoen babes-kopia zure zifratzea eguneratzeko", - "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Eguneratu saio hau beste saioak egiaztatu ahal ditzan, zifratutako mezuetara sarbidea emanez eta beste erabiltzaileei fidagarri gisa agertu daitezen.", - "Create key backup": "Sortu gakoen babes-kopia", - "This session is encrypting history using the new recovery method.": "Saio honek historiala zifratzen du berreskuratze metodo berria erabiliz.", - "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.": "Nahi gabe egin baduzu hau, Mezu seguruak ezarri ditzakezu saio honetan eta saioaren mezuen historiala berriro zifratuko da berreskuratze metodo berriarekin.", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Matrix-ekin lotutako segurtasun arazo baten berri emateko, irakurri Segurtasun ezagutarazte gidalerroak.", "Scroll to most recent messages": "Korritu azken mezuetara", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Errore bat gertatu da gelaren ordezko helbideak eguneratzean. Agian zerbitzariak ez du onartzen edo une bateko akatsa izan da.", @@ -622,7 +462,6 @@ "Submit logs": "Bidali egunkariak", "Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Oroigarria: Ez dugu zure nabigatzailearentzako euskarririk, ezin da zure esperientzia nolakoa izango den aurreikusi.", "Unable to upload": "Ezin izan da igo", - "Unable to query secret storage status": "Ezin izan da biltegi sekretuaren egoera kontsultatu", "You signed in to a new session without verifying it:": "Saio berria hasi duzu hau egiaztatu gabe:", "Verify your other session using one of the options below.": "Egiaztatu zure beste saioa beheko aukeretako batekin.", "IRC display name width": "IRC-ko pantaila izenaren zabalera", @@ -639,10 +478,7 @@ "Your homeserver has exceeded its user limit.": "Zure hasiera-zerbitzariak erabiltzaile muga gainditu du.", "Your homeserver has exceeded one of its resource limits.": "Zure hasiera-zerbitzariak bere baliabide mugetako bat gainditu du.", "Ok": "Ados", - "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", - "Room options": "Gelaren aukerak", "Error creating address": "Errorea helbidea sortzean", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Errorea gertatu da helbidea sortzean. Agian ez du zerbitzariak onartzen edo behin behineko arazo bat egon da.", "You don't have permission to delete the address.": "Ez duzu helbidea ezabatzeko baimenik.", @@ -653,7 +489,6 @@ "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 theme": "Aldatu azala", - "Use a different passphrase?": "Erabili pasa-esaldi desberdin bat?", "This room is public": "Gela hau publikoa da", "Click to view edits": "Klik egin edizioak ikusteko", "The server is offline.": "Zerbitzaria lineaz kanpo dago.", @@ -661,13 +496,6 @@ "Wrong file type": "Okerreko fitxategi-mota", "Looks good!": "Itxura ona du!", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Zure %(brand)s aplikazioak ez dizu hau egiteko integrazio kudeatzaile bat erabiltzen uzten. Kontaktatu administratzaileren batekin.", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Integrazio kudeatzaileek konfigurazio datuak jasotzen dituzte, eta trepetak aldatu ditzakete, gelara gonbidapenak bidali, eta botere mailak zure izenean ezarri.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Erabili integrazio kudeatzaile bat botak, trepetak eta eranskailu multzoak kudeatzeko.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Erabili (%(serverName)s) integrazio kudeatzailea botak, trepetak eta eranskailu multzoak kudeatzeko.", - "Identity server (%(server)s)": "Identitate-zerbitzaria (%(server)s)", - "Could not connect to identity server": "Ezin izan da identitate-zerbitzarira konektatu", - "Not a valid identity server (status code %(code)s)": "Ez da identitate zerbitzari baliogarria (egoera-mezua %(code)s)", - "Identity server URL must be HTTPS": "Identitate zerbitzariaren URL-a HTTPS motakoa izan behar du", "common": { "analytics": "Estatistikak", "encryption_enabled": "Zifratzea gaituta", @@ -731,7 +559,13 @@ "general": "Orokorra", "profile": "Profila", "display_name": "Pantaila-izena", - "user_avatar": "Profileko irudia" + "user_avatar": "Profileko irudia", + "authentication": "Autentifikazioa", + "rooms": "Gelak", + "low_priority": "Lehentasun baxua", + "historical": "Historiala", + "go_to_settings": "Joan ezarpenetara", + "setup_secure_messages": "Ezarri mezu seguruak" }, "action": { "continue": "Jarraitu", @@ -808,7 +642,9 @@ "send_report": "Bidali salaketa", "unban": "Debekua kendu", "hide_advanced": "Ezkutatu aurreratua", - "show_advanced": "Erakutsi aurreratua" + "show_advanced": "Erakutsi aurreratua", + "unignore": "Ez ezikusi", + "explore_rooms": "Arakatu gelak" }, "a11y": { "user_menu": "Erabiltzailea-menua", @@ -821,7 +657,8 @@ "one": "Irakurri gabeko mezu 1." }, "unread_messages": "Irakurri gabeko mezuak.", - "jump_first_invite": "Jauzi lehen gonbidapenera." + "jump_first_invite": "Jauzi lehen gonbidapenera.", + "room_name": "%(name)s gela" }, "labs": { "pinning": "Mezuak finkatzea", @@ -888,7 +725,13 @@ "room_a11y": "Gela osatze automatikoa", "user_description": "Erabiltzaileak", "user_a11y": "Erabiltzaile osatze automatikoa" - } + }, + "room_upgraded_link": "Elkarrizketak hemen darrai.", + "room_upgraded_notice": "Gela hau ordeztu da eta ez dago aktibo jada.", + "no_perms_notice": "Ez duzu gela honetara mezuak bidaltzeko baimenik", + "poll_button_no_perms_title": "Baimena beharrezkoa", + "format_italics": "Etzana", + "replying_title": "Erantzuten" }, "Code": "Kodea", "power_level": { @@ -986,7 +829,14 @@ "inline_url_previews_room_account": "Gaitu URLen aurrebista gela honetan (zuretzat bakarrik aldatuko duzu)", "inline_url_previews_room": "Gaitu URLen aurrebista lehenetsita gela honetako partaideentzat", "voip": { - "mirror_local_feed": "Bikoiztu tokiko bideo jarioa" + "mirror_local_feed": "Bikoiztu tokiko bideo jarioa", + "missing_permissions_prompt": "Multimedia baimenak falda dira, sakatu beheko botoia baimenak eskatzeko.", + "request_permissions": "Eskatu multimedia baimenak", + "audio_output": "Audio irteera", + "audio_output_empty": "Ez da audio irteerarik antzeman", + "audio_input_empty": "Ez da mikrofonorik atzeman", + "video_input_empty": "Ez da kamerarik atzeman", + "title": "Ahotsa eta bideoa" }, "security": { "message_search_disable_warning": "Desgaituz gero, zifratutako geletako mezuak ez dira bilaketen emaitzetan agertuko.", @@ -1039,7 +889,10 @@ "key_backup_connect_prompt": "Konektatu saio hau gakoen babes-kopiara saioa amaitu aurretik saio honetan bakarrik dauden gakoak ez galtzeko.", "key_backup_connect": "Konektatu saio hau gakoen babes-kopiara", "key_backup_complete": "Gako guztien babes.kopia egin da", - "key_backup_inactive_warning": "Ez da zure gakoen babes-kopia egiten saio honetatik." + "key_backup_inactive_warning": "Ez da zure gakoen babes-kopia egiten saio honetatik.", + "key_backup_active_version_none": "Bat ere ez", + "ignore_users_section": "Ezikusitako erabiltzaileak", + "e2ee_default_disabled_warning": "Zure zerbitzariko administratzaileak muturretik muturrerako zifratzea desgaitu du lehenetsita gela probatuetan eta mezu zuzenetan." }, "preferences": { "room_list_heading": "Gelen zerrenda", @@ -1066,7 +919,70 @@ "add_msisdn_confirm_button": "Berretsi telefono zenbakia gehitzea", "add_msisdn_confirm_body": "Sakatu beheko botoia telefono zenbaki hau gehitzea berresteko.", "add_msisdn_dialog_title": "Gehitu telefono zenbakia", - "name_placeholder": "Pantaila izenik ez" + "name_placeholder": "Pantaila izenik ez", + "error_password_change_403": "Pasahitza aldatzean huts egin du. Zuzena da pasahitza?", + "emails_heading": "E-mail helbideak", + "msisdns_heading": "Telefono zenbakiak", + "discovery_needs_terms": "Onartu %(serverName)s identitate-zerbitzariaren erabilera baldintzak besteek zu e-mail helbidea edo telefonoa erabiliz aurkitzea ahalbidetzeko.", + "deactivate_section": "Itxi kontua", + "account_management_section": "Kontuen kudeaketa", + "discovery_section": "Aurkitzea", + "error_revoke_email_discovery": "Ezin izan da partekatzea indargabetu e-mail helbidearentzat", + "error_share_email_discovery": "Ezin izan da e-mail helbidea partekatu", + "email_not_verified": "Zure e-mail helbidea egiaztatu gabe dago oraindik", + "email_verification_instructions": "Sakatu jaso duzun e-maileko estekan egiaztatzeko eta gero sakatu jarraitu berriro.", + "error_email_verification": "Ezin izan da e-mail helbidea egiaztatu.", + "discovery_email_verification_instructions": "Egiaztatu zure sarrera ontzian dagoen esteka", + "discovery_email_empty": "Aurkitze aukerak behin goian e-mail helbide bat gehitu duzunean agertuko dira.", + "error_revoke_msisdn_discovery": "Ezin izan da partekatzea indargabetu telefono zenbakiarentzat", + "error_share_msisdn_discovery": "Ezin izan da telefono zenbakia partekatu", + "error_msisdn_verification": "Ezin izan da telefono zenbakia egiaztatu.", + "incorrect_msisdn_verification": "Egiaztaketa kode okerra", + "msisdn_verification_instructions": "Sartu SMS bidez bidalitako egiaztatze kodea.", + "msisdn_verification_field_label": "Egiaztaketa kodea", + "discovery_msisdn_empty": "Aurkitze aukerak behin goian telefono zenbaki bat gehitu duzunean agertuko dira.", + "error_set_name": "Huts egin du pantaila-izena ezartzean", + "error_remove_3pid": "Ezin izan da kontaktuaren informazioa kendu", + "remove_email_prompt": "Kendu %(email)s?", + "error_invalid_email": "E-mail helbide baliogabea", + "error_invalid_email_detail": "Honek ez du baliozko e-mail baten antzik", + "error_add_email": "Ezin izan da e-mail helbidea gehitu", + "add_email_instructions": "E-mail bat bidali dizugu zure helbidea egiaztatzeko. Jarraitu hango argibideak eta gero sakatu beheko botoia.", + "email_address_label": "E-mail helbidea", + "remove_msisdn_prompt": "Kendu %(phone)s?", + "add_msisdn_instructions": "SMS mezu bat bidali zaizu +%(msisdn)s zenbakira. Sartu hemen mezu horrek daukan egiaztatze-kodea.", + "msisdn_label": "Telefono zenbakia" + }, + "key_backup": { + "backup_in_progress": "Zure gakoen babes-kopia egiten ari da (lehen babes-kopiak minutu batzuk behar ditzake).", + "backup_success": "Ongi!", + "create_title": "Sortu gakoen babes-kopia", + "cannot_create_backup": "Ezin izan da gakoaren babes-kopia sortu", + "setup_secure_backup": { + "requires_password_confirmation": "Sartu zure kontuaren pasa-hitza eguneraketa baieztatzeko:", + "requires_key_restore": "Berreskuratu zure gakoen babes-kopia zure zifratzea eguneratzeko", + "requires_server_authentication": "Zerbitzariarekin autentifikatu beharko duzu eguneraketa baieztatzeko.", + "session_upgrade_description": "Eguneratu saio hau beste saioak egiaztatu ahal ditzan, zifratutako mezuetara sarbidea emanez eta beste erabiltzaileei fidagarri gisa agertu daitezen.", + "pass_phrase_match_success": "Bat dator!", + "use_different_passphrase": "Erabili pasa-esaldi desberdin bat?", + "pass_phrase_match_failed": "Ez dator bat.", + "set_phrase_again": "Joan atzera eta berriro ezarri.", + "secret_storage_query_failure": "Ezin izan da biltegi sekretuaren egoera kontsultatu", + "title_upgrade_encryption": "Eguneratu zure zifratzea", + "unable_to_setup": "Ezin izan da biltegi sekretua ezarri" + } + }, + "key_export_import": { + "export_title": "Esportatu gelako gakoak", + "export_description_1": "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.", + "enter_passphrase": "Idatzi pasaesaldia", + "confirm_passphrase": "Berretsi pasaesaldia", + "phrase_cannot_be_empty": "Pasaesaldia ezin da hutsik egon", + "phrase_must_match": "Pasaesaldiak bat etorri behar dira", + "import_title": "Inportatu gelako gakoak", + "import_description_1": "Prozesu honek aurretik beste Matrix bezero batetik esportatu dituzun zifratze gakoak inportatzea ahalbidetzen dizu. Gero beste bezeroak deszifratu zitzakeen mezuak deszifratu ahal izango dituzu.", + "import_description_2": "Esportatutako fitxategia pasaesaldi batez babestuko da. Pasaesaldia bertan idatzi behar duzu, fitxategia deszifratzeko.", + "file_to_import": "Inportatu beharreko fitxategia" } }, "devtools": { @@ -1292,6 +1208,9 @@ "creation_summary_room": "%(creator)s erabiltzaileak gela sortu eta konfiguratu du.", "context_menu": { "external_url": "Iturriaren URLa" + }, + "url_preview": { + "close": "Itxi aurrebista" } }, "slash_command": { @@ -1420,7 +1339,14 @@ "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" + "permissions_section_description_room": "Hautatu gelaren hainbat atal aldatzeko behar diren rolak", + "error_unbanning": "Huts egin du debekua kentzean", + "banned_by": "%(displayName)s erabiltzaileak debekatuta", + "ban_reason": "Arrazoia", + "error_changing_pl_reqs_title": "Errorea botere-maila eskaria aldatzean", + "error_changing_pl_reqs_description": "Errore bat gertatu da gelaren botere-maila eskariak aldatzean. Baieztatu baimen bahikoa duzula eta saiatu berriro.", + "error_changing_pl_title": "Errorea botere-maila aldatzean", + "error_changing_pl_description": "Errore bat gertatu da erabiltzailearen botere-maila aldatzean. Baieztatu baimen nahikoa duzula eta saiatu berriro." }, "security": { "strict_encryption": "Ez bidali inoiz zifratutako mezuak egiaztatu gabeko saioetara gela honetan saio honetatik", @@ -1445,16 +1371,30 @@ "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" + "url_previews_section": "URL-en aurrebistak", + "aliases_section": "Gelaren helbideak", + "other_section": "Beste bat" }, "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:" + "room_version": "Gela bertsioa:", + "information_section_room": "Gelako informazioa" }, - "upload_avatar_label": "Igo abatarra" + "upload_avatar_label": "Igo abatarra", + "bridges": { + "description": "Gela honek honako plataformetara kopiatzen ditu mezuak. Argibide gehiago.", + "title": "Zubiak" + }, + "notifications": { + "uploaded_sound": "Igotako soinua", + "sounds_section": "Soinuak", + "notification_sound": "Jakinarazpen soinua", + "custom_sound_prompt": "Ezarri soinu pertsonalizatua", + "browse_button": "Arakatu" + } }, "encryption": { "verification": { @@ -1489,7 +1429,17 @@ "verify_toast_description": "Beste erabiltzaile batzuk ez fidagarritzat jo lezakete", "cross_signing_unsupported": "Zure hasiera-zerbitzariak ez du zeharkako sinatzea onartzen.", "cross_signing_untrusted": "Zure kontuak zeharkako sinatze identitate bat du biltegi sekretuan, baina saio honek ez du oraindik fidagarritzat.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Berreskuratze metodo berria", + "description_2": "Saio honek historiala zifratzen du berreskuratze metodo berria erabiliz.", + "warning": "Ez baduzu berreskuratze sistema berria ezarri, erasotzaile bat zure kontua atzitzen saiatzen egon daiteke. Aldatu zure kontuaren pasahitza eta ezarri berreskuratze metodo berria berehala ezarpenetan." + }, + "recovery_method_removed": { + "title": "Berreskuratze metodoa kendu da", + "description_2": "Nahi gabe egin baduzu hau, Mezu seguruak ezarri ditzakezu saio honetan eta saioaren mezuen historiala berriro zifratuko da berreskuratze metodo berriarekin.", + "warning": "Ez baduzu berreskuratze metodoa kendu, agian erasotzaile bat zure mezuen historialera sarbidea lortu nahi du. Aldatu kontuaren pasahitza eta ezarri berreskuratze metodo berri bat berehala ezarpenetan." + } }, "emoji": { "category_frequently_used": "Maiz erabilia", @@ -1578,7 +1528,9 @@ "autodiscovery_unexpected_error_hs": "Ustekabeko errorea hasiera-zerbitzariaren konfigurazioa ebaztean", "autodiscovery_unexpected_error_is": "Ustekabeko errorea identitate-zerbitzariaren konfigurazioa ebaztean", "incorrect_credentials_detail": "Kontuan izan %(hs)s zerbitzarira elkartu zarela, ez matrix.org.", - "create_account_title": "Sortu kontua" + "create_account_title": "Sortu kontua", + "failed_soft_logout_homeserver": "Berriro autentifikatzean huts egin du hasiera-zerbitzariaren arazo bat dela eta", + "soft_logout_subheading": "Garbitu datu pertsonalak" }, "export_chat": { "messages": "Mezuak" @@ -1595,7 +1547,9 @@ "show_less": "Erakutsi gutxiago", "notification_options": "Jakinarazpen ezarpenak", "failed_remove_tag": "Huts egin du %(tagName)s etiketa gelatik kentzean", - "failed_add_tag": "Huts egin du %(tagName)s etiketa gelara gehitzean" + "failed_add_tag": "Huts egin du %(tagName)s etiketa gelara gehitzean", + "breadcrumbs_empty": "Ez dago azkenaldian bisitatutako gelarik", + "add_room_label": "Gehitu gela" }, "report_content": { "missing_reason": "Idatzi zergatik salatzen duzun.", @@ -1689,7 +1643,8 @@ "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" + "lists_new_label": "Debeku zerrendaren gelaren IDa edo helbidea", + "rules_empty": "Bat ere ez" }, "user_menu": { "switch_theme_light": "Aldatu modu argira", @@ -1710,8 +1665,38 @@ "context_menu": { "favourite": "Gogokoa", "low_priority": "Lehentasun baxua", - "forget": "Ahaztu gela" - } + "forget": "Ahaztu gela", + "title": "Gelaren aukerak" + }, + "invite_this_room": "Gonbidatu gela honetara", + "header": { + "forget_room_button": "Ahaztu gela" + }, + "join_title_account": "Elkartu elkarrizketara kontu batekin", + "join_button_account": "Erregistratu", + "kick_reason": "Arrazoia: %(reason)s", + "forget_room": "Ahaztu gela hau", + "rejoin_button": "Berriro elkartu", + "banned_from_room_by": "%(roomName)s gelan sartzea debekatu dizu %(memberName)s erabiltzaileak", + "3pid_invite_error_title_room": "Arazo bat egon da zure %(roomName)s gelarako gonbidapenarekin", + "3pid_invite_error_invite_subtitle": "Elkartzeko baliozko gonbidapen bat behar duzu.", + "3pid_invite_error_invite_action": "Saiatu elkartzen hala ere", + "join_the_discussion": "Elkartu elkarrizketara", + "3pid_invite_email_not_found_account_room": "%(roomName)s gelarako gonbidapena zure kontuarekin lotuta ez dagoen %(email)s helbidera bidali da", + "link_email_to_receive_3pid_invite": "Lotu e-mail hau zure kontuarekin gonbidapenak zuzenean %(brand)s-en jasotzeko.", + "invite_sent_to_email_room": "%(roomName)s gelara gonbidapen hau %(email)s helbidera bidali da", + "3pid_invite_no_is_subtitle": "Erabili identitate zerbitzari bat ezarpenetan gonbidapenak zuzenean %(brand)s-en jasotzeko.", + "invite_email_mismatch_suggestion": "Partekatu e-mail hau ezarpenetan gonbidapenak zuzenean %(brand)s-en jasotzeko.", + "dm_invite_title": "%(user)s erabiltzailearekin txateatu nahi duzu?", + "dm_invite_subtitle": " erabiltzaileak txateatu nahi du", + "dm_invite_action": "Hasi txateatzen", + "invite_title": "%(roomName)s gelara elkartu nahi duzu?", + "invite_subtitle": " erabiltzaileak gonbidatu zaitu", + "invite_reject_ignore": "Ukatu eta ezikusi erabiltzailea", + "peek_join_prompt": "%(roomName)s aurreikusten ari zara. Elkartu nahi duzu?", + "no_peek_join_prompt": "%(roomName)s ezin da aurreikusi. Elkartu nahi duzu?", + "not_found_title_name": "Ez dago %(roomName)s izeneko gela.", + "inaccessible_name": "%(roomName)s ez dago eskuragarri orain." }, "file_panel": { "guest_note": "Funtzionaltasun hau erabiltzeko erregistratu", @@ -1811,7 +1796,9 @@ "colour_bold": "Lodia", "error_change_title": "Aldatu jakinarazpenen ezarpenak", "mark_all_read": "Markatu denak irakurrita gisa", - "class_other": "Beste bat" + "class_other": "Beste bat", + "default": "Lehenetsia", + "all_messages": "Mezu guztiak" }, "room_summary_card_back_action_label": "Gelako informazioa", "quick_settings": { @@ -1828,6 +1815,43 @@ "a11y_jump_first_unread_room": "Jauzi irakurri gabeko lehen gelara.", "integration_manager": { "error_connecting_heading": "Ezin da integrazio kudeatzailearekin konektatu", - "error_connecting": "Integrazio kudeatzailea lineaz kanpo dago edo ezin du zure hasiera-zerbitzaria atzitu." + "error_connecting": "Integrazio kudeatzailea lineaz kanpo dago edo ezin du zure hasiera-zerbitzaria atzitu.", + "use_im_default": "Erabili (%(serverName)s) integrazio kudeatzailea botak, trepetak eta eranskailu multzoak kudeatzeko.", + "use_im": "Erabili integrazio kudeatzaile bat botak, trepetak eta eranskailu multzoak kudeatzeko.", + "manage_title": "Kudeatu integrazioak", + "explainer": "Integrazio kudeatzaileek konfigurazio datuak jasotzen dituzte, eta trepetak aldatu ditzakete, gelara gonbidapenak bidali, eta botere mailak zure izenean ezarri." + }, + "identity_server": { + "url_not_https": "Identitate zerbitzariaren URL-a HTTPS motakoa izan behar du", + "error_invalid": "Ez da identitate zerbitzari baliogarria (egoera-mezua %(code)s)", + "error_connection": "Ezin izan da identitate-zerbitzarira konektatu", + "checking": "Zerbitzaria egiaztatzen", + "change": "Aldatu identitate-zerbitzaria", + "change_prompt": "Deskonektatu identitate-zerbitzaritik eta konektatu zerbitzarira?", + "error_invalid_or_terms": "Ez dira erabilera baldintzak onartu edo identitate zerbitzari baliogabea da.", + "no_terms": "Hautatu duzun identitate-zerbitzariak ez du erabilera baldintzarik.", + "disconnect": "Deskonektatu identitate-zerbitzaritik", + "disconnect_server": "Deskonektatu identitate-zerbitzaritik?", + "disconnect_offline_warning": "Zure datu pribatuak kendu beharko zenituzke identitate-zerbitzaritik deskonektatu aurretik. Zoritxarrez identitate-zerbitzaria lineaz kanpo dago eta ezin da atzitu.", + "suggestions": "Hau egin beharko zenuke:", + "suggestions_1": "egiaztatu zure nabigatzailearen gehigarriren batek ez duela identitate-zerbitzaria blokeatzen (esaterako Privacy Badger)", + "suggestions_2": " identitate-zerbitzariko administratzaileekin kontaktuak jarri", + "suggestions_3": "itxaron eta berriro saiatu", + "disconnect_anyway": "Deskonektatu hala ere", + "disconnect_personal_data_warning_1": "Oraindik informazio pertsonala partekatzen duzu identitate zerbitzarian.", + "disconnect_personal_data_warning_2": "Deskonektatu aurretik identitate-zerbitzaritik e-mail helbideak eta telefonoak kentzea aholkatzen dizugu.", + "url": "Identitate-zerbitzaria (%(server)s)", + "description_connected": " erabiltzen ari zara kontaktua aurkitzeko eta aurkigarria izateko. Zure identitate-zerbitzaria aldatu dezakezu azpian.", + "change_server_prompt": "Ez baduzu erabili nahi jendea aurkitzeko eta zure kontaktuek zu aurkitzeko, idatzi beste identitate-zerbitzari bat behean.", + "description_disconnected": "Orain ez duzu identitate-zerbitzaririk erabiltzen. Kontaktuak aurkitzeko eta aurkigarria izateko, gehitu bat azpian.", + "disconnect_warning": "Zure identitate-zerbitzaritik deskonektatzean ez zara beste erabiltzaileentzat aurkigarria izango eta ezin izango dituzu besteak gonbidatu e-mail helbidea edo telefono zenbakia erabiliz.", + "description_optional": "Identitate-zerbitzari bat erabiltzea aukerazkoa da. Identitate-zerbitzari bat ez erabiltzea erabakitzen baduzu, ezin izango zaituztete e-mail edo telefonoa erabilita aurkitu eta ezin izango dituzu besteak e-mail edo telefonoa erabiliz gonbidatu.", + "do_not_use": "Ez erabili identitate-zerbitzaririk", + "url_field_label": "Sartu identitate-zerbitzari berri bat" + }, + "member_list": { + "invited_list_heading": "Gonbidatuta", + "filter_placeholder": "Iragazi gelako kideak", + "power_label": "%(userName)s (power %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/fa.json b/src/i18n/strings/fa.json index 65474e74e4..62574d6226 100644 --- a/src/i18n/strings/fa.json +++ b/src/i18n/strings/fa.json @@ -13,36 +13,23 @@ "Failed to forget room %(errCode)s": "فراموش کردن اتاق با خطا مواجه شد %(errCode)s", "Wednesday": "چهارشنبه", "Send": "ارسال", - "All messages": "همه‌ی پیام‌ها", "unknown error code": "کد خطای ناشناخته", - "Invite to this room": "دعوت به این گپ", "You cannot delete this message. (%(code)s)": "شما نمی‌توانید این پیام را پاک کنید. (%(code)s)", "Thursday": "پنج‌شنبه", "Search…": "جستجو…", "Yesterday": "دیروز", - "Failed to change password. Is your password correct?": "خطا در تغییر گذرواژه. آیا از درستی گذرواژه‌تان اطمینان دارید؟", "Ok": "تأیید", "Set up": "برپایی", - "Forget room": "فراموش کردن اتاق", - "Filter room members": "فیلتر کردن اعضای اتاق", - "Failed to unban": "رفع مسدودیت با خطا مواجه شد", - "Failed to set display name": "تنظیم نام نمایشی با خطا مواجه شد", "Failed to ban user": "کاربر مسدود نشد", "Error decrypting attachment": "خطا در رمزگشایی پیوست", "Email address": "آدرس ایمیل", "Download %(text)s": "دانلود 2%(text)s", - "Default": "پیشفرض", "Decrypt %(text)s": "رمزگشایی %(text)s", - "Deactivate Account": "غیرفعال کردن حساب", "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?": "مطمئنی؟", "An error has occurred.": "خطایی رخ داده است.", "A new password must be entered.": "گذواژه جدید باید وارد شود.", - "Authentication": "احراز هویت", - "No Webcams detected": "هیچ وبکمی شناسایی نشد", - "No Microphones detected": "هیچ میکروفونی شناسایی نشد", - "Incorrect verification code": "کد فعال‌سازی اشتباه است", "Home": "خانه", "%(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", @@ -69,8 +56,6 @@ "Tue": "سه‌شنبه", "Mon": "دوشنبه", "Sun": "یکشنبه", - "Permission Required": "اجازه نیاز است", - "Explore rooms": "جستجو در اتاق ها", "Moderator": "معاون", "Restricted": "ممنوع", "Zimbabwe": "زیمبابوه", @@ -322,7 +307,6 @@ "Afghanistan": "افغانستان", "United States": "ایالات متحده", "United Kingdom": "انگلستان", - "Reason": "دلیل", "The server has denied your request.": "سرور درخواست شما را رد کرده است.", "Use your Security Key to continue.": "برای ادامه از کلید امنیتی خود استفاده کنید.", "Be found by phone or email": "از طریق تلفن یا ایمیل پیدا شوید", @@ -496,7 +480,6 @@ "other": "و %(count)s مورد بیشتر ..." }, "Join millions for free on the largest public server": "به بزرگترین سرور عمومی با میلیون ها نفر کاربر بپیوندید", - "Failed to re-authenticate due to a homeserver problem": "به دلیل مشکلی که در سرور وجود دارد ، احراز هویت مجدد انجام نشد", "Server Options": "گزینه های سرور", "This address is already in use": "این آدرس قبلاً استفاده شده‌است", "This address is available to use": "این آدرس برای استفاده در دسترس است", @@ -505,22 +488,8 @@ "Room address": "آدرس اتاق", "In reply to ": "در پاسخ به", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "بارگیری رویدادی که به آن پاسخ داده شد امکان پذیر نیست، یا وجود ندارد یا شما اجازه مشاهده آن را ندارید.", - "Enter a Security Phrase": "یک عبارت امنیتی وارد کنید", - "Great! This Security Phrase looks strong enough.": "عالی! این عبارت امنیتی به اندازه کافی قوی به نظر می رسد.", "Custom level": "سطح دلخواه", "Power level": "سطح قدرت", - "That matches!": "مطابقت دارد!", - "Use a different passphrase?": "از عبارت امنیتی دیگری استفاده شود؟", - "That doesn't match.": "مطابقت ندارد.", - "Go back to set it again.": "برای تنظیم مجدد آن به عقب برگردید.", - "Enter your Security Phrase a second time to confirm it.": "عبارت امنیتی خود را برای تائید مجددا وارد کنید.", - "Your keys are being backed up (the first backup could take a few minutes).": "در حال پیشتیبان‌گیری از کلیدهای شما (اولین نسخه پشتیبان ممکن است چند دقیقه طول بکشد).", - "Confirm your Security Phrase": "عبارت امنیتی خود را تأیید کنیدعبارت امنیتی خود را تائید نمائید", - "Success!": "موفقیت‌آمیز بود!", - "Create key backup": "ساختن نسخه‌ی پشتیبان کلید", - "Unable to create key backup": "ایجاد کلید پشتیبان‌گیری امکان‌پذیر نیست", - "Generate a Security Key": "یک کلید امنیتی ایجاد کنید", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "از یک عبارت محرمانه که فقط خودتان می‌دانید استفاده کنید، و محض احتیاط کلید امینی خود را برای استفاده هنگام پشتیبان‌گیری ذخیره نمائید.", "Filter results": "پالایش نتایج", "Server did not return valid authentication information.": "سرور اطلاعات احراز هویت معتبری را باز نگرداند.", "Server did not require any authentication": "سرور به احراز هویت احتیاج نداشت", @@ -548,9 +517,6 @@ "one": "%(count)s اتاق" }, "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:": "گذرواژه‌ی خود را جهت تائيد عملیات ارتقاء وارد کنید:", - "Restore your key backup to upgrade your encryption": "برای ارتقاء رمزنگاری، ابتدا نسخه‌ی پشتیبان خود را بازیابی کنید", "%(name)s cancelled verifying": "%(name)s تأیید هویت را لغو کرد", "You cancelled verifying %(name)s": "شما تأیید هویت %(name)s را لغو کردید", "You verified %(name)s": "شما هویت %(name)s را تأیید کردید", @@ -641,65 +607,20 @@ "Room avatar": "آواتار اتاق", "Room Topic": "موضوع اتاق", "Room Name": "نام اتاق", - "%(roomName)s is not accessible at this time.": "در حال حاضر %(roomName)s قابل دسترسی نیست.", - "%(roomName)s does not exist.": "%(roomName)s وجود ندارد.", - "%(roomName)s can't be previewed. Do you want to join it?": "پیش بینی %(roomName)s امکان پذیر نیست. آیا می خواهید به آن بپیوندید؟", - "You're previewing %(roomName)s. Want to join it?": "شما در حال پیش نمایش %(roomName)s هستید. می خواهید به آن بپیوندید؟", - "Reject & Ignore user": "رد کردن و نادیده گرفتن کاربر", - " invited you": " شما را دعوت کرد", - "Do you want to join %(roomName)s?": "آیا می خواهید ب %(roomName)s بپیوندید؟", - "Start chatting": "گپ زدن را شروع کن", - " wants to chat": " می‌خواهد چت کند", - "Do you want to chat with %(user)s?": "آیا می خواهید با %(user)s چت کنید؟", - "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 یک سرور هویت‌سنجی در تنظیمات مشخص کنید.", - "This invite to %(roomName)s was sent to %(email)s": "این دعوت به %(roomName)s به %(email)s ارسال شد", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "برای دریافت مستقیم دعوت در %(brand)s این ایمیل را به حساب خود در تنظیمات متصل کنید.", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "این دعوت به %(roomName)s به %(email)s ارسال شده است که با حساب شما مرتبط نیست", - "Join the discussion": "به بحث بپیوندید", - "Try to join anyway": "به هر حال عضو شدن را تلاش کن", - "You can only join it with a working invite.": "فقط با یک دعوت نامه معتبر می توانید به آن بپیوندید.", - "Something went wrong with your invite to %(roomName)s": "در دعوت شما به %(roomName)s مشکلی پیش آمده است", - "You were banned from %(roomName)s by %(memberName)s": "شما از %(roomName)s توسط %(memberName)s محروم شدید", - "Re-join": "دوباره بپیوندید", - "Forget this room": "فراموش کردن این اتاق", - "Reason: %(reason)s": "دلیل: %(reason)s", - "Sign Up": "ثبت نام", - "Join the conversation with an account": "پیوستن به گفتگو با یک حساب کاربری", - "Suggested Rooms": "اتاق‌های پیشنهادی", - "Historical": "تاریخی", - "Low priority": "اولویت کم", - "Explore public rooms": "کاوش در اتاق‌های عمومی", - "Add room": "افزودن اتاق", - "Rooms": "اتاق‌ها", "Open dial pad": "باز کردن صفحه شماره‌گیری", - "Show Widgets": "نمایش ابزارک‌ها", - "Hide Widgets": "پنهان‌کردن ابزارک‌ها", "Join Room": "به اتاق بپیوندید", "(~%(count)s results)": { "one": "(~%(count)s نتیجه)", "other": "(~%(count)s نتیجه)" }, - "No recently visited rooms": "اخیراً از اتاقی بازدید نشده است", - "Recently visited rooms": "اتاق‌هایی که به تازگی بازدید کرده‌اید", - "Room %(name)s": "اتاق %(name)s", - "Replying": "پاسخ دادن", "%(duration)sd": "%(duration)s روز", "%(duration)sh": "%(duration)s ساعت", "%(duration)sm": "%(duration)s دقیقه", "%(duration)ss": "%(duration)s ثانیه", - "Italics": "مورب", - "You do not have permission to post to this room": "شما اجازه ارسال در این اتاق را ندارید", - "This room has been replaced and is no longer active.": "این اتاق جایگزین شده‌است و دیگر فعال نیست.", - "The conversation continues here.": "گفتگو در اینجا ادامه دارد.", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (سطح قدرت %(powerLevelNumber)s)", - "Invited": "دعوت شد", - "Invite to this space": "به این فضای کاری دعوت کنید", "and %(count)s others...": { "one": "و یکی دیگر ...", "other": "و %(count)s مورد دیگر ..." }, - "Close preview": "بستن پیش نمایش", "Scroll to most recent messages": "به جدیدترین پیام‌ها بروید", "Failed to send": "ارسال با خطا مواجه شد", "Your message was sent": "پیام شما ارسال شد", @@ -707,8 +628,6 @@ "Encrypted by a deleted session": "با یک نشست حذف شده رمزگذاری شده است", "Unencrypted": "رمزگذاری نشده", "Encrypted by an unverified session": "توسط یک نشست تأیید نشده رمزگذاری شده است", - "Export room keys": "استخراج کلیدهای اتاق", - "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.": "این فرآیند به شما این امکان را می‌دهد تا کلیدهایی را که برای رمزگشایی پیام‌هایتان در اتاق‌های رمزشده نیاز دارید، در قالب یک فایل محلی استخراج کنید. بعد از آن می‌توانید این فایل را در هر کلاینت دیگری وارد (Import) کرده و قادر به رمزگشایی و مشاهده‌ی پیام‌های رمزشده‌ی مذکور باشید.", "Language Dropdown": "منو زبان", "View message": "مشاهده پیام", "Information": "اطلاعات", @@ -723,28 +642,11 @@ }, "expand": "گشودن", "collapse": "بستن", - "Enter passphrase": "عبارت امنیتی را وارد کنید", - "Confirm passphrase": "عبارت امنیتی را تائید کنید", "This version of %(brand)s does not support searching encrypted messages": "این نسخه از %(brand)s از جستجوی پیام های رمزگذاری شده پشتیبانی نمی کند", - "Import room keys": "واردکردن (Import) کلیدهای اتاق", "This version of %(brand)s does not support viewing some encrypted files": "این نسخه از %(brand)s از مشاهده برخی از پرونده های رمزگذاری شده پشتیبانی نمی کند", - "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.": "این فرآیند به شما اجازه می‌دهد تا کلیدهای امنیتی را وارد (Import) کنید، کلیدهایی که قبلا از کلاینت‌های دیگر خود استخراج (Export) کرده‌اید. پس از آن شما می‌توانید هر پیامی را که کلاینت دیگر قادر به رمزگشایی آن بوده را، رمزگشایی و مشاهده کنید.", "Use the Desktop app to search encrypted messages": "برای جستجوی میان پیام‌های رمز شده از نسخه دسکتاپ استفاده کنید", "Use the Desktop app to see all encrypted files": "برای مشاهده همه پرونده های رمز شده از نسخه دسکتاپ استفاده کنید", - "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "فایل استخراج‌شده با یک عبارت امنیتی محافظت می‌شود. برای رمزگشایی فایل باید عبارت امنیتی را وارد کنید.", - "File to import": "فایل برای واردکردن (Import)", - "New Recovery Method": "روش بازیابی جدید", - "A new Security Phrase and key for Secure Messages have been detected.": "یک عبارت امنیتی و کلید جدید برای پیام‌رسانی امن شناسایی شد.", - "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.": "اگر روش بازیابی جدیدی را تنظیم نکرده‌اید، ممکن است حمله‌کننده‌ای تلاش کند به حساب کاربری شما دسترسی پیدا کند. لطفا گذرواژه حساب کاربری خود را تغییر داده و فورا یک روش جدیدِ بازیابی در بخش تنظیمات انتخاب کنید.", - "This session is encrypting history using the new recovery method.": "این نشست تاریخچه‌ی پیام‌های رمزشده را با استفاده از روش جدیدِ بازیابی، رمز می‌کند.", "Cancel search": "لغو جستجو", - "Go to Settings": "برو به تنظیمات", - "Set up Secure Messages": "پیام‌رسانی امن را تنظیم کنید", - "Recovery Method Removed": "روش بازیابی حذف شد", - "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "نشست فعلی تشخیص داده که عبارت امنیتی و کلید لازم شما برای پیام‌رسانی امن حذف شده‌است.", - "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.": "اگر این کار را به صورت تصادفی انجام دادید، می‌توانید سازوکار پیام امن را برای این نشست تنظیم کرده که باعث می‌شود تمام تاریخچه‌ی این نشست با استفاده از یک روش جدیدِ بازیابی، مجددا رمزشود.", - "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.": "اگر متد بازیابی را حذف نکرده‌اید، ممکن است حمله‌کننده‌ای سعی در دسترسی به حساب‌کاربری شما داشته باشد. گذرواژه حساب کاربری خود را تغییر داده و فورا یک روش بازیابی را از بخش تنظیمات خود تنظیم کنید.", - "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "مدیر سرور شما قابلیت رمزنگاری سرتاسر برای اتاق‌ها و گفتگوهای خصوصی را به صورت پیش‌فرض غیرفعال کرده‌است.", "Can't load this message": "بارگیری این پیام امکان پذیر نیست", "Submit logs": "ارسال لاگ‌ها", "edited": "ویرایش شده", @@ -770,64 +672,10 @@ "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.": "این کاربر هیچ‌کدام از نشست‌های خود را تائید نکرده است.", - "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 را پاک می‌کنید؟", - "Email Address": "آدرس ایمیل", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "جهت تائيد آدرس ایمیل، ما یک ایمیل برای شما ارسال کردیم. لطفا فرآیند موجود در ایمیل را پی گرفته و سپس بر روی دکمه‌ی زیر کلیک نمائید.", - "Unable to add email address": "امکان اضافه‌کردن آدرس ایمیل وجود ندارد", - "This doesn't appear to be a valid email address": "به نظر می‌رسد این یک آدرس ایمیل معتبر نیست", - "Invalid Email Address": "آدرس ایمیل نامعتبر", - "Remove %(email)s?": "%(email)s را پاک می‌کنید؟", - "Unable to remove contact information": "حذف اطلاعات تماس امکان‌پذیر نیست", - "Discovery options will appear once you have added a phone number above.": "امکانات کاوش و جستجو بلافاصله بعد از اضافه‌کردن شماره تلفن در بالا ظاهر خواهند شد.", - "Verification code": "کد تائید", - "Please enter verification code sent via text.": "لطفا کد تائیدی را که از طریق متن ارسال شده‌است، وارد کنید.", - "Unable to verify phone number.": "امکان تائید شماره تلفن وجود ندارد.", - "Unable to share phone number": "امکان به اشتراک‌گذاری شماره تلفن وجود ندارد", - "Unable to revoke sharing for phone number": "لغو اشتراک‌گذاری شماره تلفن امکان‌پذیر نیست", - "Discovery options will appear once you have added an email above.": "امکانات کاوش و جستجو بلافاصله بعد از اضافه‌کردن یک ایمیل در بالا ظاهر خواهند شد.", - "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 تحریم شد", - "This room is bridging messages to the following platforms. Learn more.": "این اتاق، ارتباط بین پیام‌ها و پلتفورم‌های زیر را ایجاد می‌کند. بیشتر بدانید.", "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) موافقت کرده تا بتوانید از طریق آدرس ایمیل و شماره تلفن قابل یافته‌شدن باشید.", - "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.": "در حال حاضر از سرور هویت‌سنجی استفاده نمی‌کنید. برای یافتن و یافته‌شدن توسط مخاطبان موجود که شما آن‌ها را می‌شناسید، یک مورد در پایین اضافه کنید.", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "اگر تمایل به استفاده از برای یافتن و یافته‌شدن توسط مخاطبان خود را ندارید، سرور هویت‌سنجی دیگری را در پایین وارد کنید.", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "در حال حاضر شما از برای یافتن و یافته‌شدن توسط مخاطبانی که می‌شناسید، استفاده می‌کنید. می‌توانید سرور هویت‌سنجی خود را در زیر تغییر دهید.", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "توصیه می‌کنیم آدرس‌های ایمیل و شماره تلفن‌های خود را پیش از قطع ارتباط با سرور هویت‌سنجی از روی آن پاک کنید.", - "You are still sharing your personal data on the identity server .": "شما هم‌چنان داده‌های شخصی خودتان را بر روی سرور هویت‌سنجی به اشتراک می‌گذارید.", - "Disconnect anyway": "در هر صورت قطع کن", - "wait and try again later": "صبر کرده و بعدا دوباره امتحان کنید", - "contact the administrators of identity server ": "با مدیران سرور هویت‌سنجی تماس بگیرید", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "پلاگین‌های مرورگر خود را بررسی کنید تا مبادا سرور هویت‌سنجی را بلاک کرده باشند (پلاگینی مانند Privacy Badger)", - "You should:": "شما باید:", - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "شما باید قبل از قطع اتصال، داده‌های شخصی خود را از سرور هویت‌سنجی پاک کنید. متاسفانه سرور هویت‌سنجی هم‌اکنون آفلاین بوده و یا دسترسی به آن امکان‌پذیر نیست.", - "Disconnect from the identity server ?": "از سرور هویت‌سنجی قطع می‌شوید؟", - "Disconnect identity server": "اتصال با سرور هویت‌سنجی را قطع کن", - "The identity server you have chosen does not have any terms of service.": "سرور هویت‌سنجی که انتخاب کرده‌اید شرایط و ضوابط سرویس ندارد.", - "Terms of service not accepted or the identity server is invalid.": "شرایط و ضوابط سرویس پذیرفته نشده و یا سرور هویت‌سنجی معتبر نیست.", - "Disconnect from the identity server and connect to instead?": "ارتباط با سرور هویت‌سنجی قطع شده و در عوض به متصل شوید؟", - "Change identity server": "تغییر سرور هویت‌سنجی", - "Checking server": "در حال بررسی سرور", "Back up your keys before signing out to avoid losing them.": "پیش از خروج از حساب کاربری، از کلید‌های خود پشتیبان بگیرید تا آن‌ها را از دست ندهید.", "Backup version:": "نسخه‌ی پشتیبان:", "This backup is trusted because it has been restored on this session": "این نسخه‌ی پشتیبان قابل اعتماد است چرا که بر روی این نشست بازیابی شد", - "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": "امکان جستجو و کنکاش وضعیت حافظه‌ی مخفی میسر نیست", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "اگر الان لغو کنید، ممکن است پیام‌ها و داده‌های رمزشده‌ی خود را در صورت خارج‌شدن از حساب‌های کاربریتان، از دست دهید.", - "You can also set up Secure Backup & manage your keys in Settings.": "همچنین می‌توانید پشتیبان‌گیری امن را برپا کرده و کلید‌های خود را در تنظیمات مدیریت کنید.", - "Upgrade your encryption": "رمزنگاری خود را ارتقا دهید", - "Set a Security Phrase": "یک عبارت امنیتی تنظیم کنید", - "Confirm Security Phrase": "عبارت امنیتی را تأیید کنید", - "Save your Security Key": "کلید امنیتی خود را ذخیره کنید", - "Unable to set up secret storage": "تنظیم حافظه‌ی پنهان امکان پذیر نیست", - "Passphrases must match": "عبارات‌های امنیتی باید مطابقت داشته باشند", - "Passphrase must not be empty": "عبارت امنیتی نمی‌تواند خالی باشد", "Show more": "نمایش بیشتر", "Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "آدرس‌های این اتاق را تنظیم کنید تا کاربران بتوانند این اتاق را از طریق سرور شما پیدا کنند (%(localDomain)s)", "Local Addresses": "آدرس‌های محلی", @@ -864,7 +712,6 @@ "This room is running room version , which this homeserver has marked as unstable.": "این اتاق از نسخه اتاق استفاده می کند، که این سرور آن را به عنوان ناپایدار علامت گذاری کرده است.", "This room has already been upgraded.": "این اتاق قبلاً ارتقا یافته است.", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "با ارتقا این اتاق نسخه فعلی اتاق خاموش شده و یک اتاق ارتقا یافته به همین نام ایجاد می شود.", - "Room options": "تنظیمات اتاق", "Create a space": "ساختن یک محیط", "Folder": "پوشه", "Headphones": "هدفون", @@ -933,16 +780,12 @@ "IRC display name width": "عرض نمایش نام‌های IRC", "This event could not be displayed": "امکان نمایش این رخداد وجود ندارد", "Edit message": "ویرایش پیام", - "Clear personal data": "پاک‌کردن داده‌های شخصی", - "Verify your identity to access encrypted messages and prove your identity to others.": "با تائید هویت خود به پیام‌های رمزشده دسترسی یافته و هویت خود را به دیگران ثابت می‌کنید.", "Return to login screen": "بازگشت به صفحه‌ی ورود", "Your password has been reset.": "گذرواژه‌ی شما با موفقیت تغییر کرد.", "New passwords must match each other.": "گذرواژه‌ی جدید باید مطابقت داشته باشند.", "Could not load user profile": "امکان نمایش پروفایل کاربر میسر نیست", "Switch theme": "تعویض پوسته", " invites you": " شما را دعوت کرد", - "Private space": "محیط خصوصی", - "Public space": "محیط عمومی", "No results found": "نتیجه‌ای یافت نشد", "You don't have permission": "شما دسترسی ندارید", "Failed to reject invite": "رد دعوتنامه با شکست همراه شد", @@ -960,7 +803,6 @@ "You are the only person here. If you leave, no one will be able to join in the future, including you.": "شما در این‌جا تنها هستید. اگر اینجا را ترک کنید، دیگر هیچ‌کس حتی خودتان امکان پیوستن مجدد را نخواهید داشت.", "Failed to reject invitation": "رد دعوتنامه موفقیت‌آمیز نبود", "Warning!": "هشدار!", - "Add existing room": "اضافه‌کردن اتاق موجود", "Create new room": "ایجاد اتاق جدید", "Leave space": "ترک محیط", "Couldn't load page": "نمایش صفحه امکان‌پذیر نبود", @@ -973,41 +815,9 @@ "Reject invitation": "ردکردن دعوت", "Hold": "نگه‌داشتن", "Resume": "ادامه", - "Verify the link in your inbox": "لینک موجود در صندوق دریافت خود را تائید کنید", - "Unable to verify email address.": "تائید آدرس ایمیل ممکن نیست.", - "Click the link in the email you received to verify and then click continue again.": "برای تائید ادرس ایمیل، بر روی لینکی که برای شما ایمیل شده‌است کلیک کرده و مجددا بر روی ادامه کلیک کنید.", - "Your email address hasn't been verified yet": "آدرس ایمیل شما هنوز تائید نشده‌است", - "Unable to share email address": "به اشتراک‌گذاری آدرس ایمیل ممکن نیست", - "Unable to revoke sharing for email address": "لغو اشتراک گذاری برای آدرس ایمیل ممکن نیست", - "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "هنگام تغییر طرح دسترسی کاربر خطایی رخ داد. از داشتن سطح دسترسی کافی برای این کار اطمینان حاصل کرده و مجددا اقدام نمائید.", - "Error changing power level": "تغییر سطح دسترسی با خطا همراه بود", - "Browse": "جستجو", - "Set a new custom sound": "تنظیم صدای دلخواه جدید", - "Notification sound": "صدای اعلان", - "Sounds": "صداها", - "Uploaded sound": "صدای بارگذاری‌شده", - "Room Addresses": "آدرس‌های اتاق", - "Bridges": "پل‌ها", - "Room information": "اطلاعات اتاق", - "Voice & Video": "صدا و تصویر", - "Audio Output": "خروجی صدا", - "No Audio Outputs detected": "هیچ خروجی صدایی یافت نشد", - "Request media permissions": "درخواست دسترسی به رسانه", - "Missing media permissions, click the button below to request.": "دسترسی به رسانه از دست رفت، برای درخواست مجدد بر روی دکمه‌ی زیر کلیک نمائید.", - "You have no ignored users.": "شما هیچ کاربری را نادیده نگرفته‌اید.", - "Unignore": "لغو نادیده‌گرفتن", - "Ignored users": "کاربران نادیده‌گرفته‌شده", - "None": "هیچ‌کدام", - "Discovery": "کاوش", "Deactivate account": "غیرفعال‌کردن حساب کاربری", - "Account management": "مدیریت حساب کاربری", "Your homeserver has exceeded one of its resource limits.": "سرور شما از یکی از محدودیت‌های منابع خود فراتر رفته است.", "Your homeserver has exceeded its user limit.": "سرور شما از حد مجاز کاربر خود فراتر رفته است.", - "Phone numbers": "شماره تلفن", - "Email addresses": "آدرس ایمیل", - "Manage integrations": "مدیریت پکپارچه‌سازی‌ها", - "Enter a new identity server": "یک سرور هویت‌سنجی جدید وارد کنید", - "Do not use an identity server": "از سرور هویت‌سنجی استفاده نکن", "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": "اگر این کار را انجام می‌دهید، لطفاً توجه داشته باشید که هیچ یک از پیام‌های شما حذف نمی‌شوند ، با این حال چون پیام‌ها مجددا ایندکس می‌شوند، ممکن است برای چند لحظه قابلیت جستجو با مشکل مواجه شود", "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.": "حذف کلیدهای امضای متقابل دائمی است. هرکسی که او را تائید کرده‌باشید، هشدارهای امنیتی را مشاهده خواهد کرد. به احتمال زیاد نمی‌خواهید این کار را انجام دهید ، مگر هیچ دستگاهی برای امضاء متقابل از طریق آن نداشته باشید.", "Click the button below to confirm setting up encryption.": "برای تأیید و فعال‌سازی رمزگذاری ، روی دکمه زیر کلیک کنید.", @@ -1084,22 +894,12 @@ "Start a conversation with someone using their name or username (like ).": "با استفاده از نام یا نام کاربری (مانند )، گفتگوی جدیدی را با دیگران شروع کنید.", "Start a conversation with someone using their name, email address or username (like ).": "با استفاده از نام، آدرس ایمیل و یا نام کاربری (مانند )، یک گفتگوی جدید را شروع کنید.", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "%(brand)s شما اجازهٔ استفاده از یک مدیر یکپارچگی را برای این کار نمی دهد. لطفاً با مدیری تماس بگیرید.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "برای مدیریت بات‌ها، ابزارک‌ها و بسته‌های برچسب، از یک مدیر پکپارچه‌سازی استفاده کنید.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "برای مدیریت بات‌ها، ابزارک‌ها و بسته‌های برچسب، از یک مدیر پکپارچه‌سازی (%(serverName)s) استفاده کنید.", - "Identity server (%(server)s)": "کارساز هویت (%(server)s)", - "Could not connect to identity server": "نتوانست به کارساز هویت وصل شود", - "Not a valid identity server (status code %(code)s)": "کارساز هویت معتبر نیست (کد وضعیت %(code)s)", - "Identity server URL must be HTTPS": "نشانی کارساز هویت باید HTTPS باشد", "%(spaceName)s and %(count)s others": { "one": "%(spaceName)s و %(count)s دیگر", "other": "%(spaceName)s و %(count)s دیگران" }, "%(space1Name)s and %(space2Name)s": "%(space1Name)s و %(space2Name)s", "Close sidebar": "بستن نوارکناری", - "Hide stickers": "پنهان سازی استیکرها", - "Get notified only with mentions and keywords as set up in your settings": "بنابر تنظیمات خودتان فقط با منشن ها و کلمات کلیدی مطلع شوید", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "مدیران ادغام داده‌های پیکربندی را دریافت می‌کنند و می‌توانند ویجت‌ها را تغییر دهند، دعوت‌نامه‌های اتاق ارسال کنند و سطوح قدرت را از طرف شما تنظیم کنند.", - "Deactivating your account is a permanent action — be careful!": "غیرفعال سازی اکانت شما یک اقدام دائمی است - مراقب باشید!", "Enter your Security Phrase or to continue.": "عبارت امنیتی خود را وارد کنید و یا .", "Developer": "توسعه دهنده", "Experimental": "تجربی", @@ -1188,7 +988,15 @@ "general": "عمومی", "profile": "پروفایل", "display_name": "نام نمایشی", - "user_avatar": "تصویر پروفایل" + "user_avatar": "تصویر پروفایل", + "authentication": "احراز هویت", + "public_space": "محیط عمومی", + "private_space": "محیط خصوصی", + "rooms": "اتاق‌ها", + "low_priority": "اولویت کم", + "historical": "تاریخی", + "go_to_settings": "برو به تنظیمات", + "setup_secure_messages": "پیام‌رسانی امن را تنظیم کنید" }, "action": { "continue": "ادامه", @@ -1280,7 +1088,11 @@ "unban": "رفع تحریم", "click_to_copy": "برای گرفتن رونوشت کلیک کنید", "hide_advanced": "پنهان‌کردن بخش پیشرفته", - "show_advanced": "نمایش بخش پیشرفته" + "show_advanced": "نمایش بخش پیشرفته", + "unignore": "لغو نادیده‌گرفتن", + "explore_rooms": "جستجو در اتاق ها", + "add_existing_room": "اضافه‌کردن اتاق موجود", + "explore_public_rooms": "کاوش در اتاق‌های عمومی" }, "a11y": { "user_menu": "منوی کاربر", @@ -1293,7 +1105,8 @@ "other": "%(count)s پیام خوانده نشده." }, "unread_messages": "پیام های خوانده نشده.", - "jump_first_invite": "به اولین دعوت بروید." + "jump_first_invite": "به اولین دعوت بروید.", + "room_name": "اتاق %(name)s" }, "labs": { "video_rooms": "اتاق های تصویری", @@ -1408,7 +1221,14 @@ "space_a11y": "تکمیل خودکار فضای کاری", "user_description": "کاربران", "user_a11y": "تکمیل خودکار کاربر" - } + }, + "room_upgraded_link": "گفتگو در اینجا ادامه دارد.", + "room_upgraded_notice": "این اتاق جایگزین شده‌است و دیگر فعال نیست.", + "no_perms_notice": "شما اجازه ارسال در این اتاق را ندارید", + "close_sticker_picker": "پنهان سازی استیکرها", + "poll_button_no_perms_title": "اجازه نیاز است", + "format_italics": "مورب", + "replying_title": "پاسخ دادن" }, "Code": "کد", "power_level": { @@ -1532,7 +1352,14 @@ "inline_url_previews_room_account": "فعال‌سازی پیش‌نمایش URL برای این اتاق (تنها شما را تحت تاثیر قرار می‌دهد)", "inline_url_previews_room": "امکان پیش‌نمایش URL را به صورت پیش‌فرض برای اعضای این اتاق فعال کن", "voip": { - "mirror_local_feed": "تصویر خودتان را هنگام تماس تصویری برعکس (مثل آینه) نمایش بده" + "mirror_local_feed": "تصویر خودتان را هنگام تماس تصویری برعکس (مثل آینه) نمایش بده", + "missing_permissions_prompt": "دسترسی به رسانه از دست رفت، برای درخواست مجدد بر روی دکمه‌ی زیر کلیک نمائید.", + "request_permissions": "درخواست دسترسی به رسانه", + "audio_output": "خروجی صدا", + "audio_output_empty": "هیچ خروجی صدایی یافت نشد", + "audio_input_empty": "هیچ میکروفونی شناسایی نشد", + "video_input_empty": "هیچ وبکمی شناسایی نشد", + "title": "صدا و تصویر" }, "security": { "message_search_disable_warning": "اگر غیر فعال شود، پیام‌های اتاق‌های رمزشده در نتایج جستجوها نمایش داده نمی‌شوند.", @@ -1600,7 +1427,11 @@ "key_backup_connect": "این نشست را به کلید پشتیبان‌گیر متصل کن", "key_backup_complete": "از همه کلیدها نسخه‌ی پشتیبان گرفته شد", "key_backup_algorithm": "الگوریتم:", - "key_backup_inactive_warning": "کلید‌های شما از این نشست پشتیبان‌گیری نمی‌شود." + "key_backup_inactive_warning": "کلید‌های شما از این نشست پشتیبان‌گیری نمی‌شود.", + "key_backup_active_version_none": "هیچ‌کدام", + "ignore_users_empty": "شما هیچ کاربری را نادیده نگرفته‌اید.", + "ignore_users_section": "کاربران نادیده‌گرفته‌شده", + "e2ee_default_disabled_warning": "مدیر سرور شما قابلیت رمزنگاری سرتاسر برای اتاق‌ها و گفتگوهای خصوصی را به صورت پیش‌فرض غیرفعال کرده‌است." }, "preferences": { "room_list_heading": "لیست اتاق‌ها", @@ -1634,12 +1465,88 @@ "add_msisdn_dialog_title": "افزودن شماره تلفن", "name_placeholder": "هیچ نامی برای نمایش وجود ندارد", "error_saving_profile_title": "ذخیره‌ی تنظیمات شما موفقیت‌آمیز نبود", - "error_saving_profile": "امکان تکمیل عملیات وجود ندارد" + "error_saving_profile": "امکان تکمیل عملیات وجود ندارد", + "error_password_change_403": "خطا در تغییر گذرواژه. آیا از درستی گذرواژه‌تان اطمینان دارید؟", + "emails_heading": "آدرس ایمیل", + "msisdns_heading": "شماره تلفن", + "discovery_needs_terms": "با شرایط و ضوایط سرویس سرور هویت‌سنجی (%(serverName)s) موافقت کرده تا بتوانید از طریق آدرس ایمیل و شماره تلفن قابل یافته‌شدن باشید.", + "deactivate_section": "غیرفعال کردن حساب", + "account_management_section": "مدیریت حساب کاربری", + "deactivate_warning": "غیرفعال سازی اکانت شما یک اقدام دائمی است - مراقب باشید!", + "discovery_section": "کاوش", + "error_revoke_email_discovery": "لغو اشتراک گذاری برای آدرس ایمیل ممکن نیست", + "error_share_email_discovery": "به اشتراک‌گذاری آدرس ایمیل ممکن نیست", + "email_not_verified": "آدرس ایمیل شما هنوز تائید نشده‌است", + "email_verification_instructions": "برای تائید ادرس ایمیل، بر روی لینکی که برای شما ایمیل شده‌است کلیک کرده و مجددا بر روی ادامه کلیک کنید.", + "error_email_verification": "تائید آدرس ایمیل ممکن نیست.", + "discovery_email_verification_instructions": "لینک موجود در صندوق دریافت خود را تائید کنید", + "discovery_email_empty": "امکانات کاوش و جستجو بلافاصله بعد از اضافه‌کردن یک ایمیل در بالا ظاهر خواهند شد.", + "error_revoke_msisdn_discovery": "لغو اشتراک‌گذاری شماره تلفن امکان‌پذیر نیست", + "error_share_msisdn_discovery": "امکان به اشتراک‌گذاری شماره تلفن وجود ندارد", + "error_msisdn_verification": "امکان تائید شماره تلفن وجود ندارد.", + "incorrect_msisdn_verification": "کد فعال‌سازی اشتباه است", + "msisdn_verification_instructions": "لطفا کد تائیدی را که از طریق متن ارسال شده‌است، وارد کنید.", + "msisdn_verification_field_label": "کد تائید", + "discovery_msisdn_empty": "امکانات کاوش و جستجو بلافاصله بعد از اضافه‌کردن شماره تلفن در بالا ظاهر خواهند شد.", + "error_set_name": "تنظیم نام نمایشی با خطا مواجه شد", + "error_remove_3pid": "حذف اطلاعات تماس امکان‌پذیر نیست", + "remove_email_prompt": "%(email)s را پاک می‌کنید؟", + "error_invalid_email": "آدرس ایمیل نامعتبر", + "error_invalid_email_detail": "به نظر می‌رسد این یک آدرس ایمیل معتبر نیست", + "error_add_email": "امکان اضافه‌کردن آدرس ایمیل وجود ندارد", + "add_email_instructions": "جهت تائيد آدرس ایمیل، ما یک ایمیل برای شما ارسال کردیم. لطفا فرآیند موجود در ایمیل را پی گرفته و سپس بر روی دکمه‌ی زیر کلیک نمائید.", + "email_address_label": "آدرس ایمیل", + "remove_msisdn_prompt": "%(phone)s را پاک می‌کنید؟", + "add_msisdn_instructions": "یک پیام متنی به +%(msisdn)s ارسال شد. لطفا کد تائید موجود در آن را وارد کنید.", + "msisdn_label": "شماره تلفن" }, "sidebar": { "title": "نوارکناری", "metaspaces_home_description": "خانه برای داشتن یک نمای کلی از همه چیز مفید است.", "metaspaces_home_all_rooms_description": "تمامی اتاق ها را در صفحه ی خانه نمایش بده، حتی آنهایی که در یک فضا هستند." + }, + "key_backup": { + "backup_in_progress": "در حال پیشتیبان‌گیری از کلیدهای شما (اولین نسخه پشتیبان ممکن است چند دقیقه طول بکشد).", + "backup_success": "موفقیت‌آمیز بود!", + "create_title": "ساختن نسخه‌ی پشتیبان کلید", + "cannot_create_backup": "ایجاد کلید پشتیبان‌گیری امکان‌پذیر نیست", + "setup_secure_backup": { + "generate_security_key_title": "یک کلید امنیتی ایجاد کنید", + "enter_phrase_title": "یک عبارت امنیتی وارد کنید", + "description": "برای در امان ماندن در برابر از دست‌دادن پیام‌ها و داده‌های رمزشده‌ی خود، از کلید‌های رمزنگاری خود یک نسخه‌ی پشتیبان بر روی سرور قرار دهید.", + "requires_password_confirmation": "گذرواژه‌ی خود را جهت تائيد عملیات ارتقاء وارد کنید:", + "requires_key_restore": "برای ارتقاء رمزنگاری، ابتدا نسخه‌ی پشتیبان خود را بازیابی کنید", + "requires_server_authentication": "برای تائید ارتقاء، نیاز به احراز هویت نزد سرور خواهید داشت.", + "session_upgrade_description": "برای اینکه بتوانید بقیه‌ی نشست‌ها را تائید کرده و به آن‌ها امکان مشاهده‌ی پیام‌های رمزشده را بدهید، ابتدا باید این نشست را ارتقاء دهید. بعد از تائیدشدن، به عنوان نشست‌ّای تائید‌شده به سایر کاربران نمایش داده خواهند شد.", + "phrase_strong_enough": "عالی! این عبارت امنیتی به اندازه کافی قوی به نظر می رسد.", + "pass_phrase_match_success": "مطابقت دارد!", + "use_different_passphrase": "از عبارت امنیتی دیگری استفاده شود؟", + "pass_phrase_match_failed": "مطابقت ندارد.", + "set_phrase_again": "برای تنظیم مجدد آن به عقب برگردید.", + "enter_phrase_to_confirm": "عبارت امنیتی خود را برای تائید مجددا وارد کنید.", + "confirm_security_phrase": "عبارت امنیتی خود را تأیید کنیدعبارت امنیتی خود را تائید نمائید", + "secret_storage_query_failure": "امکان جستجو و کنکاش وضعیت حافظه‌ی مخفی میسر نیست", + "cancel_warning": "اگر الان لغو کنید، ممکن است پیام‌ها و داده‌های رمزشده‌ی خود را در صورت خارج‌شدن از حساب‌های کاربریتان، از دست دهید.", + "settings_reminder": "همچنین می‌توانید پشتیبان‌گیری امن را برپا کرده و کلید‌های خود را در تنظیمات مدیریت کنید.", + "title_upgrade_encryption": "رمزنگاری خود را ارتقا دهید", + "title_set_phrase": "یک عبارت امنیتی تنظیم کنید", + "title_confirm_phrase": "عبارت امنیتی را تأیید کنید", + "title_save_key": "کلید امنیتی خود را ذخیره کنید", + "unable_to_setup": "تنظیم حافظه‌ی پنهان امکان پذیر نیست", + "use_phrase_only_you_know": "از یک عبارت محرمانه که فقط خودتان می‌دانید استفاده کنید، و محض احتیاط کلید امینی خود را برای استفاده هنگام پشتیبان‌گیری ذخیره نمائید." + } + }, + "key_export_import": { + "export_title": "استخراج کلیدهای اتاق", + "export_description_1": "این فرآیند به شما این امکان را می‌دهد تا کلیدهایی را که برای رمزگشایی پیام‌هایتان در اتاق‌های رمزشده نیاز دارید، در قالب یک فایل محلی استخراج کنید. بعد از آن می‌توانید این فایل را در هر کلاینت دیگری وارد (Import) کرده و قادر به رمزگشایی و مشاهده‌ی پیام‌های رمزشده‌ی مذکور باشید.", + "enter_passphrase": "عبارت امنیتی را وارد کنید", + "confirm_passphrase": "عبارت امنیتی را تائید کنید", + "phrase_cannot_be_empty": "عبارت امنیتی نمی‌تواند خالی باشد", + "phrase_must_match": "عبارات‌های امنیتی باید مطابقت داشته باشند", + "import_title": "واردکردن (Import) کلیدهای اتاق", + "import_description_1": "این فرآیند به شما اجازه می‌دهد تا کلیدهای امنیتی را وارد (Import) کنید، کلیدهایی که قبلا از کلاینت‌های دیگر خود استخراج (Export) کرده‌اید. پس از آن شما می‌توانید هر پیامی را که کلاینت دیگر قادر به رمزگشایی آن بوده را، رمزگشایی و مشاهده کنید.", + "import_description_2": "فایل استخراج‌شده با یک عبارت امنیتی محافظت می‌شود. برای رمزگشایی فایل باید عبارت امنیتی را وارد کنید.", + "file_to_import": "فایل برای واردکردن (Import)" } }, "devtools": { @@ -1957,6 +1864,9 @@ "creation_summary_room": "%(creator)s اتاق را ایجاد و پیکربندی کرد.", "context_menu": { "external_url": "آدرس مبدا" + }, + "url_preview": { + "close": "بستن پیش نمایش" } }, "slash_command": { @@ -2161,7 +2071,14 @@ "send_event_type": "ارسال رخدادهای %(eventType)s", "title": "نقش‌ها و دسترسی‌ها", "permissions_section": "دسترسی‌ها", - "permissions_section_description_room": "برای تغییر هر یک از بخش‌های اتاق، خداقل نقش مورد نیاز را انتخاب کنید" + "permissions_section_description_room": "برای تغییر هر یک از بخش‌های اتاق، خداقل نقش مورد نیاز را انتخاب کنید", + "error_unbanning": "رفع مسدودیت با خطا مواجه شد", + "banned_by": "توسط %(displayName)s تحریم شد", + "ban_reason": "دلیل", + "error_changing_pl_reqs_title": "خطا در تغییر الزامات سطح دسترسی", + "error_changing_pl_reqs_description": "در تغییر الزامات سطح دسترسی اتاق خطایی رخ داد. از داشتن دسترسی‌های کافی اطمینان حاصل کرده و مجددا امتحان کنید.", + "error_changing_pl_title": "تغییر سطح دسترسی با خطا همراه بود", + "error_changing_pl_description": "هنگام تغییر طرح دسترسی کاربر خطایی رخ داد. از داشتن سطح دسترسی کافی برای این کار اطمینان حاصل کرده و مجددا اقدام نمائید." }, "security": { "strict_encryption": "هرگز از این نشست، پیام‌های رمزشده برای به نشست‌های تائید نشده در این اتاق ارسال مکن", @@ -2190,16 +2107,30 @@ "error_save_space_settings": "تنظیمات فضای کاری ذخیره نشد.", "description_space": "تنظیمات مربوط به فضای کاری خود را ویرایش کنید.", "save": "ذخیره تغییرات", - "leave_space": "ترک فضای کاری" + "leave_space": "ترک فضای کاری", + "aliases_section": "آدرس‌های اتاق", + "other_section": "دیگر" }, "advanced": { "unfederated": "این اتاق توسط سرورهای ماتریکس در دسترس نیست", "room_upgrade_button": "نسخه‌ی این اتاق را به نسخه‌ی توصیه‌شده ارتقاء دهید", "room_predecessor": "پیام‌های قدیمی اتاق %(roomName)s را مشاهده کنید.", "room_version_section": "نسخه‌ی اتاق", - "room_version": "نسخه‌ی اتاق:" + "room_version": "نسخه‌ی اتاق:", + "information_section_room": "اطلاعات اتاق" }, - "upload_avatar_label": "بارگذاری نمایه" + "upload_avatar_label": "بارگذاری نمایه", + "bridges": { + "description": "این اتاق، ارتباط بین پیام‌ها و پلتفورم‌های زیر را ایجاد می‌کند. بیشتر بدانید.", + "title": "پل‌ها" + }, + "notifications": { + "uploaded_sound": "صدای بارگذاری‌شده", + "sounds_section": "صداها", + "notification_sound": "صدای اعلان", + "custom_sound_prompt": "تنظیم صدای دلخواه جدید", + "browse_button": "جستجو" + } }, "encryption": { "verification": { @@ -2222,7 +2153,8 @@ "unverified_sessions_toast_description": "برای کسب اطمینان از امن‌بودن حساب کاربری خود، لطفا بررسی فرمائید", "unverified_sessions_toast_reject": "بعداً", "unverified_session_toast_title": "ورود جدید. آیا شما بودید؟", - "request_toast_detail": "%(deviceId)s از %(ip)s" + "request_toast_detail": "%(deviceId)s از %(ip)s", + "verification_description": "با تائید هویت خود به پیام‌های رمزشده دسترسی یافته و هویت خود را به دیگران ثابت می‌کنید." }, "old_version_detected_title": "داده‌های رمزنگاری قدیمی شناسایی شد", "old_version_detected_description": "داده هایی از نسخه قدیمی %(brand)s شناسایی شده است. این امر باعث اختلال در رمزنگاری سرتاسر در نسخه قدیمی شده است. پیام های رمزگذاری شده سرتاسر که اخیراً رد و بدل شده اند ممکن است با استفاده از نسخه قدیمی رمزگشایی نشوند. همچنین ممکن است پیام های رد و بدل شده با این نسخه با مشکل مواجه شود. اگر مشکلی رخ داد، از سیستم خارج شوید و مجددا وارد شوید. برای حفظ سابقه پیام، کلیدهای خود را خروجی گرفته و دوباره وارد کنید.", @@ -2242,7 +2174,19 @@ "cross_signing_ready": "امضاء متقابل برای استفاده در دسترس است.", "cross_signing_untrusted": "حساب کاربری شما یک هویت برای امضاء متقابل در حافظه‌ی نهان دارد، اما این هویت هنوز توسط این نشست تائید نشده‌است.", "cross_signing_not_ready": "امضاء متقابل تنظیم نشده‌است.", - "not_supported": "<پشتیبانی نمی‌شود>" + "not_supported": "<پشتیبانی نمی‌شود>", + "new_recovery_method_detected": { + "title": "روش بازیابی جدید", + "description_1": "یک عبارت امنیتی و کلید جدید برای پیام‌رسانی امن شناسایی شد.", + "description_2": "این نشست تاریخچه‌ی پیام‌های رمزشده را با استفاده از روش جدیدِ بازیابی، رمز می‌کند.", + "warning": "اگر روش بازیابی جدیدی را تنظیم نکرده‌اید، ممکن است حمله‌کننده‌ای تلاش کند به حساب کاربری شما دسترسی پیدا کند. لطفا گذرواژه حساب کاربری خود را تغییر داده و فورا یک روش جدیدِ بازیابی در بخش تنظیمات انتخاب کنید." + }, + "recovery_method_removed": { + "title": "روش بازیابی حذف شد", + "description_1": "نشست فعلی تشخیص داده که عبارت امنیتی و کلید لازم شما برای پیام‌رسانی امن حذف شده‌است.", + "description_2": "اگر این کار را به صورت تصادفی انجام دادید، می‌توانید سازوکار پیام امن را برای این نشست تنظیم کرده که باعث می‌شود تمام تاریخچه‌ی این نشست با استفاده از یک روش جدیدِ بازیابی، مجددا رمزشود.", + "warning": "اگر متد بازیابی را حذف نکرده‌اید، ممکن است حمله‌کننده‌ای سعی در دسترسی به حساب‌کاربری شما داشته باشد. گذرواژه حساب کاربری خود را تغییر داده و فورا یک روش بازیابی را از بخش تنظیمات خود تنظیم کنید." + } }, "emoji": { "category_frequently_used": "متداول", @@ -2381,7 +2325,9 @@ "autodiscovery_unexpected_error_hs": "خطای غیر منتظره‌ای در حین بررسی پیکربندی سرور رخ داد", "autodiscovery_unexpected_error_is": "خطای غیر منتظره‌ای در حین بررسی پیکربندی سرور هویت‌سنجی رخ داد", "incorrect_credentials_detail": "لطفا توجه کنید شما به سرور %(hs)s وارد شده‌اید، و نه سرور matrix.org.", - "create_account_title": "ساختن حساب کاربری" + "create_account_title": "ساختن حساب کاربری", + "failed_soft_logout_homeserver": "به دلیل مشکلی که در سرور وجود دارد ، احراز هویت مجدد انجام نشد", + "soft_logout_subheading": "پاک‌کردن داده‌های شخصی" }, "room_list": { "sort_unread_first": "ابتدا اتاق های با پیام خوانده نشده را نمایش بده", @@ -2397,7 +2343,11 @@ "show_less": "نمایش کمتر", "notification_options": "تنظیمات اعلان", "failed_remove_tag": "خطا در حذف کلیدواژه‌ی %(tagName)s از گپ", - "failed_add_tag": "در افزودن تگ %(tagName)s موفقیت‌آمیز نبود" + "failed_add_tag": "در افزودن تگ %(tagName)s موفقیت‌آمیز نبود", + "breadcrumbs_label": "اتاق‌هایی که به تازگی بازدید کرده‌اید", + "breadcrumbs_empty": "اخیراً از اتاقی بازدید نشده است", + "add_room_label": "افزودن اتاق", + "suggested_rooms_heading": "اتاق‌های پیشنهادی" }, "report_content": { "missing_reason": "لطفا توضیح دهید که چرا گزارش می‌دهید.", @@ -2609,7 +2559,8 @@ "share_public": "محیط عمومی خود را به اشتراک بگذارید", "invite_link": "به اشتراک‌گذاری لینک دعوت", "invite": "دعوت کاربران", - "invite_description": "دعوت با ایمیل یا نام‌کاربری" + "invite_description": "دعوت با ایمیل یا نام‌کاربری", + "invite_this_space": "به این فضای کاری دعوت کنید" }, "location_sharing": { "MapStyleUrlNotConfigured": "این سرور خانگی برای نمایش نقشه تنظیم نشده است.", @@ -2650,7 +2601,8 @@ "lists_heading": "لیست‌هایی که در آن‌ها ثبت‌نام کرده‌اید", "lists_description_1": "ثبت‌نام کردن در یک لیست تحریم باعث می‌شود شما هم عضو آن شوید!", "lists_description_2": "اگر این چیزی نیست که شما می‌خواهید، از یک ابزار دیگر برای نادیده‌گرفتن کاربران استفاده نمائيد.", - "lists_new_label": "شناسه‌ی اتاق یا آدرس لیست تحریم" + "lists_new_label": "شناسه‌ی اتاق یا آدرس لیست تحریم", + "rules_empty": "هیچ‌کدام" }, "create_space": { "name_required": "لطفا یک نام برای محیط وارد کنید", @@ -2725,8 +2677,40 @@ "unfavourite": "مورد علاقه", "favourite": "علاقه‌مندی‌ها", "low_priority": "کم اهمیت", - "forget": "اتاق را فراموش کن" - } + "forget": "اتاق را فراموش کن", + "title": "تنظیمات اتاق" + }, + "invite_this_room": "دعوت به این گپ", + "header": { + "forget_room_button": "فراموش کردن اتاق", + "hide_widgets_button": "پنهان‌کردن ابزارک‌ها", + "show_widgets_button": "نمایش ابزارک‌ها" + }, + "join_title_account": "پیوستن به گفتگو با یک حساب کاربری", + "join_button_account": "ثبت نام", + "kick_reason": "دلیل: %(reason)s", + "forget_room": "فراموش کردن این اتاق", + "rejoin_button": "دوباره بپیوندید", + "banned_from_room_by": "شما از %(roomName)s توسط %(memberName)s محروم شدید", + "3pid_invite_error_title_room": "در دعوت شما به %(roomName)s مشکلی پیش آمده است", + "3pid_invite_error_invite_subtitle": "فقط با یک دعوت نامه معتبر می توانید به آن بپیوندید.", + "3pid_invite_error_invite_action": "به هر حال عضو شدن را تلاش کن", + "join_the_discussion": "به بحث بپیوندید", + "3pid_invite_email_not_found_account_room": "این دعوت به %(roomName)s به %(email)s ارسال شده است که با حساب شما مرتبط نیست", + "link_email_to_receive_3pid_invite": "برای دریافت مستقیم دعوت در %(brand)s این ایمیل را به حساب خود در تنظیمات متصل کنید.", + "invite_sent_to_email_room": "این دعوت به %(roomName)s به %(email)s ارسال شد", + "3pid_invite_no_is_subtitle": "برای دریافت مستقیم دعوت در %(brand)s یک سرور هویت‌سنجی در تنظیمات مشخص کنید.", + "invite_email_mismatch_suggestion": "برای دریافت مستقیم دعوت در %(brand)s این ایمیل را در تنظیمات به اشتراک بگذارید.", + "dm_invite_title": "آیا می خواهید با %(user)s چت کنید؟", + "dm_invite_subtitle": " می‌خواهد چت کند", + "dm_invite_action": "گپ زدن را شروع کن", + "invite_title": "آیا می خواهید ب %(roomName)s بپیوندید؟", + "invite_subtitle": " شما را دعوت کرد", + "invite_reject_ignore": "رد کردن و نادیده گرفتن کاربر", + "peek_join_prompt": "شما در حال پیش نمایش %(roomName)s هستید. می خواهید به آن بپیوندید؟", + "no_peek_join_prompt": "پیش بینی %(roomName)s امکان پذیر نیست. آیا می خواهید به آن بپیوندید؟", + "not_found_title_name": "%(roomName)s وجود ندارد.", + "inaccessible_name": "در حال حاضر %(roomName)s قابل دسترسی نیست." }, "file_panel": { "guest_note": "برای استفاده از این قابلیت باید ثبت نام کنید", @@ -2851,7 +2835,10 @@ "keyword": "کلمه کلیدی", "keyword_new": "کلمه کلیدی جدید", "class_other": "دیگر", - "mentions_keywords": "منشن ها و کلمات کلیدی" + "mentions_keywords": "منشن ها و کلمات کلیدی", + "default": "پیشفرض", + "all_messages": "همه‌ی پیام‌ها", + "mentions_and_keywords_description": "بنابر تنظیمات خودتان فقط با منشن ها و کلمات کلیدی مطلع شوید" }, "mobile_guide": { "toast_title": "برای تجربه بهتر از برنامه استفاده کنید", @@ -2872,6 +2859,43 @@ "a11y_jump_first_unread_room": "به اولین اتاق خوانده نشده بروید.", "integration_manager": { "error_connecting_heading": "امکان اتصال به مدیر یکپارچه‌سازی‌ها وجود ندارد", - "error_connecting": "مدیر یکپارچه‌سازی‌ یا آفلاین است و یا نمی‌تواند به سرور شما متصل شود." + "error_connecting": "مدیر یکپارچه‌سازی‌ یا آفلاین است و یا نمی‌تواند به سرور شما متصل شود.", + "use_im_default": "برای مدیریت بات‌ها، ابزارک‌ها و بسته‌های برچسب، از یک مدیر پکپارچه‌سازی (%(serverName)s) استفاده کنید.", + "use_im": "برای مدیریت بات‌ها، ابزارک‌ها و بسته‌های برچسب، از یک مدیر پکپارچه‌سازی استفاده کنید.", + "manage_title": "مدیریت پکپارچه‌سازی‌ها", + "explainer": "مدیران ادغام داده‌های پیکربندی را دریافت می‌کنند و می‌توانند ویجت‌ها را تغییر دهند، دعوت‌نامه‌های اتاق ارسال کنند و سطوح قدرت را از طرف شما تنظیم کنند." + }, + "identity_server": { + "url_not_https": "نشانی کارساز هویت باید HTTPS باشد", + "error_invalid": "کارساز هویت معتبر نیست (کد وضعیت %(code)s)", + "error_connection": "نتوانست به کارساز هویت وصل شود", + "checking": "در حال بررسی سرور", + "change": "تغییر سرور هویت‌سنجی", + "change_prompt": "ارتباط با سرور هویت‌سنجی قطع شده و در عوض به متصل شوید؟", + "error_invalid_or_terms": "شرایط و ضوابط سرویس پذیرفته نشده و یا سرور هویت‌سنجی معتبر نیست.", + "no_terms": "سرور هویت‌سنجی که انتخاب کرده‌اید شرایط و ضوابط سرویس ندارد.", + "disconnect": "اتصال با سرور هویت‌سنجی را قطع کن", + "disconnect_server": "از سرور هویت‌سنجی قطع می‌شوید؟", + "disconnect_offline_warning": "شما باید قبل از قطع اتصال، داده‌های شخصی خود را از سرور هویت‌سنجی پاک کنید. متاسفانه سرور هویت‌سنجی هم‌اکنون آفلاین بوده و یا دسترسی به آن امکان‌پذیر نیست.", + "suggestions": "شما باید:", + "suggestions_1": "پلاگین‌های مرورگر خود را بررسی کنید تا مبادا سرور هویت‌سنجی را بلاک کرده باشند (پلاگینی مانند Privacy Badger)", + "suggestions_2": "با مدیران سرور هویت‌سنجی تماس بگیرید", + "suggestions_3": "صبر کرده و بعدا دوباره امتحان کنید", + "disconnect_anyway": "در هر صورت قطع کن", + "disconnect_personal_data_warning_1": "شما هم‌چنان داده‌های شخصی خودتان را بر روی سرور هویت‌سنجی به اشتراک می‌گذارید.", + "disconnect_personal_data_warning_2": "توصیه می‌کنیم آدرس‌های ایمیل و شماره تلفن‌های خود را پیش از قطع ارتباط با سرور هویت‌سنجی از روی آن پاک کنید.", + "url": "کارساز هویت (%(server)s)", + "description_connected": "در حال حاضر شما از برای یافتن و یافته‌شدن توسط مخاطبانی که می‌شناسید، استفاده می‌کنید. می‌توانید سرور هویت‌سنجی خود را در زیر تغییر دهید.", + "change_server_prompt": "اگر تمایل به استفاده از برای یافتن و یافته‌شدن توسط مخاطبان خود را ندارید، سرور هویت‌سنجی دیگری را در پایین وارد کنید.", + "description_disconnected": "در حال حاضر از سرور هویت‌سنجی استفاده نمی‌کنید. برای یافتن و یافته‌شدن توسط مخاطبان موجود که شما آن‌ها را می‌شناسید، یک مورد در پایین اضافه کنید.", + "disconnect_warning": "قطع ارتباط با سرور هویت‌سنجی به این معناست که شما از طریق ادرس ایمیل و شماره تلفن، بیش از این قابل یافته‌شدن و دعوت‌شدن توسط کاربران دیگر نیستید.", + "description_optional": "استفاده از سرور هویت‌سنجی اختیاری است. اگر تصمیم بگیرید از سرور هویت‌سنجی استفاده نکنید، شما با استفاده از آدرس ایمیل و شماره تلفن قابل یافته‌شدن و دعوت‌شدن توسط سایر کاربران نخواهید بود.", + "do_not_use": "از سرور هویت‌سنجی استفاده نکن", + "url_field_label": "یک سرور هویت‌سنجی جدید وارد کنید" + }, + "member_list": { + "invited_list_heading": "دعوت شد", + "filter_placeholder": "فیلتر کردن اعضای اتاق", + "power_label": "%(userName)s (سطح قدرت %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/fi.json b/src/i18n/strings/fi.json index 5e0bc1c396..d3befabb08 100644 --- a/src/i18n/strings/fi.json +++ b/src/i18n/strings/fi.json @@ -2,10 +2,6 @@ "Create new room": "Luo uusi huone", "Failed to forget room %(errCode)s": "Huoneen unohtaminen epäonnistui %(errCode)s", "unknown error code": "tuntematon virhekoodi", - "Failed to change password. Is your password correct?": "Salasanan vaihtaminen epäonnistui. Onko salasanasi oikein?", - "No Microphones detected": "Mikrofonia ei löytynyt", - "No Webcams detected": "Kameroita ei löytynyt", - "Authentication": "Tunnistautuminen", "%(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.", @@ -17,37 +13,24 @@ "one": "ja yksi muu..." }, "Custom level": "Mukautettu taso", - "Deactivate Account": "Poista tili pysyvästi", - "Default": "Oletus", "Download %(text)s": "Lataa %(text)s", "Email address": "Sähköpostiosoite", - "Enter passphrase": "Syötä salalause", "Error decrypting attachment": "Virhe purettaessa liitteen salausta", "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", "Failed to reject invite": "Kutsun hylkääminen epäonnistui", "Failed to reject invitation": "Kutsun hylkääminen epäonnistui", - "Failed to set display name": "Näyttönimen asettaminen epäonnistui", - "Failed to unban": "Porttikiellon poistaminen epäonnistui", - "Filter room members": "Suodata huoneen jäseniä", - "Forget room": "Unohda huone", - "Incorrect verification code": "Virheellinen varmennuskoodi", - "Invalid Email Address": "Virheellinen sähköpostiosoite", - "Invited": "Kutsuttu", "Join Room": "Liity huoneeseen", "Jump to first unread message.": "Hyppää ensimmäiseen lukemattomaan viestiin.", - "Low priority": "Matala prioriteetti", "Moderator": "Valvoja", "New passwords must match each other.": "Uusien salasanojen on vastattava toisiaan.", "not specified": "ei määritetty", "AM": "ap.", "PM": "ip.", "No more results": "Ei enempää tuloksia", - "Reason": "Syy", "Reject invitation": "Hylkää kutsu", "Return to login screen": "Palaa kirjautumissivulle", - "Rooms": "Huoneet", "Search failed": "Haku epäonnistui", "Session ID": "Istuntotunniste", "This room has no local addresses": "Tällä huoneella ei ole paikallista osoitetta", @@ -56,12 +39,9 @@ "one": "Lähetetään %(filename)s ja %(count)s muuta", "other": "Lähetetään %(filename)s ja %(count)s muuta" }, - "Historical": "Vanhat", "Home": "Etusivu", "Invalid file%(extra)s": "Virheellinen tiedosto%(extra)s", - "This doesn't appear to be a valid email address": "Tämä ei vaikuta olevan kelvollinen sähköpostiosoite", "Warning!": "Varoitus!", - "You do not have permission to post to this room": "Sinulla ei ole oikeutta kirjoittaa tässä huoneessa", "Sun": "su", "Mon": "ma", "Tue": "ti", @@ -75,25 +55,13 @@ "one": "(~%(count)s tulos)", "other": "(~%(count)s tulosta)" }, - "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", - "Confirm passphrase": "Varmista salasana", - "Import room keys": "Tuo huoneen avaimet", - "File to import": "Tuotava tiedosto", "Confirm Removal": "Varmista poistaminen", "Unable to restore session": "Istunnon palautus epäonnistui", "Decrypt %(text)s": "Pura %(text)s", - "%(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ä.", - "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.", "Please check your email and click on the link it contains. Once this is done, click continue.": "Ole hyvä ja tarkista sähköpostisi ja seuraa sen sisältämää linkkiä. Kun olet valmis, napsauta Jatka.", "Server may be unavailable, overloaded, or search timed out :(": "Palvelin saattaa olla saavuttamattomissa, ylikuormitettu tai haku kesti liian kauan :(", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Aikajanan tietty hetki yritettiin ladata, mutta sinulla ei ole oikeutta nähdä kyseistä viestiä.", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Huoneen aikajanan tietty hetki yritettiin ladata, mutta sitä ei löytynyt.", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (oikeustaso %(powerLevelNumber)s)", "Verification Pending": "Varmennus odottaa", "You seem to be in a call, are you sure you want to quit?": "Sinulla näyttää olevan puhelu kesken. Haluatko varmasti lopettaa?", "You seem to be uploading files, are you sure you want to quit?": "Näytät lähettävän tiedostoja. Oletko varma että haluat lopettaa?", @@ -114,14 +82,10 @@ "Add an Integration": "Lisää integraatio", "This will allow you to reset your password and receive notifications.": "Tämä sallii sinun uudelleenalustaa salasanasi ja vastaanottaa ilmoituksia.", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Et voi kumota tätä muutosta, koska olet ylentämässä käyttäjää samalle oikeustasolle kuin itsesi.", - "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.": "Tämä prosessi mahdollistaa salatuissa huoneissa vastaanottamiesi viestien salausavainten viemisen tiedostoon. Voit myöhemmin tuoda ne toiseen Matrix-asiakasohjelmaan, jolloin myös se voi purkaa viestit.", - "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.": "Tämä prosessi mahdollistaa aiemmin tallennettujen salausavainten tuominen toiseen Matrix-asiakasohjelmaan. Tämän jälkeen voit purkaa kaikki salatut viestit jotka toinen asiakasohjelma pystyisi purkamaan.", "Restricted": "Rajoitettu", - "Unignore": "Huomioi käyttäjä jälleen", "Jump to read receipt": "Hyppää lukukuittaukseen", "Admin Tools": "Ylläpitotyökalut", "Unnamed room": "Nimetön huone", - "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?", "And %(count)s more...": { "other": "Ja %(count)s muuta..." @@ -149,8 +113,6 @@ "Saturday": "Lauantai", "Monday": "Maanantai", "All Rooms": "Kaikki huoneet", - "All messages": "Kaikki viestit", - "Invite to this room": "Kutsu käyttäjiä", "You cannot delete this message. (%(code)s)": "Et voi poistaa tätä viestiä. (%(code)s)", "Thursday": "Torstai", "Yesterday": "Eilen", @@ -219,8 +181,6 @@ "Folder": "Kansio", "Room Name": "Huoneen nimi", "Room Topic": "Huoneen aihe", - "Room information": "Huoneen tiedot", - "Room Addresses": "Huoneen osoitteet", "Share room": "Jaa huone", "Share Room": "Jaa huone", "Room avatar": "Huoneen kuva", @@ -228,14 +188,6 @@ "Link to most recent message": "Linkitä viimeisimpään viestiin", "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ä", - "Email addresses": "Sähköpostiosoitteet", - "Phone numbers": "Puhelinnumerot", - "Account management": "Tilin hallinta", - "Voice & Video": "Ääni ja video", - "No Audio Outputs detected": "Äänen ulostuloja ei havaittu", - "Audio Output": "Äänen ulostulo", - "Go to Settings": "Siirry asetuksiin", - "Success!": "Onnistui!", "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.", @@ -255,10 +207,7 @@ "Preparing to send logs": "Valmistaudutaan lokien lähettämiseen", "Invite anyway": "Kutsu silti", "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", - "Phone Number": "Puhelinnumero", - "Email Address": "Sähköpostiosoite", "Elephant": "Norsu", "You'll lose access to your encrypted messages": "Menetät pääsyn salattuihin viesteihisi", "Create a new room with the same name, description and avatar": "luomme uuden huoneen samalla nimellä, kuvauksella ja kuvalla", @@ -267,17 +216,10 @@ "Put a link back to the old room at the start of the new room so people can see old messages": "pistämme linkin vanhaan huoneeseen uuden huoneen alkuun, jotta ihmiset voivat nähdä vanhat viestit", "We encountered an error trying to restore your previous session.": "Törmäsimme ongelmaan yrittäessämme palauttaa edellistä istuntoasi.", "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.": "Jos olet aikaisemmin käyttänyt uudempaa versiota %(brand)sista, istuntosi voi olla epäyhteensopiva tämän version kanssa. Sulje tämä ikkuna ja yritä uudemman version kanssa.", - "Permission Required": "Lisäoikeuksia tarvitaan", "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.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Salatut viestit turvataan päästä päähän -salauksella. Vain sinä ja viestien vastaanottaja(t) omaavat avaimet näiden viestien lukemiseen.", "Back up your keys before signing out to avoid losing them.": "Varmuuskopioi avaimesi ennen kuin kirjaudut ulos välttääksesi avainten menetyksen.", "Start using Key Backup": "Aloita avainvarmuuskopion käyttö", - "Unable to verify phone number.": "Puhelinnumeron vahvistaminen epäonnistui.", - "Verification code": "Varmennuskoodi", - "Ignored users": "Sivuutetut käyttäjät", - "Missing media permissions, click the button below to request.": "Mediaoikeuksia puuttuu. Napsauta painikkeesta pyytääksesi oikeuksia.", - "Request media permissions": "Pyydä mediaoikeuksia", "Manually export keys": "Vie avaimet käsin", "Share User": "Jaa käyttäjä", "Share Room Message": "Jaa huoneviesti", @@ -287,8 +229,6 @@ "Demote yourself?": "Alenna itsesi?", "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.": "Et voi perua tätä muutosta, koska olet alentamassa itseäsi. Jos olet viimeinen oikeutettu henkilö tässä huoneessa, oikeuksia ei voi enää saada takaisin.", "Demote": "Alenna", - "This room has been replaced and is no longer active.": "Tämä huone on korvattu, eikä se ole enää aktiivinen.", - "Replying": "Vastataan", "Only room administrators will see this warning": "Vain huoneen ylläpitäjät näkevät tämän varoituksen", "Add some now": "Lisää muutamia", "Error updating main address": "Pääosoitteen päivityksessä tapahtui virhe", @@ -320,12 +260,6 @@ "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ä.", "Could not load user profile": "Käyttäjäprofiilia ei voitu ladata", "General failure": "Yleinen virhe", - "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Viety tiedosto suojataan salasanalla. Syötä salasana tähän purkaaksesi tiedoston salauksen.", - "That matches!": "Täsmää!", - "That doesn't match.": "Ei täsmää.", - "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", "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", @@ -337,26 +271,6 @@ "Invalid homeserver discovery response": "Epäkelpo kotipalvelimen etsinnän vastaus", "Invalid identity server discovery response": "Epäkelpo identiteettipalvelimen etsinnän vastaus", "Set up": "Ota käyttöön", - "New Recovery Method": "Uusi palautustapa", - "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.": "Jos et ottanut käyttöön uutta palautustapaa, hyökkääjä saattaa yrittää käyttää tiliäsi. Vaihda tilisi salasana ja aseta uusi palautustapa asetuksissa välittömästi.", - "Set up Secure Messages": "Ota käyttöön salatut viestit", - "Recovery Method Removed": "Palautustapa poistettu", - "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.": "Jos et poistanut palautustapaa, hyökkääjä saattaa yrittää käyttää tiliäsi. Vaihda tilisi salasana ja aseta uusi palautustapa asetuksissa välittömästi.", - "Join the conversation with an account": "Liity keskusteluun tilin avulla", - "Sign Up": "Rekisteröidy", - "Reason: %(reason)s": "Syy: %(reason)s", - "Forget this room": "Unohda tämä huone", - "Re-join": "Liity uudelleen", - "You were banned from %(roomName)s by %(memberName)s": "%(memberName)s antoi sinulle porttikiellon huoneeseen %(roomName)s", - "Something went wrong with your invite to %(roomName)s": "Jotain meni vikaan kutsussasi huoneeseen %(roomName)s", - "You can only join it with a working invite.": "Voit liittyä siihen vain toimivalla kutsulla.", - "Join the discussion": "Liity keskusteluun", - "Try to join anyway": "Yritä silti liittyä", - "Do you want to chat with %(user)s?": "Haluatko keskustella käyttäjän %(user)s kanssa?", - "Do you want to join %(roomName)s?": "Haluatko liittyä huoneeseen %(roomName)s?", - " invited you": " kutsui sinut", - "You're previewing %(roomName)s. Want to join it?": "Esikatselet huonetta %(roomName)s. Haluatko liittyä siihen?", - "%(roomName)s can't be previewed. Do you want to join it?": "Huonetta %(roomName)s ei voi esikatsella. Haluatko liittyä siihen?", "This room has already been upgraded.": "Tämä huone on jo päivitetty.", "Sign out and remove encryption keys?": "Kirjaudu ulos ja poista salausavaimet?", "Missing session data": "Istunnon dataa puuttuu", @@ -380,12 +294,6 @@ "This file is too large to upload. The file size limit is %(limit)s but this file is %(sizeOfThisFile)s.": "Tiedosto on liian iso lähetettäväksi. Tiedostojen kokoraja on %(limit)s mutta tämä tiedosto on %(sizeOfThisFile)s.", "Edit message": "Muokkaa viestiä", "Notes": "Huomautukset", - "Add room": "Lisää huone", - "Uploaded sound": "Asetettu ääni", - "Sounds": "Äänet", - "Notification sound": "Ilmoitusääni", - "Set a new custom sound": "Aseta uusi mukautettu ääni", - "Browse": "Selaa", "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:", @@ -395,36 +303,10 @@ "Clear all data": "Poista kaikki tiedot", "Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Kerro mikä meni pieleen, tai, mikä parempaa, luo GitHub-issue joka kuvailee ongelman.", "Removing…": "Poistetaan…", - "Failed to re-authenticate due to a homeserver problem": "Uudelleenautentikointi epäonnistui kotipalvelinongelmasta johtuen", - "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", - "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", - "Checking server": "Tarkistetaan palvelinta", - "Disconnect from the identity server ?": "Katkaise yhteys identiteettipalvelimeen ?", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Käytät palvelinta tuntemiesi henkilöiden löytämiseen ja löydetyksi tulemiseen. Voit vaihtaa identiteettipalvelintasi alla.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Et käytä tällä hetkellä identiteettipalvelinta. Lisää identiteettipalvelin alle löytääksesi tuntemiasi henkilöitä ja tullaksesi löydetyksi.", - "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.": "Yhteyden katkaiseminen identiteettipalvelimeesi tarkoittaa, että muut käyttäjät eivät löydä sinua etkä voi kutsua muita sähköpostin tai puhelinnumeron perusteella.", - "The identity server you have chosen does not have any terms of service.": "Valitsemallasi identiteettipalvelimella ei ole käyttöehtoja.", - "Terms of service not accepted or the identity server is invalid.": "Käyttöehtoja ei ole hyväksytty tai identiteettipalvelin ei ole kelvollinen.", - "Enter a new identity server": "Syötä uusi identiteettipalvelin", - "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Hyväksy identiteettipalvelimen (%(serverName)s) käyttöehdot, jotta sinut voi löytää sähköpostiosoitteen tai puhelinnumeron perusteella.", "Deactivate account": "Poista tili pysyvästi", - "Remove %(email)s?": "Poista %(email)s?", - "Remove %(phone)s?": "Poista %(phone)s?", "Command Help": "Komento-ohje", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Ellet halua käyttää palvelinta löytääksesi tuntemiasi ihmisiä ja tullaksesi löydetyksi, syötä toinen identiteettipalvelin alle.", - "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.": "Identiteettipalvelimen käyttäminen on valinnaista. Jos päätät olla käyttämättä identiteettipalvelinta, muut käyttäjät eivät löydä sinua etkä voi kutsua muita sähköpostin tai puhelinnumeron perusteella.", - "Do not use an identity server": "Älä käytä identiteettipalvelinta", - "This invite to %(roomName)s was sent to %(email)s": "Tämä kutsu huoneeseen %(roomName)s lähetettiin sähköpostiosoitteeseen %(email)s", - "Change identity server": "Vaihda identiteettipalvelinta", - "Disconnect from the identity server and connect to instead?": "Katkaise yhteys identiteettipalvelimeen ja yhdistä sen sijaan identiteettipalvelimeen ?", - "Disconnect identity server": "Katkaise yhteys identiteettipalvelimeen", - "You are still sharing your personal data on the identity server .": "Jaat edelleen henkilökohtaisia tietojasi identiteettipalvelimella .", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Suosittelemme, että poistat sähköpostiosoitteesi ja puhelinnumerosi identiteettipalvelimelta ennen yhteyden katkaisemista.", - "Disconnect anyway": "Katkaise yhteys silti", "No recent messages by %(user)s found": "Käyttäjän %(user)s kirjoittamia viimeaikaisia viestejä ei löytynyt", "Try scrolling up in the timeline to see if there are any earlier ones.": "Kokeile vierittää aikajanaa ylöspäin nähdäksesi, löytyykö aiempia viestejä.", "Remove recent messages by %(user)s": "Poista käyttäjän %(user)s viimeaikaiset viestit", @@ -433,43 +315,16 @@ "one": "Poista yksi viesti" }, "Remove recent messages": "Poista viimeaikaiset viestit", - "Italics": "Kursivoitu", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Kutsu huoneeseen %(roomName)s lähetettiin osoitteeseen %(email)s, joka ei ole yhteydessä tiliisi", - "Error changing power level requirement": "Virhe muutettaessa oikeustasovaatimusta", - "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Huoneen oikeustasovaatimuksia muutettaessa tapahtui virhe. Varmista, että sinulla on riittävät oikeudet ja yritä uudelleen.", - "Error changing power level": "Virhe muutettaessa oikeustasoa", - "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Käyttäjän oikeustasoa muutettaessa tapahtui virhe. Varmista, että sinulla on riittävät oikeudet ja yritä uudelleen.", "For a large amount of messages, this might take some time. Please don't refresh your client in the meantime.": "Suuren viestimäärän tapauksessa toiminto voi kestää jonkin aikaa. Älä lataa asiakasohjelmaasi uudelleen sillä aikaa.", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Aseta identiteettipalvelin asetuksissa saadaksesi kutsuja suoraan %(brand)sissa.", - "Share this email in Settings to receive invites directly in %(brand)s.": "Jaa tämä sähköposti asetuksissa saadaksesi kutsuja suoraan %(brand)sissa.", - "Explore rooms": "Selaa huoneita", - "Unable to revoke sharing for phone number": "Puhelinnumeron jakamista ei voi kumota", "Deactivate user?": "Poista käyttäjä pysyvästi?", "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?": "Käyttäjän poistaminen kirjaa hänet ulos ja estää häntä kirjautumasta takaisin sisään. Lisäksi hän poistuu kaikista huoneista, joissa hän on. Tätä toimintoa ei voi kumota. Oletko varma, että haluat pysyvästi poistaa tämän käyttäjän?", "Deactivate user": "Poista käyttäjä pysyvästi", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Linkitä tämä sähköposti tilisi kanssa asetuksissa, jotta voit saada kutsuja suoraan %(brand)sissa.", "e.g. my-room": "esim. oma-huone", "Show image": "Näytä kuva", "Close dialog": "Sulje dialogi", - "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ä.", - "You should:": "Sinun tulisi:", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "tarkistaa, että selaimen lisäosat (kuten Privacy Badger) eivät estä identiteettipalvelinta", - "contact the administrators of identity server ": "ottaa yhteyttä identiteettipalvelimen ylläpitäjiin", - "wait and try again later": "odottaa ja yrittää uudelleen myöhemmin", - "Room %(name)s": "Huone %(name)s", "Cancel search": "Peruuta haku", - "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", - "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", - "Manage integrations": "Integraatioiden hallinta", - "Discovery": "Käyttäjien etsintä", - "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.", - "Discovery options will appear once you have added a phone number above.": "Etsinnän asetukset näkyvät sen jälkeen, kun olet lisännyt puhelinnumeron.", "Failed to connect to integration manager": "Yhdistäminen integraatioiden lähteeseen epäonnistui", "This client does not support end-to-end encryption.": "Tämä asiakasohjelma ei tue päästä päähän -salausta.", "Messages in this room are not end-to-end encrypted.": "Tämän huoneen viestit eivät ole päästä päähän -salattuja.", @@ -493,9 +348,6 @@ "Invalid base_url for m.homeserver": "Epäkelpo base_url palvelimelle m.homeserver", "Invalid base_url for m.identity_server": "Epäkelpo base_url palvelimelle m.identity_server", "Unencrypted": "Suojaamaton", - "Close preview": "Sulje esikatselu", - " wants to chat": " haluaa keskustella", - "Start chatting": "Aloita keskustelu", "Hide verified sessions": "Piilota varmennetut istunnot", "%(count)s verified sessions": { "other": "%(count)s varmennettua istuntoa", @@ -508,15 +360,12 @@ "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.": "Tämä yleensä vaikuttaa siihen, miten huonetta käsitellään palvelimella. Jos sinulla on ongelmia %(brand)stisi kanssa, ilmoita virheestä.", "You'll upgrade this room from to .": "Olat päivittämässä tätä huonetta versiosta versioon .", "Country Dropdown": "Maapudotusvalikko", - "Unable to set up secret storage": "Salavaraston käyttöönotto epäonnistui", "Show more": "Näytä lisää", "Recent Conversations": "Viimeaikaiset keskustelut", "Direct Messages": "Yksityisviestit", "Lock": "Lukko", - "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", - "Upgrade your encryption": "Päivitä salauksesi", "Someone is using an unknown session": "Joku käyttää tuntematonta istuntoa", "%(count)s sessions": { "other": "%(count)s istuntoa", @@ -527,7 +376,6 @@ "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Kaikkien tämän istunnon tietojen poistaminen on pysyvää. Salatut viestit menetetään, ellei niiden avaimia ole varmuuskopioitu.", "Session name": "Istunnon nimi", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Raportoidaksesi Matrixiin liittyvän tietoturvaongelman, lue Matrix.orgin tietoturvaongelmien julkaisukäytäntö.", - "This room is bridging messages to the following platforms. Learn more.": "Tämä huone siltaa viestejä seuraaville alustoille. Lue lisää.", "Accepting…": "Hyväksytään…", "One of the following may be compromised:": "Jokin seuraavista saattaa olla vaarantunut:", "Your homeserver": "Kotipalvelimesi", @@ -537,7 +385,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.", - "Enter your account password to confirm the upgrade:": "Syötä tilisi salasana vahvistaaksesi päivityksen:", "Not Trusted": "Ei luotettu", "Ask this user to verify their session, or manually verify it below.": "Pyydä tätä käyttäjää vahvistamaan istuntonsa, tai vahvista se manuaalisesti alla.", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) kirjautui uudella istunnolla varmentamatta sitä:", @@ -581,7 +428,6 @@ "Everyone in this room is verified": "Kaikki tämän huoneen käyttäjät on varmennettu", "Encrypted by an unverified session": "Salattu varmentamattoman istunnon toimesta", "Encrypted by a deleted session": "Salattu poistetun istunnon toimesta", - "Reject & Ignore user": "Hylkää ja sivuuta käyttäjä", "Start Verification": "Aloita varmennus", "Your messages are secured and only you and the recipient have the unique keys to unlock them.": "Viestisi ovat turvattu, ja vain sinulla ja vastaanottajalla on avaimet viestien lukemiseen.", "In encrypted rooms, your messages are secured and only you and the recipient have the unique keys to unlock them.": "Salausta käyttävissä huoneissa viestisi on turvattu, ja vain sinulla ja vastaanottajilla on yksityiset avaimet viestien lukemiseen.", @@ -628,10 +474,8 @@ "Error removing address": "Virhe osoitetta poistettaessa", "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 theme": "Vaihda teemaa", "Looks good!": "Hyvältä näyttää!", - "Room options": "Huoneen asetukset", "This room is public": "Tämä huone on julkinen", "Video conference started by %(senderName)s": "%(senderName)s aloitti ryhmävideopuhelun", "Video conference updated by %(senderName)s": "%(senderName)s päivitti ryhmävideopuhelun", @@ -804,9 +648,6 @@ "a device cross-signing signature": "laitteen ristiinvarmennuksen allekirjoitus", "a new cross-signing key signature": "Uusi ristiinvarmennuksen allekirjoitus", "Backup version:": "Varmuuskopiointiversio:", - "Hide Widgets": "Piilota sovelmat", - "Show Widgets": "Näytä sovelmat", - "Explore public rooms": "Selaa julkisia huoneita", "Server Options": "Palvelinasetukset", "Information": "Tiedot", "Zimbabwe": "Zimbabwe", @@ -921,19 +762,15 @@ "You can only pin up to %(count)s widgets": { "other": "Voit kiinnittää enintään %(count)s sovelmaa" }, - "Use a different passphrase?": "Käytä eri salalausetta?", "This widget would like to:": "Tämä sovelma haluaa:", "The server has denied your request.": "Palvelin eväsi pyyntösi.", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Huomio: jos et lisää sähköpostia ja unohdat salasanasi, saatat menettää pääsyn tiliisi pysyvästi.", - "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Palvelimesi ylläpitäjä on poistanut päästä päähän -salauksen oletuksena käytöstä yksityisissä huoneissa ja yksityisviesteissä.", "A connection error occurred while trying to contact the server.": "Yhteysvirhe yritettäessä ottaa yhteyttä palvelimeen.", "Continuing without email": "Jatka ilman sähköpostia", "Invite by email": "Kutsu sähköpostilla", - "Confirm Security Phrase": "Vahvista turvalause", "Confirm encryption setup": "Vahvista salauksen asetukset", "Confirm account deactivation": "Vahvista tilin deaktivointi", "a key signature": "avaimen allekirjoitus", - "Create key backup": "Luo avaimen varmuuskopio", "Reason (optional)": "Syy (valinnainen)", "Security Phrase": "Turvalause", "Security Key": "Turva-avain", @@ -943,18 +780,10 @@ "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.", "Approve widget permissions": "Hyväksy sovelman käyttöoikeudet", - "Enter a Security Phrase": "Kirjoita turvalause", - "Set a Security Phrase": "Aseta turvalause", - "Unable to query secret storage status": "Salaisen tallennustilan tilaa ei voi kysellä", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Jos peruutat nyt, voit menettää salattuja viestejä ja tietoja, jos menetät pääsyn kirjautumistietoihisi.", - "You can also set up Secure Backup & manage your keys in Settings.": "Voit myös ottaa käyttöön suojatun varmuuskopioinnin ja hallita avaimia asetuksista.", - "Save your Security Key": "Tallenna turva-avain", - "This session is encrypting history using the new recovery method.": "Tämä istunto salaa historiansa käyttäen uutta palautustapaa.", "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.": "", "A call can only be transferred to a single user.": "Puhelun voi siirtää vain yhdelle käyttäjälle.", "Open dial pad": "Avaa näppäimistö", "Dial pad": "Näppäimistö", - "Recently visited rooms": "Hiljattain vieraillut huoneet", "Recent changes that have not yet been received": "Tuoreet muutokset, joita ei ole vielä otettu vastaan", " invites you": " kutsuu sinut", "You may want to try a different search or check for typos.": "Kokeile eri hakua tai tarkista haku kirjoitusvirheiden varalta.", @@ -972,8 +801,6 @@ "Invite to %(roomName)s": "Kutsu huoneeseen %(roomName)s", "Create a new room": "Luo uusi huone", "Edit devices": "Muokkaa laitteita", - "Suggested Rooms": "Ehdotetut huoneet", - "Add existing room": "Lisää olemassa oleva huone", "Your message was sent": "Viestisi lähetettiin", "Search names and descriptions": "Etsi nimistä ja kuvauksista", "You can select all or individual messages to retry or delete": "Voit valita kaikki tai yksittäisiä viestejä yritettäväksi uudelleen tai poistettavaksi", @@ -1009,15 +836,7 @@ "No microphone found": "Mikrofonia ei löytynyt", "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ä.", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "%(brand)s-instanssisi ei salli sinun käyttävän integraatioiden lähdettä tämän tekemiseen. Ota yhteys ylläpitäjääsi.", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Integraatioiden lähteet vastaanottavat asetusdataa ja voivat muokata sovelmia, lähettää kutsuja huoneeseen ja asettaa oikeustasoja puolestasi.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Käytä integraatioiden lähdettä bottien, sovelmien ja tarrapakettien hallintaan.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Käytä integraatioiden lähdettä (%(serverName)s) bottien, sovelmien ja tarrapakettien hallintaan.", - "Identity server (%(server)s)": "Identiteettipalvelin (%(server)s)", - "Could not connect to identity server": "Identiteettipalvelimeen ei saatu yhteyttä", - "Not a valid identity server (status code %(code)s)": "Identiteettipalvelin ei ole kelvollinen (tilakoodi %(code)s)", - "Identity server URL must be HTTPS": "Identiteettipalvelimen URL-osoitteen täytyy olla HTTPS-alkuinen", "Rooms and spaces": "Huoneet ja avaruudet", "Unable to copy a link to the room to the clipboard.": "Huoneen linkin kopiointi leikepöydälle ei onnistu.", "Unable to copy room link": "Huoneen linkin kopiointi ei onnistu", @@ -1030,8 +849,6 @@ "Sent": "Lähetetty", "Server did not require any authentication": "Palvelin ei vaatinut mitään tunnistautumista", "Only people invited will be able to find and join this space.": "Vain kutsutut ihmiset voivat löytää tämän avaruuden ja liittyä siihen.", - "Public space": "Julkinen avaruus", - "Public room": "Julkinen huone", "Including %(commaSeparatedMembers)s": "Mukaan lukien %(commaSeparatedMembers)s", "Error processing audio message": "Virhe ääniviestiä käsiteltäessä", "Decrypting": "Puretaan salausta", @@ -1046,21 +863,16 @@ "Nothing pinned, yet": "Ei mitään kiinnitetty, ei vielä", "Stop recording": "Pysäytä nauhoittaminen", "Send voice message": "Lähetä ääniviesti", - "Invite to this space": "Kutsu tähän avaruuteen", - "Unknown failure": "Tuntematon virhe", - "Space information": "Avaruuden tiedot", "Space visibility": "Avaruuden näkyvyys", "Are you sure you want to leave the space '%(spaceName)s'?": "Haluatko varmasti poistua avaruudesta '%(spaceName)s'?", "Leave space": "Poistu avaruudesta", "Would you like to leave the rooms in this space?": "Haluatko poistua tässä avaruudessa olevista huoneista?", "You are about to leave .": "Olet aikeissa poistua avaruudesta .", "Leave %(spaceName)s": "Poistu avaruudesta %(spaceName)s", - "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.", "Anyone will be able to find and join this space, not just members of .": "Kuka tahansa voi löytää tämän avaruuden ja liittyä siihen, ei pelkästään avaruuden jäsenet.", "Anyone in will be able to find and join.": "Kuka tahansa avaruudessa voi löytää ja liittyä.", - "Private space": "Yksityinen avaruus", "Private space (invite only)": "Yksityinen avaruus (vain kutsulla)", "Select spaces": "Valitse avaruudet", "Want to add a new space instead?": "Haluatko lisätä sen sijaan uuden avaruuden?", @@ -1069,10 +881,8 @@ "Search for rooms": "Etsi huoneita", "Search for spaces": "Etsi avaruuksia", "To join a space you'll need an invite.": "Liittyäksesi avaruuteen tarvitset kutsun.", - "Address": "Osoite", "Create a new space": "Luo uusi avaruus", "Create a space": "Luo avaruus", - "I'll verify later": "Vahvistan myöhemmin", "Skip verification for now": "Ohita vahvistus toistaiseksi", "Results": "Tulokset", "You won't be able to rejoin unless you are re-invited.": "Et voi liittyä uudelleen, ellei sinua kutsuta uudelleen.", @@ -1094,16 +904,10 @@ "Ban from %(roomName)s": "Anna porttikielto huoneeseen %(roomName)s", "Unban from %(roomName)s": "Poista porttikielto huoneeseen %(roomName)s", "Export chat": "Vie keskustelu", - "Insert link": "Lisää linkki", - "Show %(count)s other previews": { - "one": "Näytä %(count)s muu esikatselu", - "other": "Näytä %(count)s muuta esikatselua" - }, "%(count)s reply": { "one": "%(count)s vastaus", "other": "%(count)s vastausta" }, - "Failed to update the join rules": "Liittymissääntöjen päivittäminen epäonnistui", "Experimental": "Kokeellinen", "Themes": "Teemat", "Files": "Tiedostot", @@ -1121,8 +925,6 @@ "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.": "Et voi perua tätä muutosta, koska olet alentamassa itseäsi. Jos olet viimeinen oikeutettu henkilö tässä avaruudessa, oikeuksia ei voi enää saada takaisin.", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Aseta osoitteita tälle avaruudelle, jotta käyttäjät löytävät tämän avaruuden kotipalvelimeltasi (%(localDomain)s)", "This space has no local addresses": "Tällä avaruudella ei ole paikallista osoitetta", - "%(spaceName)s menu": "%(spaceName)s-valikko", - "Invite to space": "Kutsu avaruuteen", "%(spaceName)s and %(count)s others": { "one": "%(spaceName)s ja %(count)s muu", "other": "%(spaceName)s ja %(count)s muuta" @@ -1137,9 +939,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.": "Haluatko varmasti päättää tämän kyselyn? Päättäminen näyttää lopulliset tulokset ja estää äänestämisen.", "End Poll": "Päätä kysely", "Sorry, the poll did not end. Please try again.": "Valitettavasti kysely ei päättynyt. Yritä uudelleen.", - "You won't get any notifications": "Et saa ilmoituksia", - "Get notified only with mentions and keywords as set up in your settings": "Vastaanota ilmoitukset maininnoista ja asiasanoista asetuksissa määrittämälläsi tavalla", - "@mentions & keywords": "@maininnat & asiasanat", "Forget": "Unohda", "Location": "Sijainti", "%(count)s votes": { @@ -1170,19 +969,6 @@ "Yours, or the other users' internet connection": "Sinun tai toisen osapuolen internet-yhteys", "To publish an address, it needs to be set as a local address first.": "Osoitteen julkaisemiseksi se täytyy ensin asettaa paikalliseksi osoitteeksi.", "Published addresses can be used by anyone on any server to join your room.": "Julkaistujen osoitteiden avulla kuka tahansa millä tahansa palvelimella voi liittyä huoneeseesi.", - "You were removed from %(roomName)s by %(memberName)s": "%(memberName)s poisti sinut huoneesta %(roomName)s", - "Currently joining %(count)s rooms": { - "one": "Liitytään parhaillaan %(count)s huoneeseen", - "other": "Liitytään parhaillaan %(count)s huoneeseen" - }, - "Join public room": "Liity julkiseen huoneeseen", - "Start new chat": "Aloita uusi keskustelu", - "Message didn't send. Click for info.": "Viestiä ei lähetetty. Lisätietoa napsauttamalla.", - "Poll": "Kysely", - "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", - "Get notified for every message": "Vastaanota ilmoitus joka viestistä", "In reply to this message": "Vastauksena tähän viestiin", "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.", @@ -1195,8 +981,6 @@ "Close this widget to view it in this panel": "Sulje sovelma näyttääksesi sen tässä paneelissa", "Unpin this widget to view it in this panel": "Poista sovelman kiinnitys näyttääksesi sen tässä paneelissa", "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ää.", "Recent searches": "Viimeaikaiset haut", "Other searches": "Muut haut", "Public rooms": "Julkiset huoneet", @@ -1210,21 +994,8 @@ "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)", "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ä?", - "This invite was sent to %(email)s": "Tämä kutsu lähetettiin osoitteeseen %(email)s", - "You were banned by %(memberName)s": "%(memberName)s antoi sinulle porttikiellon", - "You were removed by %(memberName)s": "%(memberName)s poisti sinut", - "Loading preview": "Ladataan esikatselua", - "Currently removing messages in %(count)s rooms": { - "one": "Poistetaan parhaillaan viestejä yhdessä huoneessa", - "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.", "%(space1Name)s and %(space2Name)s": "%(space1Name)s ja %(space2Name)s", - "Your new device is now verified. Other users will see it as trusted.": "Uusi laitteesi on nyt vahvistettu. Muut käyttäjät näkevät sen luotettuna.", - "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Uusi laitteesi on nyt vahvistettu. Laitteella on pääsy salattuihin viesteihisi, ja muut käyttäjät näkevät sen luotettuna.", - "Verify with another device": "Vahvista toisella laitteella", "Device verified": "Laite vahvistettu", "Verify this device": "Vahvista tämä laite", "Unable to verify this device": "Tätä laitetta ei voitu vahvistaa", @@ -1247,8 +1018,6 @@ "one": "1 osallistuja", "other": "%(count)s osallistujaa" }, - "New video room": "Uusi videohuone", - "New room": "Uusi huone", "You don't have permission to do this": "Sinulla ei ole lupaa tehdä tätä", "Failed to end poll": "Kyselyn päättäminen epäonnistui", "Hide my messages from new joiners": "Piilota viestini uusilta liittyjiltä", @@ -1262,20 +1031,7 @@ "Call declined": "Puhelu hylätty", "Ban from room": "Anna porttikielto huoneeseen", "Unban from room": "Poista porttikielto huoneeseen", - "Joining…": "Liitytään…", - "To view %(roomName)s, you need an invite": "Huoneen %(roomName)s katseluun tarvitaan kutsu", - "You can still join here.": "Voit edelleen liittyä tänne.", - "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.": "Kutsusi validointiyritys palautti virheen (%(errcode)s). Voit koettaa välittää tämän tiedon ihmiselle, joka kutsui sinut.", - "Something went wrong with your invite.": "Kutsussasi meni jotain vikaan.", - "Private room": "Yksityinen huone", - "Video room": "Videohuone", - "Read receipts": "Lukukuittaukset", - "Seen by %(count)s people": { - "one": "Nähnyt yksi ihminen", - "other": "Nähnyt %(count)s ihmistä" - }, "%(members)s and %(last)s": "%(members)s ja %(last)s", - "Your password was successfully changed.": "Salasanasi vaihtaminen onnistui.", "Developer": "Kehittäjä", "Close sidebar": "Sulje sivupalkki", "Updated %(humanizedUpdateTime)s": "Päivitetty %(humanizedUpdateTime)s", @@ -1294,31 +1050,20 @@ "Pinned": "Kiinnitetty", "Set my room layout for everyone": "Aseta minun huoneen asettelu kaikille", "Open thread": "Avaa ketju", - "This room or space does not exist.": "Tätä huonetta tai avaruutta ei ole olemassa.", - "Forget this space": "Unohda tämä avaruus", "Recently viewed": "Äskettäin katsottu", "%(members)s and more": "%(members)s ja enemmän", "Copy link to thread": "Kopioi linkki ketjuun", "From a thread": "Ketjusta", - "Deactivating your account is a permanent action — be careful!": "Tilin deaktivointi on peruuttamaton toiminto — ole varovainen!", "Messaging": "Viestintä", - "Confirm your Security Phrase": "Vahvista turvalause", - "Enter your Security Phrase a second time to confirm it.": "Kirjoita turvalause toistamiseen vahvistaaksesi sen.", - "Great! This Security Phrase looks strong enough.": "Hienoa! Tämä turvalause vaikuttaa riittävän vahvalta.", - "Verify with Security Key or Phrase": "Vahvista turva-avaimella tai turvalauseella", "Enter Security Phrase": "Kirjoita turvalause", "Incorrect Security Phrase": "Virheellinen turvalause", "Enter your Security Phrase or to continue.": "Kirjoita turvalause tai jatkaaksesi.", - "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Talleta turva-avaimesi turvalliseen paikkaan, kuten salasanojen hallintasovellukseen tai kassakaappiin, sillä sitä käytetään salaamasi datan suojaamiseen.", - "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Luomme sinulle turva-vaimen talletettavaksi jonnekin turvalliseen paikkaan, kuten salasanojen hallintasovellukseen tai kassakaappiin.", - "Generate a Security Key": "Luo turva-avain", "Not a valid Security Key": "Ei kelvollinen turva-avain", "This looks like a valid Security Key!": "Tämä vaikuttaa kelvolliselta turva-avaimelta!", "Enter Security Key": "Anna turva-avain", "Use your Security Key to continue.": "Käytä turva-avain jatkaaksesi.", "Invalid Security Key": "Virheellinen turva-avain", "Wrong Security Key": "Väärä turva-avain", - "Verify with Security Key": "Vahvista turva-avaimella", "To proceed, please accept the verification request on your other device.": "Jatka hyväksymällä vahvistuspyyntö toisella laitteella.", "Confirm your account deactivation by using Single Sign On to prove your identity.": "Vahvista tilin deaktivointi todistamalla henkilöllisyytesi kertakirjautumista käyttäen.", "Thread options": "Ketjun valinnat", @@ -1341,9 +1086,7 @@ "Show: %(instance)s rooms (%(server)s)": "Näytä: %(instance)s-huoneet (%(server)s)", "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ä.", "Moderation": "Moderointi", - "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s tai %(copyButton)s", "Waiting for device to sign in": "Odotetaan laitteen sisäänkirjautumista", "Review and approve the sign in": "Katselmoi ja hyväksy sisäänkirjautuminen", "Devices connected": "Yhdistetyt laitteet", @@ -1370,16 +1113,7 @@ "Video call ended": "Videopuhelu päättyi", "%(name)s started a video call": "%(name)s aloitti videopuhelun", "Room info": "Huoneen tiedot", - "Join the room to participate": "Liity huoneeseen osallistuaksesi", - "View chat timeline": "Näytä keskustelun aikajana", - "Close call": "Lopeta puhelu", - "Video call (%(brand)s)": "Videopuhelu (%(brand)s)", - "Video call (Jitsi)": "Videopuhelu (Jitsi)", - "You do not have sufficient permissions to change this.": "Oikeutesi eivät riitä tämän muuttamiseen.", - "Get notifications as set up in your settings": "Vastaanota ilmoitukset asetuksissa määrittämälläsi tavalla", "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", "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.", @@ -1389,35 +1123,20 @@ "Error downloading image": "Virhe kuvaa ladatessa", "Unable to show image due to error": "Kuvan näyttäminen epäonnistui virheen vuoksi", "Saved Items": "Tallennetut kohteet", - "Show formatting": "Näytä muotoilu", - "Hide formatting": "Piilota muotoilu", - "Call type": "Puhelun tyyppi", - "Connection": "Yhteys", - "Voice processing": "Äänenkäsittely", - "Video settings": "Videoasetukset", - "Automatically adjust the microphone volume": "Säädä mikrofonin äänenvoimakkuutta automaattisesti", - "Voice settings": "Ääniasetukset", "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ä", "Sign in new device": "Kirjaa sisään uusi laite", "Drop a Pin": "Sijoita karttaneula", - "%(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", "Confirm new password": "Vahvista uusi salasana", "WARNING: ": "VAROITUS: ", "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", "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.", "Unread email icon": "Lukemattoman sähköpostin kuvake", "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", - "Enable %(brand)s as an additional calling option in this room": "Ota %(brand)s käyttöön puheluiden lisävaihtoehtona tässä huoneessa", "View List": "Näytä luettelo", "View list": "Näytä luettelo", "Interactively verify by emoji": "Vahvista vuorovaikutteisesti emojilla", @@ -1427,7 +1146,6 @@ " in %(room)s": " huoneessa %(room)s", "unknown": "tuntematon", "Starting export process…": "Käynnistetään vientitoimenpide…", - "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.", "Connecting…": "Yhdistetään…", "Fetching keys from server…": "Noudetaan avaimia palvelimelta…", "Checking…": "Tarkistetaan…", @@ -1462,16 +1180,8 @@ "Ignore %(user)s": "Sivuuta %(user)s", "Poll history": "Kyselyhistoria", "Edit link": "Muokkaa linkkiä", - "Rejecting invite…": "Hylätään kutsua…", - "Joining room…": "Liitytään huoneeseen…", - "Formatting": "Muotoilu", - "You do not have permission to invite users": "Sinulla ei ole lupaa kutsua käyttäjiä", - "Error changing password": "Virhe salasanan vaihtamisessa", - "Unknown password change error (%(stringifiedError)s)": "Tuntematon salasananvaihtovirhe (%(stringifiedError)s)", "Requires your server to support the stable version of MSC3827": "Edellyttää palvelimesi tukevan MSC3827:n vakaata versiota", - "Set a new account password…": "Aseta uusi tilin salasana…", "Encrypting your message…": "Salataan viestiäsi…", - "Joining space…": "Liitytään avaruuteen…", "Sending your message…": "Lähetetään viestiäsi…", "Error details": "Virheen tiedot", "common": { @@ -1579,7 +1289,18 @@ "saving": "Tallennetaan…", "profile": "Profiili", "display_name": "Näyttönimi", - "user_avatar": "Profiilikuva" + "user_avatar": "Profiilikuva", + "authentication": "Tunnistautuminen", + "public_room": "Julkinen huone", + "video_room": "Videohuone", + "public_space": "Julkinen avaruus", + "private_space": "Yksityinen avaruus", + "private_room": "Yksityinen huone", + "rooms": "Huoneet", + "low_priority": "Matala prioriteetti", + "historical": "Vanhat", + "go_to_settings": "Siirry asetuksiin", + "setup_secure_messages": "Ota käyttöön salatut viestit" }, "action": { "continue": "Jatka", @@ -1684,7 +1405,16 @@ "unban": "Poista porttikielto", "click_to_copy": "Kopioi napsauttamalla", "hide_advanced": "Piilota lisäasetukset", - "show_advanced": "Näytä lisäasetukset" + "show_advanced": "Näytä lisäasetukset", + "unignore": "Huomioi käyttäjä jälleen", + "start_new_chat": "Aloita uusi keskustelu", + "invite_to_space": "Kutsu avaruuteen", + "add_people": "Lisää ihmisiä", + "explore_rooms": "Selaa huoneita", + "new_room": "Uusi huone", + "new_video_room": "Uusi videohuone", + "add_existing_room": "Lisää olemassa oleva huone", + "explore_public_rooms": "Selaa julkisia huoneita" }, "a11y": { "user_menu": "Käyttäjän valikko", @@ -1697,7 +1427,8 @@ "one": "Yksi lukematon viesti." }, "unread_messages": "Lukemattomat viestit.", - "jump_first_invite": "Siirry ensimmäiseen kutsuun." + "jump_first_invite": "Siirry ensimmäiseen kutsuun.", + "room_name": "Huone %(name)s" }, "labs": { "video_rooms": "Videohuoneet", @@ -1861,7 +1592,22 @@ "space_a11y": "Avaruuksien automaattinen täydennys", "user_description": "Käyttäjät", "user_a11y": "Käyttäjien automaattinen täydennys" - } + }, + "room_upgraded_link": "Keskustelu jatkuu täällä.", + "room_upgraded_notice": "Tämä huone on korvattu, eikä se ole enää aktiivinen.", + "no_perms_notice": "Sinulla ei ole oikeutta kirjoittaa tässä huoneessa", + "send_button_voice_message": "Lähetä ääniviesti", + "close_sticker_picker": "Piilota tarrat", + "voice_message_button": "Ääniviesti", + "poll_button_no_perms_title": "Lisäoikeuksia tarvitaan", + "poll_button_no_perms_description": "Sinulla ei ole oikeutta aloittaa kyselyitä tässä huoneessa.", + "poll_button": "Kysely", + "mode_plain": "Piilota muotoilu", + "mode_rich_text": "Näytä muotoilu", + "formatting_toolbar_label": "Muotoilu", + "format_italics": "Kursivoitu", + "format_insert_link": "Lisää linkki", + "replying_title": "Vastataan" }, "Link": "Linkki", "Code": "Koodi", @@ -2072,7 +1818,19 @@ "allow_p2p_description": "Kun käytössä, toinen osapuoli voi mahdollisesti nähdä IP-osoitteesi", "auto_gain_control": "Automaattinen vahvistuksen säätö", "echo_cancellation": "Kaiunpoisto", - "noise_suppression": "Kohinanvaimennus" + "noise_suppression": "Kohinanvaimennus", + "missing_permissions_prompt": "Mediaoikeuksia puuttuu. Napsauta painikkeesta pyytääksesi oikeuksia.", + "request_permissions": "Pyydä mediaoikeuksia", + "audio_output": "Äänen ulostulo", + "audio_output_empty": "Äänen ulostuloja ei havaittu", + "audio_input_empty": "Mikrofonia ei löytynyt", + "video_input_empty": "Kameroita ei löytynyt", + "title": "Ääni ja video", + "voice_section": "Ääniasetukset", + "voice_agc": "Säädä mikrofonin äänenvoimakkuutta automaattisesti", + "video_section": "Videoasetukset", + "voice_processing": "Äänenkäsittely", + "connection_section": "Yhteys" }, "send_read_receipts_unsupported": "Palvelimesi ei tue lukukuittausten lähettämisen poistamista käytöstä.", "security": { @@ -2139,7 +1897,11 @@ "key_backup_connect": "Yhdistä tämä istunto avainten varmuuskopiointiin", "key_backup_complete": "Kaikki avaimet on varmuuskopioitu", "key_backup_algorithm": "Algoritmi:", - "key_backup_inactive_warning": "Avaimiasi ei varmuuskopioida tästä istunnosta." + "key_backup_inactive_warning": "Avaimiasi ei varmuuskopioida tästä istunnosta.", + "key_backup_active_version_none": "Ei mitään", + "ignore_users_empty": "Et ole sivuuttanut käyttäjiä.", + "ignore_users_section": "Sivuutetut käyttäjät", + "e2ee_default_disabled_warning": "Palvelimesi ylläpitäjä on poistanut päästä päähän -salauksen oletuksena käytöstä yksityisissä huoneissa ja yksityisviesteissä." }, "preferences": { "room_list_heading": "Huoneluettelo", @@ -2267,7 +2029,44 @@ "add_msisdn_dialog_title": "Lisää puhelinnumero", "name_placeholder": "Ei näyttönimeä", "error_saving_profile_title": "Profiilisi tallentaminen ei onnistunut", - "error_saving_profile": "Toimintoa ei voitu tehdä loppuun asti" + "error_saving_profile": "Toimintoa ei voitu tehdä loppuun asti", + "error_password_change_unknown": "Tuntematon salasananvaihtovirhe (%(stringifiedError)s)", + "error_password_change_403": "Salasanan vaihtaminen epäonnistui. Onko salasanasi oikein?", + "error_password_change_title": "Virhe salasanan vaihtamisessa", + "password_change_success": "Salasanasi vaihtaminen onnistui.", + "emails_heading": "Sähköpostiosoitteet", + "msisdns_heading": "Puhelinnumerot", + "password_change_section": "Aseta uusi tilin salasana…", + "discovery_needs_terms": "Hyväksy identiteettipalvelimen (%(serverName)s) käyttöehdot, jotta sinut voi löytää sähköpostiosoitteen tai puhelinnumeron perusteella.", + "deactivate_section": "Poista tili pysyvästi", + "account_management_section": "Tilin hallinta", + "deactivate_warning": "Tilin deaktivointi on peruuttamaton toiminto — ole varovainen!", + "discovery_section": "Käyttäjien etsintä", + "error_revoke_email_discovery": "Sähköpostiosoitteen jakamista ei voi perua", + "error_share_email_discovery": "Sähköpostiosoitetta ei voi jakaa", + "email_not_verified": "Sähköpostiosoitettasi ei ole vielä varmistettu", + "email_verification_instructions": "Napsauta lähettämässämme sähköpostissa olevaa linkkiä vahvistaaksesi tunnuksesi. Napsauta sen jälkeen tällä sivulla olevaa painiketta ”Jatka”.", + "error_email_verification": "Sähköpostin vahvistaminen epäonnistui.", + "discovery_email_verification_instructions": "Varmista sähköpostiisi saapunut linkki", + "discovery_email_empty": "Etsinnän asetukset näkyvät sen jälkeen, kun olet lisännyt sähköpostin.", + "error_revoke_msisdn_discovery": "Puhelinnumeron jakamista ei voi kumota", + "error_share_msisdn_discovery": "Puhelinnumeroa ei voi jakaa", + "error_msisdn_verification": "Puhelinnumeron vahvistaminen epäonnistui.", + "incorrect_msisdn_verification": "Virheellinen varmennuskoodi", + "msisdn_verification_instructions": "Syötä tekstiviestillä saamasi varmennuskoodi.", + "msisdn_verification_field_label": "Varmennuskoodi", + "discovery_msisdn_empty": "Etsinnän asetukset näkyvät sen jälkeen, kun olet lisännyt puhelinnumeron.", + "error_set_name": "Näyttönimen asettaminen epäonnistui", + "error_remove_3pid": "Yhteystietojen poistaminen epäonnistui", + "remove_email_prompt": "Poista %(email)s?", + "error_invalid_email": "Virheellinen sähköpostiosoite", + "error_invalid_email_detail": "Tämä ei vaikuta olevan kelvollinen sähköpostiosoite", + "error_add_email": "Sähköpostiosoitteen lisääminen epäonnistui", + "add_email_instructions": "Lähetimme sinulle sähköpostin osoitteesi vahvistamiseksi. Noudata sähköpostissa olevia ohjeita, ja napsauta sen jälkeen alla olevaa painiketta.", + "email_address_label": "Sähköpostiosoite", + "remove_msisdn_prompt": "Poista %(phone)s?", + "add_msisdn_instructions": "Tekstiviesti on lähetetty numeroon +%(msisdn)s. Syötä siinä oleva varmistuskoodi.", + "msisdn_label": "Puhelinnumero" }, "sidebar": { "title": "Sivupalkki", @@ -2280,6 +2079,48 @@ "metaspaces_orphans_description": "Ryhmitä kaikki huoneesi, jotka eivät ole osa avaruutta, yhteen paikkaan.", "metaspaces_home_all_rooms_description": "Näytä kaikki huoneesi etusivulla, vaikka ne olisivat jossain muussa avaruudessa.", "metaspaces_home_all_rooms": "Näytä kaikki huoneet" + }, + "key_backup": { + "backup_in_progress": "Avaimiasi varmuuskopioidaan (ensimmäinen varmuuskopio voi viedä muutaman minuutin).", + "backup_success": "Onnistui!", + "create_title": "Luo avaimen varmuuskopio", + "cannot_create_backup": "Avaimen varmuuskopiota ei voi luoda", + "setup_secure_backup": { + "generate_security_key_title": "Luo turva-avain", + "generate_security_key_description": "Luomme sinulle turva-vaimen talletettavaksi jonnekin turvalliseen paikkaan, kuten salasanojen hallintasovellukseen tai kassakaappiin.", + "enter_phrase_title": "Kirjoita turvalause", + "description": "Suojaudu salattuihin viesteihin ja tietoihin pääsyn menettämiseltä varmuuskopioimalla salausavaimesi palvelimellesi.", + "requires_password_confirmation": "Syötä tilisi salasana vahvistaaksesi päivityksen:", + "phrase_strong_enough": "Hienoa! Tämä turvalause vaikuttaa riittävän vahvalta.", + "pass_phrase_match_success": "Täsmää!", + "use_different_passphrase": "Käytä eri salalausetta?", + "pass_phrase_match_failed": "Ei täsmää.", + "set_phrase_again": "Palaa asettamaan se uudelleen.", + "enter_phrase_to_confirm": "Kirjoita turvalause toistamiseen vahvistaaksesi sen.", + "confirm_security_phrase": "Vahvista turvalause", + "security_key_safety_reminder": "Talleta turva-avaimesi turvalliseen paikkaan, kuten salasanojen hallintasovellukseen tai kassakaappiin, sillä sitä käytetään salaamasi datan suojaamiseen.", + "download_or_copy": "%(downloadButton)s tai %(copyButton)s", + "secret_storage_query_failure": "Salaisen tallennustilan tilaa ei voi kysellä", + "cancel_warning": "Jos peruutat nyt, voit menettää salattuja viestejä ja tietoja, jos menetät pääsyn kirjautumistietoihisi.", + "settings_reminder": "Voit myös ottaa käyttöön suojatun varmuuskopioinnin ja hallita avaimia asetuksista.", + "title_upgrade_encryption": "Päivitä salauksesi", + "title_set_phrase": "Aseta turvalause", + "title_confirm_phrase": "Vahvista turvalause", + "title_save_key": "Tallenna turva-avain", + "unable_to_setup": "Salavaraston käyttöönotto epäonnistui" + } + }, + "key_export_import": { + "export_title": "Vie huoneen avaimet", + "export_description_1": "Tämä prosessi mahdollistaa salatuissa huoneissa vastaanottamiesi viestien salausavainten viemisen tiedostoon. Voit myöhemmin tuoda ne toiseen Matrix-asiakasohjelmaan, jolloin myös se voi purkaa viestit.", + "enter_passphrase": "Syötä salalause", + "confirm_passphrase": "Varmista salasana", + "phrase_cannot_be_empty": "Salasana ei saa olla tyhjä", + "phrase_must_match": "Salasanojen on täsmättävä", + "import_title": "Tuo huoneen avaimet", + "import_description_1": "Tämä prosessi mahdollistaa aiemmin tallennettujen salausavainten tuominen toiseen Matrix-asiakasohjelmaan. Tämän jälkeen voit purkaa kaikki salatut viestit jotka toinen asiakasohjelma pystyisi purkamaan.", + "import_description_2": "Viety tiedosto suojataan salasanalla. Syötä salasana tähän purkaaksesi tiedoston salauksen.", + "file_to_import": "Tuotava tiedosto" } }, "devtools": { @@ -2720,7 +2561,19 @@ "external_url": "Lähdeosoite", "collapse_reply_thread": "Supista vastausketju", "report": "Ilmoita" - } + }, + "url_preview": { + "show_n_more": { + "one": "Näytä %(count)s muu esikatselu", + "other": "Näytä %(count)s muuta esikatselua" + }, + "close": "Sulje esikatselu" + }, + "read_receipt_title": { + "one": "Nähnyt yksi ihminen", + "other": "Nähnyt %(count)s ihmistä" + }, + "read_receipts_label": "Lukukuittaukset" }, "slash_command": { "spoiler": "Lähettää annetun viestin spoilerina", @@ -2971,7 +2824,14 @@ "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", - "add_privileged_user_filter_placeholder": "Etsi käyttäjiä tästä huoneesta…" + "add_privileged_user_filter_placeholder": "Etsi käyttäjiä tästä huoneesta…", + "error_unbanning": "Porttikiellon poistaminen epäonnistui", + "banned_by": "%(displayName)s antoi porttikiellon", + "ban_reason": "Syy", + "error_changing_pl_reqs_title": "Virhe muutettaessa oikeustasovaatimusta", + "error_changing_pl_reqs_description": "Huoneen oikeustasovaatimuksia muutettaessa tapahtui virhe. Varmista, että sinulla on riittävät oikeudet ja yritä uudelleen.", + "error_changing_pl_title": "Virhe muutettaessa oikeustasoa", + "error_changing_pl_description": "Käyttäjän oikeustasoa muutettaessa tapahtui virhe. Varmista, että sinulla on riittävät oikeudet ja yritä uudelleen." }, "security": { "strict_encryption": "Älä lähetä salattuja viestejä vahvistamattomiin istuntoihin tässä huoneessa tässä istunnossa", @@ -3023,7 +2883,9 @@ "join_rule_upgrade_updating_spaces": { "one": "Päivitetään avaruutta...", "other": "Päivitetään avaruuksia... (%(progress)s/%(count)s)" - } + }, + "error_join_rule_change_title": "Liittymissääntöjen päivittäminen epäonnistui", + "error_join_rule_change_unknown": "Tuntematon virhe" }, "general": { "publish_toggle": "Julkaise tämä huone verkkotunnuksen %(domain)s huoneluettelossa?", @@ -3037,7 +2899,9 @@ "error_save_space_settings": "Avaruuden asetusten tallentaminen epäonnistui.", "description_space": "Muokkaa avaruuteesi liittyviä asetuksia.", "save": "Tallenna muutokset", - "leave_space": "Poistu avaruudesta" + "leave_space": "Poistu avaruudesta", + "aliases_section": "Huoneen osoitteet", + "other_section": "Muut" }, "advanced": { "unfederated": "Tähän huoneeseen ei pääse ulkopuolisilta Matrix-palvelimilta", @@ -3047,7 +2911,9 @@ "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:" + "room_version": "Huoneen versio:", + "information_section_space": "Avaruuden tiedot", + "information_section_room": "Huoneen tiedot" }, "delete_avatar_label": "Poista avatar", "upload_avatar_label": "Lähetä profiilikuva", @@ -3061,11 +2927,31 @@ "history_visibility_anyone_space": "Esikatsele avaruutta", "history_visibility_anyone_space_description": "Salli ihmisten esikatsella avaruuttasi ennen liittymistä.", "history_visibility_anyone_space_recommendation": "Suositeltu julkisiin avaruuksiin.", - "guest_access_label": "Ota käyttöön vieraiden pääsy" + "guest_access_label": "Ota käyttöön vieraiden pääsy", + "alias_section": "Osoite" }, "access": { "title": "Pääsy", "description_space": "Päätä ketkä voivat katsella avaruutta %(spaceName)s ja liittyä siihen." + }, + "bridges": { + "description": "Tämä huone siltaa viestejä seuraaville alustoille. Lue lisää.", + "empty": "Tämä huone ei siltaa viestejä millekään alustalle. Lue lisää.", + "title": "Sillat" + }, + "notifications": { + "uploaded_sound": "Asetettu ääni", + "settings_link": "Vastaanota ilmoitukset asetuksissa määrittämälläsi tavalla", + "sounds_section": "Äänet", + "notification_sound": "Ilmoitusääni", + "custom_sound_prompt": "Aseta uusi mukautettu ääni", + "browse_button": "Selaa" + }, + "voip": { + "enable_element_call_label": "Ota %(brand)s käyttöön puheluiden lisävaihtoehtona tässä huoneessa", + "enable_element_call_caption": "%(brand)s on päästä päähän salattu, mutta on tällä hetkellä rajattu pienelle määrälle käyttäjiä.", + "enable_element_call_no_permissions_tooltip": "Oikeutesi eivät riitä tämän muuttamiseen.", + "call_type_section": "Puhelun tyyppi" } }, "encryption": { @@ -3099,7 +2985,13 @@ "unverified_session_toast_accept": "Kyllä, se olin minä", "request_toast_detail": "%(deviceId)s osoitteesta %(ip)s", "request_toast_decline_counter": "Sivuuta (%(counter)s)", - "request_toast_accept": "Vahvista istunto" + "request_toast_accept": "Vahvista istunto", + "verify_using_key_or_phrase": "Vahvista turva-avaimella tai turvalauseella", + "verify_using_key": "Vahvista turva-avaimella", + "verify_using_device": "Vahvista toisella laitteella", + "verification_success_with_backup": "Uusi laitteesi on nyt vahvistettu. Laitteella on pääsy salattuihin viesteihisi, ja muut käyttäjät näkevät sen luotettuna.", + "verification_success_without_backup": "Uusi laitteesi on nyt vahvistettu. Muut käyttäjät näkevät sen luotettuna.", + "verify_later": "Vahvistan myöhemmin" }, "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.", @@ -3120,7 +3012,16 @@ "cross_signing_ready_no_backup": "Ristiinvarmennus on valmis, mutta avaimia ei ole varmuuskopioitu.", "cross_signing_untrusted": "Tililläsi on ristiinvarmennuksen identiteetti salaisessa tallennustilassa, mutta tämä istunto ei vielä luota siihen.", "cross_signing_not_ready": "Ristiinvarmennusta ei ole asennettu.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Uusi palautustapa", + "description_2": "Tämä istunto salaa historiansa käyttäen uutta palautustapaa.", + "warning": "Jos et ottanut käyttöön uutta palautustapaa, hyökkääjä saattaa yrittää käyttää tiliäsi. Vaihda tilisi salasana ja aseta uusi palautustapa asetuksissa välittömästi." + }, + "recovery_method_removed": { + "title": "Palautustapa poistettu", + "warning": "Jos et poistanut palautustapaa, hyökkääjä saattaa yrittää käyttää tiliäsi. Vaihda tilisi salasana ja aseta uusi palautustapa asetuksissa välittömästi." + } }, "emoji": { "category_frequently_used": "Usein käytetyt", @@ -3292,7 +3193,10 @@ "autodiscovery_unexpected_error_hs": "Odottamaton virhe selvitettäessä kotipalvelimen asetuksia", "autodiscovery_unexpected_error_is": "Odottamaton virhe selvitettäessä identiteettipalvelimen asetuksia", "incorrect_credentials_detail": "Huomaa että olet kirjautumassa palvelimelle %(hs)s, etkä palvelimelle matrix.org.", - "create_account_title": "Luo tili" + "create_account_title": "Luo tili", + "failed_soft_logout_homeserver": "Uudelleenautentikointi epäonnistui kotipalvelinongelmasta johtuen", + "soft_logout_subheading": "Poista henkilökohtaiset tiedot", + "forgot_password_send_email": "Lähetä sähköpostia" }, "room_list": { "sort_unread_first": "Näytä ensimmäisenä huoneet, joissa on lukemattomia viestejä", @@ -3308,7 +3212,23 @@ "show_less": "Näytä vähemmän", "notification_options": "Ilmoitusasetukset", "failed_remove_tag": "Tagin %(tagName)s poistaminen huoneesta epäonnistui", - "failed_add_tag": "Tagin %(tagName)s lisääminen huoneeseen epäonnistui" + "failed_add_tag": "Tagin %(tagName)s lisääminen huoneeseen epäonnistui", + "breadcrumbs_label": "Hiljattain vieraillut huoneet", + "breadcrumbs_empty": "Ei hiljattain vierailtuja huoneita", + "add_room_label": "Lisää huone", + "suggested_rooms_heading": "Ehdotetut huoneet", + "add_space_label": "Lisää avaruus", + "join_public_room_label": "Liity julkiseen huoneeseen", + "joining_rooms_status": { + "one": "Liitytään parhaillaan %(count)s huoneeseen", + "other": "Liitytään parhaillaan %(count)s huoneeseen" + }, + "redacting_messages_status": { + "one": "Poistetaan parhaillaan viestejä yhdessä huoneessa", + "other": "Poistetaan parhaillaan viestejä %(count)s huoneesta" + }, + "space_menu_label": "%(spaceName)s-valikko", + "home_menu_label": "Etusivun valinnat" }, "report_content": { "missing_reason": "Kerro miksi teet ilmoitusta.", @@ -3520,7 +3440,8 @@ "search_children": "Etsi %(spaceName)s", "invite_link": "Jaa kutsulinkki", "invite": "Kutsu ihmisiä", - "invite_description": "Kutsu sähköpostiosoitteella tai käyttäjänimellä" + "invite_description": "Kutsu sähköpostiosoitteella tai käyttäjänimellä", + "invite_this_space": "Kutsu tähän avaruuteen" }, "location_sharing": { "MapStyleUrlNotConfigured": "Tätä kotipalvelinta ei ole säädetty näyttämään karttoja.", @@ -3569,7 +3490,8 @@ "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" + "lists_new_label": "Huonetunnus tai -osoite on estolistalla", + "rules_empty": "Ei mitään" }, "create_space": { "name_required": "Anna nimi avaruudelle", @@ -3663,8 +3585,68 @@ "low_priority": "Matala prioriteetti", "forget": "Unohda huone", "mark_read": "Merkitse luetuksi", - "notifications_mute": "Mykistä huone" - } + "notifications_mute": "Mykistä huone", + "title": "Huoneen asetukset" + }, + "invite_this_room": "Kutsu käyttäjiä", + "header": { + "video_call_button_jitsi": "Videopuhelu (Jitsi)", + "video_call_button_ec": "Videopuhelu (%(brand)s)", + "video_call_ec_layout_freedom": "Vapaus", + "video_call_ec_layout_spotlight": "Valokeila", + "video_call_ec_change_layout": "Vaihda asettelua", + "forget_room_button": "Unohda huone", + "hide_widgets_button": "Piilota sovelmat", + "show_widgets_button": "Näytä sovelmat", + "close_call_button": "Lopeta puhelu", + "video_room_view_chat_button": "Näytä keskustelun aikajana" + }, + "joining_space": "Liitytään avaruuteen…", + "joining_room": "Liitytään huoneeseen…", + "joining": "Liitytään…", + "rejecting": "Hylätään kutsua…", + "join_title": "Liity huoneeseen osallistuaksesi", + "join_title_account": "Liity keskusteluun tilin avulla", + "join_button_account": "Rekisteröidy", + "loading_preview": "Ladataan esikatselua", + "kicked_from_room_by": "%(memberName)s poisti sinut huoneesta %(roomName)s", + "kicked_by": "%(memberName)s poisti sinut", + "kick_reason": "Syy: %(reason)s", + "forget_space": "Unohda tämä avaruus", + "forget_room": "Unohda tämä huone", + "rejoin_button": "Liity uudelleen", + "banned_from_room_by": "%(memberName)s antoi sinulle porttikiellon huoneeseen %(roomName)s", + "banned_by": "%(memberName)s antoi sinulle porttikiellon", + "3pid_invite_error_title_room": "Jotain meni vikaan kutsussasi huoneeseen %(roomName)s", + "3pid_invite_error_title": "Kutsussasi meni jotain vikaan.", + "3pid_invite_error_description": "Kutsusi validointiyritys palautti virheen (%(errcode)s). Voit koettaa välittää tämän tiedon ihmiselle, joka kutsui sinut.", + "3pid_invite_error_invite_subtitle": "Voit liittyä siihen vain toimivalla kutsulla.", + "3pid_invite_error_invite_action": "Yritä silti liittyä", + "3pid_invite_error_public_subtitle": "Voit edelleen liittyä tänne.", + "join_the_discussion": "Liity keskusteluun", + "3pid_invite_email_not_found_account_room": "Kutsu huoneeseen %(roomName)s lähetettiin osoitteeseen %(email)s, joka ei ole yhteydessä tiliisi", + "3pid_invite_email_not_found_account": "Tämä kutsu lähetettiin sähköpostiosoitteeseen %(email)s, joka ei ole yhteydessä tiliisi", + "link_email_to_receive_3pid_invite": "Linkitä tämä sähköposti tilisi kanssa asetuksissa, jotta voit saada kutsuja suoraan %(brand)sissa.", + "invite_sent_to_email_room": "Tämä kutsu huoneeseen %(roomName)s lähetettiin sähköpostiosoitteeseen %(email)s", + "invite_sent_to_email": "Tämä kutsu lähetettiin osoitteeseen %(email)s", + "3pid_invite_no_is_subtitle": "Aseta identiteettipalvelin asetuksissa saadaksesi kutsuja suoraan %(brand)sissa.", + "invite_email_mismatch_suggestion": "Jaa tämä sähköposti asetuksissa saadaksesi kutsuja suoraan %(brand)sissa.", + "dm_invite_title": "Haluatko keskustella käyttäjän %(user)s kanssa?", + "dm_invite_subtitle": " haluaa keskustella", + "dm_invite_action": "Aloita keskustelu", + "invite_title": "Haluatko liittyä huoneeseen %(roomName)s?", + "invite_subtitle": " kutsui sinut", + "invite_reject_ignore": "Hylkää ja sivuuta käyttäjä", + "peek_join_prompt": "Esikatselet huonetta %(roomName)s. Haluatko liittyä siihen?", + "no_peek_join_prompt": "Huonetta %(roomName)s ei voi esikatsella. Haluatko liittyä siihen?", + "no_peek_no_name_join_prompt": "Esikatselua ei ole. Haluaisitko liittyä?", + "not_found_title_name": "Huonetta %(roomName)s ei ole olemassa.", + "not_found_title": "Tätä huonetta tai avaruutta ei ole olemassa.", + "not_found_subtitle": "Oletko varma, että olet oikeassa paikassa?", + "inaccessible_name": "%(roomName)s ei ole saatavilla tällä hetkellä.", + "inaccessible": "Tämä huone tai avaruus ei ole käytettävissä juuri tällä hetkellä.", + "join_failed_needs_invite": "Huoneen %(roomName)s katseluun tarvitaan kutsu", + "join_failed_enable_video_rooms": "Liittyäksesi ota videohuoneet käyttöön laboratorion kautta" }, "file_panel": { "guest_note": "Sinun pitää rekisteröityä käyttääksesi tätä toiminnallisuutta", @@ -3810,7 +3792,14 @@ "keyword_new": "Uusi avainsana", "class_global": "Yleiset", "class_other": "Muut", - "mentions_keywords": "Maininnat ja avainsanat" + "mentions_keywords": "Maininnat ja avainsanat", + "default": "Oletus", + "all_messages": "Kaikki viestit", + "all_messages_description": "Vastaanota ilmoitus joka viestistä", + "mentions_and_keywords": "@maininnat & asiasanat", + "mentions_and_keywords_description": "Vastaanota ilmoitukset maininnoista ja asiasanoista asetuksissa määrittämälläsi tavalla", + "mute_description": "Et saa ilmoituksia", + "message_didnt_send": "Viestiä ei lähetetty. Lisätietoa napsauttamalla." }, "mobile_guide": { "toast_title": "Parempi kokemus sovelluksella", @@ -3834,6 +3823,44 @@ "a11y_jump_first_unread_room": "Siirry ensimmäiseen lukemattomaan huoneeseen.", "integration_manager": { "error_connecting_heading": "Integraatioiden lähteeseen yhdistäminen epäonnistui", - "error_connecting": "Integraatioiden lähde on poissa verkosta, tai siihen ei voida yhdistää kotipalvelimeltasi." + "error_connecting": "Integraatioiden lähde on poissa verkosta, tai siihen ei voida yhdistää kotipalvelimeltasi.", + "use_im_default": "Käytä integraatioiden lähdettä (%(serverName)s) bottien, sovelmien ja tarrapakettien hallintaan.", + "use_im": "Käytä integraatioiden lähdettä bottien, sovelmien ja tarrapakettien hallintaan.", + "manage_title": "Integraatioiden hallinta", + "explainer": "Integraatioiden lähteet vastaanottavat asetusdataa ja voivat muokata sovelmia, lähettää kutsuja huoneeseen ja asettaa oikeustasoja puolestasi." + }, + "identity_server": { + "url_not_https": "Identiteettipalvelimen URL-osoitteen täytyy olla HTTPS-alkuinen", + "error_invalid": "Identiteettipalvelin ei ole kelvollinen (tilakoodi %(code)s)", + "error_connection": "Identiteettipalvelimeen ei saatu yhteyttä", + "checking": "Tarkistetaan palvelinta", + "change": "Vaihda identiteettipalvelinta", + "change_prompt": "Katkaise yhteys identiteettipalvelimeen ja yhdistä sen sijaan identiteettipalvelimeen ?", + "error_invalid_or_terms": "Käyttöehtoja ei ole hyväksytty tai identiteettipalvelin ei ole kelvollinen.", + "no_terms": "Valitsemallasi identiteettipalvelimella ei ole käyttöehtoja.", + "disconnect": "Katkaise yhteys identiteettipalvelimeen", + "disconnect_server": "Katkaise yhteys identiteettipalvelimeen ?", + "disconnect_offline_warning": "Suosittelemme poistamaan henkilökohtaiset tietosi identiteettipalvelimelta ennen yhteyden katkaisemista. Valitettavasti identiteettipalvelin on parhaillaan poissa verkosta tai siihen ei saada yhteyttä.", + "suggestions": "Sinun tulisi:", + "suggestions_1": "tarkistaa, että selaimen lisäosat (kuten Privacy Badger) eivät estä identiteettipalvelinta", + "suggestions_2": "ottaa yhteyttä identiteettipalvelimen ylläpitäjiin", + "suggestions_3": "odottaa ja yrittää uudelleen myöhemmin", + "disconnect_anyway": "Katkaise yhteys silti", + "disconnect_personal_data_warning_1": "Jaat edelleen henkilökohtaisia tietojasi identiteettipalvelimella .", + "disconnect_personal_data_warning_2": "Suosittelemme, että poistat sähköpostiosoitteesi ja puhelinnumerosi identiteettipalvelimelta ennen yhteyden katkaisemista.", + "url": "Identiteettipalvelin (%(server)s)", + "description_connected": "Käytät palvelinta tuntemiesi henkilöiden löytämiseen ja löydetyksi tulemiseen. Voit vaihtaa identiteettipalvelintasi alla.", + "change_server_prompt": "Ellet halua käyttää palvelinta löytääksesi tuntemiasi ihmisiä ja tullaksesi löydetyksi, syötä toinen identiteettipalvelin alle.", + "description_disconnected": "Et käytä tällä hetkellä identiteettipalvelinta. Lisää identiteettipalvelin alle löytääksesi tuntemiasi henkilöitä ja tullaksesi löydetyksi.", + "disconnect_warning": "Yhteyden katkaiseminen identiteettipalvelimeesi tarkoittaa, että muut käyttäjät eivät löydä sinua etkä voi kutsua muita sähköpostin tai puhelinnumeron perusteella.", + "description_optional": "Identiteettipalvelimen käyttäminen on valinnaista. Jos päätät olla käyttämättä identiteettipalvelinta, muut käyttäjät eivät löydä sinua etkä voi kutsua muita sähköpostin tai puhelinnumeron perusteella.", + "do_not_use": "Älä käytä identiteettipalvelinta", + "url_field_label": "Syötä uusi identiteettipalvelin" + }, + "member_list": { + "invite_button_no_perms_tooltip": "Sinulla ei ole lupaa kutsua käyttäjiä", + "invited_list_heading": "Kutsuttu", + "filter_placeholder": "Suodata huoneen jäseniä", + "power_label": "%(userName)s (oikeustaso %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/fr.json b/src/i18n/strings/fr.json index 312e47e955..d2d3d586e9 100644 --- a/src/i18n/strings/fr.json +++ b/src/i18n/strings/fr.json @@ -1,7 +1,6 @@ { "Download %(text)s": "Télécharger %(text)s", "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 forget room %(errCode)s": "Échec de l’oubli du salon %(errCode)s", "%(items)s and %(lastItem)s": "%(items)s et %(lastItem)s", "and %(count)s others...": { @@ -11,51 +10,32 @@ "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 ?", - "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", "Failed to mute user": "Échec de la mise en sourdine de l’utilisateur", "Failed to reject invite": "Échec du rejet de l’invitation", "Failed to reject invitation": "Échec du rejet de l’invitation", - "Failed to set display name": "Échec de l’enregistrement du nom d’affichage", - "Authentication": "Authentification", "An error has occurred.": "Une erreur est survenue.", - "Failed to unban": "Échec de la révocation du bannissement", - "Filter room members": "Filtrer les membres du salon", - "Forget room": "Oublier le salon", - "Historical": "Historique", - "Incorrect verification code": "Code de vérification incorrect", - "Invalid Email Address": "Adresse e-mail non valide", - "Invited": "Invités", "Join Room": "Rejoindre le salon", - "Low priority": "Priorité basse", "Moderator": "Modérateur", "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", - "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", "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.", - "Reason": "Raison", "Reject invitation": "Rejeter l’invitation", "Return to login screen": "Retourner à l’écran de connexion", - "Rooms": "Salons", "Search failed": "Échec de la recherche", "Server may be unavailable, overloaded, or search timed out :(": "Le serveur semble être inaccessible, surchargé ou la recherche a expiré :(", "Session ID": "Identifiant de session", "This room has no local addresses": "Ce salon n’a pas d’adresse locale", - "This doesn't appear to be a valid email address": "Cette adresse e-mail ne semble pas valide", "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", - "Unable to remove contact information": "Impossible de supprimer les informations du contact", - "Unable to verify email address.": "Impossible de vérifier l’adresse e-mail.", "Verification Pending": "Vérification en attente", "Warning!": "Attention !", - "You do not have permission to post to this room": "Vous n’avez pas la permission de poster dans ce salon", "You seem to be in a call, are you sure you want to quit?": "Vous semblez avoir un appel en cours, voulez-vous vraiment partir ?", "You seem to be uploading files, are you sure you want to quit?": "Vous semblez être en train d’envoyer des fichiers, voulez-vous vraiment partir ?", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Vous ne pourrez pas annuler cette modification car vous promouvez l’utilisateur au même rang que le vôtre.", @@ -83,16 +63,6 @@ "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", "Connectivity to the server has been lost.": "La connexion au serveur a été perdue.", "Sent messages will be stored until your connection has returned.": "Les messages envoyés seront stockés jusqu’à ce que votre connexion revienne.", - "Passphrases must match": "Les phrases secrètes doivent être identiques", - "Passphrase must not be empty": "Le mot de passe ne peut pas être vide", - "Export room keys": "Exporter les clés de salon", - "Enter passphrase": "Saisir le mot de passe", - "Confirm passphrase": "Confirmer le mot de passe", - "Import room keys": "Importer les clés de salon", - "File to import": "Fichier à importer", - "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.", "Confirm Removal": "Confirmer la suppression", "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.", @@ -101,8 +71,6 @@ "Add an Integration": "Ajouter une intégration", "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 ?", - "No Microphones detected": "Aucun micro détecté", - "No Webcams detected": "Aucune caméra détectée", "Are you sure you want to leave the room '%(roomName)s'?": "Voulez-vous vraiment quitter le salon « %(roomName)s » ?", "Custom level": "Rang personnalisé", "Uploading %(filename)s": "Envoi de %(filename)s", @@ -111,21 +79,16 @@ "other": "Envoi de %(filename)s et %(count)s autres" }, "Create new room": "Créer un nouveau salon", - "%(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.", "(~%(count)s results)": { "one": "(~%(count)s résultat)", "other": "(~%(count)s résultats)" }, "Home": "Accueil", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (rang %(powerLevelNumber)s)", "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.", "AM": "AM", "PM": "PM", - "Unignore": "Ne plus ignorer", "Admin Tools": "Outils d’administration", "Unnamed room": "Salon sans nom", - "Banned by %(displayName)s": "Banni par %(displayName)s", "Jump to read receipt": "Aller à l’accusé de lecture", "Delete Widget": "Supprimer le widget", "And %(count)s more...": { @@ -140,7 +103,6 @@ "collapse": "réduire", "Send": "Envoyer", "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", "This room is not public. You will not be able to rejoin without an invite.": "Ce salon n’est pas public. Vous ne pourrez pas y revenir sans invitation.", "In reply to ": "En réponse à ", @@ -156,10 +118,8 @@ "Search…": "Rechercher…", "Saturday": "Samedi", "Monday": "Lundi", - "Invite to this room": "Inviter dans ce salon", "Wednesday": "Mercredi", "You cannot delete this message. (%(code)s)": "Vous ne pouvez pas supprimer ce message. (%(code)s)", - "All messages": "Tous les messages", "All Rooms": "Tous les salons", "Thursday": "Jeudi", "Yesterday": "Hier", @@ -172,8 +132,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.", - "No Audio Outputs detected": "Aucune sortie audio détectée", - "Audio Output": "Sortie audio", "Share Link to User": "Partager le lien vers l’utilisateur", "Share room": "Partager le salon", "Share Room": "Partager le salon", @@ -185,7 +143,6 @@ "Demote yourself?": "Vous rétrograder ?", "Demote": "Rétrograder", "This event could not be displayed": "Cet évènement n’a pas pu être affiché", - "Permission Required": "Autorisation requise", "Only room administrators will see this warning": "Seuls les administrateurs du salon verront cet avertissement", "Upgrade Room Version": "Mettre à niveau la version du salon", "Create a new room with the same name, description and avatar": "Créer un salon avec le même nom, la même description et le même avatar", @@ -194,8 +151,6 @@ "Put a link back to the old room at the start of the new room so people can see old messages": "Fournir un lien vers l’ancien salon au début du nouveau salon pour qu’il soit possible de consulter les anciens messages", "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.": "Votre message n’a pas été envoyé car le serveur d’accueil a atteint sa limite mensuelle d’utilisateurs. Veuillez contacter l’administrateur de votre service pour continuer à l’utiliser.", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Votre message n’a pas été envoyé car ce serveur d’accueil a dépassé une de ses limites de ressources. Veuillez contacter l’administrateur de votre service pour continuer à l’utiliser.", - "This room has been replaced and is no longer active.": "Ce salon a été remplacé et n’est plus actif.", - "The conversation continues here.": "La discussion continue ici.", "Failed to upgrade room": "Échec de la mise à niveau du salon", "The room upgrade could not be completed": "La mise à niveau du salon n’a pas pu être effectuée", "Upgrade this room to version %(version)s": "Mettre à niveau ce salon vers la version %(version)s", @@ -210,10 +165,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": "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é", - "That matches!": "Ça correspond !", - "That doesn't match.": "Ça ne correspond pas.", - "Go back to set it again.": "Retournez en arrière pour la redéfinir.", - "Unable to create key backup": "Impossible de créer la sauvegarde des clés", "Unable to load backup status": "Impossible de récupérer l’état de la sauvegarde", "Unable to restore backup": "Impossible de restaurer la sauvegarde", "No backup found!": "Aucune sauvegarde n’a été trouvée !", @@ -222,29 +173,11 @@ "Set up": "Configurer", "Invalid identity server discovery response": "Réponse non valide lors de la découverte du serveur d'identité", "General failure": "Erreur générale", - "New Recovery Method": "Nouvelle méthode de récupération", - "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.": "Si vous n’avez pas activé de nouvelle méthode de récupération, un attaquant essaye peut-être d’accéder à votre compte. Changez immédiatement le mot de passe de votre compte et configurez une nouvelle méthode de récupération dans les paramètres.", - "Set up Secure Messages": "Configurer les messages sécurisés", - "Go to Settings": "Aller aux paramètres", "Unable to load commit detail: %(msg)s": "Impossible de charger les détails de l’envoi : %(msg)s", "The following users may not exist": "Les utilisateurs suivants pourraient ne pas exister", "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", - "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", - "Unable to verify phone number.": "Impossible de vérifier le numéro de téléphone.", - "Verification code": "Code de vérification", - "Phone Number": "Numéro de téléphone", - "Room information": "Information du salon", - "Room Addresses": "Adresses du salon", - "Email addresses": "Adresses e-mail", - "Phone numbers": "Numéros de téléphone", - "Account management": "Gestion du compte", - "Ignored users": "Utilisateurs ignorés", - "Missing media permissions, click the button below to request.": "Permissions multimédia manquantes, cliquez sur le bouton ci-dessous pour la demander.", - "Request media permissions": "Demander les permissions multimédia", - "Voice & Video": "Audio et vidéo", "Main address": "Adresse principale", "Room avatar": "Avatar du salon", "Room Name": "Nom du salon", @@ -253,8 +186,6 @@ "Incoming Verification Request": "Demande de vérification entrante", "Email (optional)": "E-mail (facultatif)", "Join millions for free on the largest public server": "Rejoignez des millions d’utilisateurs gratuitement sur le plus grand serveur public", - "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.", "Dog": "Chien", "Cat": "Chat", "Lion": "Lion", @@ -327,8 +258,6 @@ "You'll lose access to your encrypted messages": "Vous perdrez l’accès à vos messages chiffrés", "Are you sure you want to sign out?": "Voulez-vous vraiment vous déconnecter ?", "Warning: you should only set up key backup from a trusted computer.": "Attention : vous ne devriez configurer la sauvegarde des clés que depuis un ordinateur de confiance.", - "Your keys are being backed up (the first backup could take a few minutes).": "Vous clés sont en cours de sauvegarde (la première sauvegarde peut prendre quelques minutes).", - "Success!": "Terminé !", "Scissors": "Ciseaux", "Error updating main address": "Erreur lors de la mise à jour de l’adresse principale", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Une erreur est survenue lors de la mise à jour de l’adresse principale de salon. Ce n’est peut-être pas autorisé par le serveur ou une erreur temporaire est survenue.", @@ -359,21 +288,6 @@ }, "Cancel All": "Tout annuler", "Upload Error": "Erreur d’envoi", - "Join the conversation with an account": "Rejoindre la conversation avec un compte", - "Sign Up": "S’inscrire", - "Reason: %(reason)s": "Motif : %(reason)s", - "Forget this room": "Oublier ce salon", - "Re-join": "Revenir", - "You were banned from %(roomName)s by %(memberName)s": "Vous avez été banni de %(roomName)s par %(memberName)s", - "Something went wrong with your invite to %(roomName)s": "Une erreur est survenue avec votre invitation à %(roomName)s", - "You can only join it with a working invite.": "Vous ne pouvez le rejoindre qu’avec une invitation fonctionnelle.", - "Join the discussion": "Rejoindre la discussion", - "Try to join anyway": "Essayer de le rejoindre quand même", - "Do you want to chat with %(user)s?": "Voulez-vous discuter avec %(user)s ?", - "Do you want to join %(roomName)s?": "Voulez-vous rejoindre %(roomName)s ?", - " invited you": " vous a invité", - "You're previewing %(roomName)s. Want to join it?": "Ceci est un aperçu de %(roomName)s. Voulez-vous rejoindre le salon ?", - "%(roomName)s can't be previewed. Do you want to join it?": "Vous ne pouvez pas avoir d’aperçu de %(roomName)s. Voulez-vous rejoindre le salon ?", "This room has already been upgraded.": "Ce salon a déjà été mis à niveau.", "edited": "modifié", "Some characters not allowed": "Certains caractères ne sont pas autorisés", @@ -382,13 +296,7 @@ "Homeserver URL does not appear to be a valid Matrix homeserver": "L’URL du serveur d’accueil ne semble pas être un serveur d’accueil Matrix valide", "Invalid base_url for m.identity_server": "base_url pour m.identity_server non valide", "Identity server URL does not appear to be a valid identity server": "L’URL du serveur d’identité ne semble pas être un serveur d’identité valide", - "Add room": "Ajouter un salon", "Edit message": "Modifier le message", - "Uploaded sound": "Son téléchargé", - "Sounds": "Sons", - "Notification sound": "Son de notification", - "Set a new custom sound": "Définir un nouveau son personnalisé", - "Browse": "Parcourir", "Upload all": "Tout envoyer", "Edited at %(date)s. Click to view edits.": "Modifié le %(date)s. Cliquer pour voir les modifications.", "Message edits": "Modifications du message", @@ -397,57 +305,16 @@ "Your homeserver doesn't seem to support this feature.": "Il semble que votre serveur d’accueil ne prenne pas en charge cette fonctionnalité.", "Clear all data": "Supprimer toutes les données", "Removing…": "Suppression…", - "Failed to re-authenticate due to a homeserver problem": "Échec de la ré-authentification à cause d’un problème du serveur d’accueil", - "Clear personal data": "Supprimer les données personnelles", "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", - "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", - "Unable to share email address": "Impossible de partager l’adresse e-mail", - "Discovery options will appear once you have added an email above.": "Les options de découverte apparaîtront quand vous aurez ajouté une adresse e-mail ci-dessus.", - "Unable to revoke sharing for phone number": "Impossible de révoquer le partage pour le numéro de téléphone", - "Unable to share phone number": "Impossible de partager le numéro de téléphone", - "Please enter verification code sent via text.": "Veuillez saisir le code de vérification envoyé par SMS.", - "Discovery options will appear once you have added a phone number above.": "Les options de découverte apparaîtront quand vous aurez ajouté un numéro de téléphone ci-dessus.", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Un SMS a été envoyé à +%(msisdn)s. Saisissez le code de vérification qu’il contient.", "Command Help": "Aide aux commandes", - "Checking server": "Vérification du serveur", - "Disconnect from the identity server ?": "Se déconnecter du serveur d’identité  ?", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Vous utilisez actuellement pour découvrir et être découvert par des contacts existants que vous connaissez. Vous pouvez changer votre serveur d’identité ci-dessous.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Vous n’utilisez actuellement aucun serveur d’identité. Pour découvrir et être découvert par les contacts existants que vous connaissez, ajoutez-en un ci-dessous.", - "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.": "La déconnexion de votre serveur d’identité signifie que vous ne serez plus découvrable par d’autres utilisateurs et que vous ne pourrez plus faire d’invitation par e-mail ou téléphone.", - "The identity server you have chosen does not have any terms of service.": "Le serveur d’identité que vous avez choisi n’a pas de conditions de service.", - "Terms of service not accepted or the identity server is invalid.": "Les conditions de services n’ont pas été acceptées ou le serveur d’identité n’est pas valide.", - "Enter a new identity server": "Saisissez un nouveau serveur d’identité", - "Remove %(email)s?": "Supprimer %(email)s ?", - "Remove %(phone)s?": "Supprimer %(phone)s ?", - "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Acceptez les conditions de service du serveur d’identité (%(serverName)s) pour vous permettre d’être découvrable par votre adresse e-mail ou votre numéro de téléphone.", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Si vous ne voulez pas utiliser pour découvrir et être découvrable par les contacts que vous connaissez, saisissez un autre serveur d’identité ci-dessous.", - "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.": "L’utilisation d’un serveur d’identité est optionnelle. Si vous ne choisissez pas d’utiliser un serveur d’identité, les autres utilisateurs ne pourront pas vous découvrir et vous ne pourrez pas en inviter par e-mail ou par téléphone.", - "Do not use an identity server": "Ne pas utiliser de serveur d’identité", "Use an identity server to invite by email. Use the default (%(defaultIdentityServerName)s) or manage in Settings.": "Utilisez un serveur d’identité pour inviter avec un e-mail. Utilisez le serveur par défaut (%(defaultIdentityServerName)s) ou gérez-le dans les Paramètres.", "Use an identity server to invite by email. Manage in Settings.": "Utilisez un serveur d’identité pour inviter par e-mail. Gérez-le dans les Paramètres.", "Deactivate user?": "Désactiver l’utilisateur ?", "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?": "Désactiver cet utilisateur le déconnectera et l’empêchera de se reconnecter. De plus, il quittera tous les salons qu’il a rejoints. Cette action ne peut pas être annulée. Voulez-vous vraiment désactiver cet utilisateur ?", "Deactivate user": "Désactiver l’utilisateur", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Cette invitation à %(roomName)s a été envoyée à %(email)s qui n’est pas associé à votre compte", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Liez cet e-mail à votre compte dans les paramètres pour recevoir les invitations directement dans %(brand)s.", - "This invite to %(roomName)s was sent to %(email)s": "Cette invitation à %(roomName)s a été envoyée à %(email)s", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Utilisez un serveur d’identité dans les paramètres pour recevoir une invitation directement dans %(brand)s.", - "Share this email in Settings to receive invites directly in %(brand)s.": "Partagez cet e-mail dans les paramètres pour recevoir les invitations directement dans %(brand)s.", - "Error changing power level": "Erreur de changement de rang", - "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Une erreur est survenue lors du changement de rang de l’utilisateur. Vérifiez que vous avez les permissions nécessaires et réessayez.", - "Italics": "Italique", - "Change identity server": "Changer le serveur d’identité", - "Disconnect from the identity server and connect to instead?": "Se déconnecter du serveur d’identité et se connecter à à la place ?", - "Disconnect identity server": "Se déconnecter du serveur d’identité", - "You are still sharing your personal data on the identity server .": "Vous partagez toujours vos données personnelles sur le serveur d’identité .", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Nous recommandons que vous supprimiez vos adresses e-mail et vos numéros de téléphone du serveur d’identité avant de vous déconnecter.", - "Disconnect anyway": "Se déconnecter quand même", - "Error changing power level requirement": "Erreur de changement du critère de rang", - "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Une erreur est survenue lors de la modification des critères de rang du salon. Vérifiez que vous avez les permissions nécessaires et réessayez.", "No recent messages by %(user)s found": "Aucun message récent de %(user)s n’a été trouvé", "Try scrolling up in the timeline to see if there are any earlier ones.": "Essayez de faire défiler le fil de discussion vers le haut pour voir s’il y en a de plus anciens.", "Remove recent messages by %(user)s": "Supprimer les messages récents de %(user)s", @@ -457,23 +324,13 @@ "one": "Supprimer 1 message" }, "Remove recent messages": "Supprimer les messages récents", - "Explore rooms": "Parcourir les salons", - "Verify the link in your inbox": "Vérifiez le lien dans votre boîte de réception", "e.g. my-room": "par ex. mon-salon", "Close dialog": "Fermer la boîte de dialogue", "Show image": "Afficher l’image", - "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.", - "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", "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.", "Messages in this room are not end-to-end encrypted.": "Les messages dans ce salon ne sont pas chiffrés de bout en bout.", - "Room %(name)s": "Salon %(name)s", "Message Actions": "Actions de message", "You verified %(name)s": "Vous avez vérifié %(name)s", "You cancelled verifying %(name)s": "Vous avez annulé la vérification de %(name)s", @@ -484,13 +341,11 @@ "%(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", - "None": "Aucun", "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.", "Failed to connect to integration manager": "Échec de la connexion au gestionnaire d’intégrations", "Integrations are disabled": "Les intégrations sont désactivées", "Integrations not allowed": "Les intégrations ne sont pas autorisées", - "Manage integrations": "Gérer les intégrations", "Verification Request": "Demande de vérification", "Unencrypted": "Non chiffré", "Upgrade private room": "Mettre à niveau le salon privé", @@ -498,15 +353,11 @@ "Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "La mise à niveau d’un salon est une action avancée et qui est généralement recommandée quand un salon est instable à cause d’anomalies, de fonctionnalités manquantes ou de failles de sécurité.", "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.": "Cela n’affecte généralement que la façon dont le salon est traité sur le serveur. Si vous avez des problèmes avec votre %(brand)s, signalez une anomalie.", "You'll upgrade this room from to .": "Vous allez mettre à niveau ce salon de vers .", - " wants to chat": " veut discuter", - "Start chatting": "Commencer à discuter", - "Unable to set up secret storage": "Impossible de configurer le coffre secret", "Hide verified sessions": "Masquer les sessions vérifiées", "%(count)s verified sessions": { "other": "%(count)s sessions vérifiées", "one": "1 session vérifiée" }, - "Close preview": "Fermer l’aperçu", "Language Dropdown": "Sélection de la langue", "Country Dropdown": "Sélection du pays", "Show more": "En voir plus", @@ -521,14 +372,8 @@ "Verify User": "Vérifier l’utilisateur", "For extra security, verify this user by checking a one-time code on both of your devices.": "Pour une sécurité supplémentaire, vérifiez cet utilisateur en comparant un code à usage unique sur vos deux appareils.", "Start Verification": "Commencer la vérification", - "Reject & Ignore user": "Rejeter et ignorer l’utilisateur", - "Enter your account password to confirm the upgrade:": "Saisissez le mot de passe de votre compte pour confirmer la mise à niveau :", - "You'll need to authenticate with the server to confirm the upgrade.": "Vous devrez vous identifier avec le serveur pour confirmer la mise à niveau.", - "Upgrade your encryption": "Mettre à niveau votre chiffrement", "This room is end-to-end encrypted": "Ce salon est chiffré de bout en bout", "Everyone in this room is verified": "Tout le monde dans ce salon est vérifié", - "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…", "Your messages are secured and only you and the recipient have the unique keys to unlock them.": "Vos messages sont sécurisés et seuls vous et le destinataire avez les clés uniques pour les déchiffrer.", "Your messages are not secure": "Vos messages ne sont pas sécurisés", @@ -539,7 +384,6 @@ "Ask %(displayName)s to scan your code:": "Demandez à %(displayName)s de scanner votre code :", "If you can't scan the code above, verify by comparing unique emoji.": "Si vous ne pouvez pas scanner le code ci-dessus, vérifiez en comparant des émojis uniques.", "You've successfully verified %(displayName)s!": "Vous avez vérifié %(displayName)s !", - "Restore your key backup to upgrade your encryption": "Restaurez votre sauvegarde de clés pour mettre à niveau votre chiffrement", "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", "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.", @@ -560,11 +404,7 @@ "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.", "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.": "Vérifier cet appareil le marquera comme fiable. Faire confiance à cette appareil vous permettra à vous et aux autres utilisateurs d’être tranquilles lors de l’utilisation de messages chiffrés.", "Verifying this device will mark it as trusted, and users who have verified with you will trust this device.": "Vérifier cet appareil le marquera comme fiable, et les utilisateurs qui ont vérifié avec vous feront confiance à cet appareil.", - "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Mettez à niveau cette session pour l’autoriser à vérifier d’autres sessions, ce qui leur permettra d’accéder aux messages chiffrés et de les marquer comme fiables pour les autres utilisateurs.", - "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.", "You have not verified this user.": "Vous n’avez pas vérifié cet utilisateur.", - "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.", "Destroy cross-signing keys?": "Détruire les clés de signature croisée ?", "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.": "La suppression des clés de signature croisée est permanente. Tous ceux que vous avez vérifié vont voir des alertes de sécurité. Il est peu probable que ce soit ce que vous voulez faire, sauf si vous avez perdu tous les appareils vous permettant d’effectuer une signature croisée.", "Clear cross-signing keys": "Vider les clés de signature croisée", @@ -624,7 +464,6 @@ "Submit logs": "Envoyer les journaux", "Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Rappel : Votre navigateur n’est pas pris en charge donc votre expérience pourrait être aléatoire.", "Unable to upload": "Envoi impossible", - "Unable to query secret storage status": "Impossible de demander le statut du coffre secret", "Restoring keys from backup": "Restauration des clés depuis la sauvegarde", "%(completed)s of %(total)s keys restored": "%(completed)s clés sur %(total)s restaurées", "Keys restored": "Clés restaurées", @@ -647,30 +486,17 @@ "This address is available to use": "Cette adresse est disponible", "This address is already in use": "Cette adresse est déjà utilisée", "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.": "Vous avez précédemment utilisé une version plus récente de %(brand)s avec cette session. Pour réutiliser cette version avec le chiffrement de bout en bout, vous devrez vous déconnecter et vous reconnecter.", - "Use a different passphrase?": "Utiliser une phrase secrète différente ?", "Your homeserver has exceeded its user limit.": "Votre serveur d’accueil a dépassé ses limites d’utilisateurs.", "Your homeserver has exceeded one of its resource limits.": "Votre serveur d’accueil a dépassé une de ses limites de ressources.", "Ok": "OK", - "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", - "No recently visited rooms": "Aucun salon visité récemment", "Message preview": "Aperçu de message", - "Room options": "Options du salon", "Looks good!": "Ça a l’air correct !", "The authenticity of this encrypted message can't be guaranteed on this device.": "L’authenticité de ce message chiffré ne peut pas être garantie sur cet appareil.", "Wrong file type": "Mauvais type de fichier", "Security Phrase": "Phrase de sécurité", "Security Key": "Clé de sécurité", "Use your Security Key to continue.": "Utilisez votre clé de sécurité pour continuer.", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Protection afin d’éviter de perdre l’accès aux messages et données chiffrés en sauvegardant les clés de chiffrement sur votre serveur.", - "Generate a Security Key": "Générer une clé de sécurité", - "Enter a Security Phrase": "Saisir une phrase de sécurité", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Utilisez une phrase secrète que vous êtes seul à connaître et enregistrez éventuellement une clé de sécurité à utiliser pour la sauvegarde.", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Si vous annulez maintenant, vous pourriez perdre vos messages et données chiffrés si vous perdez l’accès à vos identifiants.", - "You can also set up Secure Backup & manage your keys in Settings.": "Vous pouvez aussi configurer la sauvegarde sécurisée et gérer vos clés depuis les paramètres.", - "Set a Security Phrase": "Définir une phrase de sécurité", - "Confirm Security Phrase": "Confirmer la phrase de sécurité", - "Save your Security Key": "Sauvegarder votre clé de sécurité", "This room is public": "Ce salon est public", "Edited at %(date)s": "Modifié le %(date)s", "Click to view edits": "Cliquez pour voir les modifications", @@ -695,9 +521,6 @@ "You can only pin up to %(count)s widgets": { "other": "Vous ne pouvez épingler que jusqu’à %(count)s widgets" }, - "Explore public rooms": "Parcourir les salons publics", - "Show Widgets": "Afficher les widgets", - "Hide Widgets": "Masquer les widgets", "Unable to set up keys": "Impossible de configurer les clés", "Recent changes that have not yet been received": "Changements récents qui n’ont pas encore été reçus", "The server is not configured to indicate what the problem is (CORS).": "Le serveur n’est pas configuré pour indiquer quel est le problème (CORS).", @@ -973,10 +796,6 @@ "Invite by email": "Inviter par e-mail", "Reason (optional)": "Raison (optionnelle)", "Server Options": "Options serveur", - "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.", "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 ", @@ -1002,7 +821,6 @@ "Approve widget permissions": "Approuver les permissions du widget", "Set my room layout for everyone": "Définir ma disposition de salon pour tout le monde", "Open dial pad": "Ouvrir le pavé de numérotation", - "Recently visited rooms": "Salons visités récemment", "Dial pad": "Pavé de numérotation", "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.", @@ -1016,15 +834,10 @@ "Unable to start audio streaming.": "Impossible de démarrer la diffusion audio.", "Create a new room": "Créer un nouveau salon", "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.": "Vous ne pourrez pas annuler ce changement puisque vous vous rétrogradez. Si vous êtes le dernier utilisateur a privilèges de cet espace, il deviendra impossible d’en reprendre contrôle.", - "Suggested Rooms": "Salons recommandés", - "Add existing room": "Ajouter un salon existant", - "Invite to this space": "Inviter dans cet espace", "Your message was sent": "Votre message a été envoyé", "Leave space": "Quitter l’espace", "Create a space": "Créer un espace", "Space selection": "Sélection d’un espace", - "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", @@ -1036,7 +849,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.": "Cela n’affecte généralement que la façon dont le salon est traité sur le serveur. Si vous avez des problèmes avec votre %(brand)s, signalez une anomalie.", "Invite to %(roomName)s": "Inviter dans %(roomName)s", "Edit devices": "Modifier les appareils", - "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.", "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", @@ -1067,8 +879,6 @@ "other": "Afficher les %(count)s membres" }, "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.", "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…", @@ -1085,10 +895,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", - "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" - }, "Or send invite link": "Ou envoyer le lien d’invitation", "Some suggestions may be hidden for privacy.": "Certaines suggestions pourraient être masquées pour votre confidentialité.", "Search for rooms or people": "Rechercher des salons ou des gens", @@ -1104,22 +910,9 @@ "Published addresses can be used by anyone on any server to join your room.": "Les adresses publiées peuvent être utilisées par tout le monde sur tous les serveurs pour rejoindre votre salon.", "Published addresses can be used by anyone on any server to join your space.": "Les adresses publiées peuvent être utilisées par tout le monde sur tous les serveurs pour rejoindre votre espace.", "This space has no local addresses": "Cet espace n’a pas d’adresse locale", - "Space information": "Informations de l’espace", - "Address": "Adresse", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Votre %(brand)s ne vous autorise pas à utiliser un gestionnaire d’intégrations pour faire ça. Merci de contacter un administrateur.", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Les gestionnaires d’intégrations reçoivent les données de configuration et peuvent modifier les widgets, envoyer des invitations aux salons et définir les rangs à votre place.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Utilisez un gestionnaire d’intégrations pour gérer les robots, les widgets et les jeux d’autocollants.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Utilisez un gestionnaire d’intégrations (%(serverName)s) pour gérer les robots, les widgets et les jeux d’autocollants.", - "Identity server (%(server)s)": "Serveur d’identité (%(server)s)", - "Could not connect to identity server": "Impossible de se connecter au serveur d’identité", - "Not a valid identity server (status code %(code)s)": "Serveur d’identité non valide (code de statut %(code)s)", - "Identity server URL must be HTTPS": "L’URL du serveur d’identité doit être en HTTPS", "User Directory": "Répertoire utilisateur", "Error processing audio message": "Erreur lors du traitement du message audio", - "Show %(count)s other previews": { - "one": "Afficher %(count)s autre aperçu", - "other": "Afficher %(count)s autres aperçus" - }, "Adding spaces has moved.": "L’ajout d’espaces a été déplacé.", "Search for rooms": "Rechercher des salons", "Search for spaces": "Rechercher des espaces", @@ -1137,7 +930,6 @@ "Unable to copy room link": "Impossible de copier le lien du salon", "Error downloading audio": "Erreur lors du téléchargement de l’audio", "Unnamed audio": "Audio sans nom", - "Add space": "Ajouter un espace", "Please note upgrading will make a new version of the room. All current messages will stay in this archived room.": "Veuillez notez que la mise-à-jour va créer une nouvelle version de ce salon. Tous les messages actuels resteront dans ce salon archivé.", "Automatically invite members from this room to the new one": "Inviter automatiquement les membres de ce salon dans le nouveau", "These are likely ones other room admins are a part of.": "Ces autres administrateurs du salon en font probablement partie.", @@ -1158,7 +950,6 @@ "Only people invited will be able to find and join this space.": "Seules les personnes invitées pourront trouver et rejoindre cet espace.", "Anyone will be able to find and join this space, not just members of .": "Quiconque pourra trouver et rejoindre cet espace, pas seulement les membres de .", "Anyone in will be able to find and join.": "Tous les membres de pourront trouver et venir.", - "Public room": "Salon public", "Missed call": "Appel manqué", "Call declined": "Appel rejeté", "Stop recording": "Arrêter l’enregistrement", @@ -1169,9 +960,6 @@ "Results": "Résultats", "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", "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 ?", "You are about to leave .": "Vous êtes sur le point de quitter .", @@ -1181,13 +969,7 @@ "MB": "Mo", "In reply to this message": "En réponse à ce message", "Export chat": "Exporter la conversation", - "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.": "La réinitialisation de vos clés de vérification ne peut pas être annulé. Après la réinitialisation, vous n’aurez plus accès à vos anciens messages chiffrés, et tous les amis que vous aviez précédemment vérifiés verront des avertissement de sécurité jusqu'à ce vous les vérifiiez à nouveau.", "Downloading": "Téléchargement en cours", - "I'll verify later": "Je ferai la vérification plus tard", - "Verify with Security Key": "Vérifié avec une clé de sécurité", - "Verify with Security Key or Phrase": "Vérifier avec une clé de sécurité ou une phrase", - "Proceed with reset": "Faire la réinitialisation", - "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.": "Il semblerait que vous n’avez pas de clé de sécurité ou d’autres appareils pour faire la vérification. Cet appareil ne pourra pas accéder aux anciens messages chiffrés. Afin de vérifier votre identité sur cet appareil, vous devrez réinitialiser vos clés de vérifications.", "Skip verification for now": "Ignorer la vérification pour l’instant", "Really reset verification keys?": "Réinitialiser les clés de vérification, c’est certain ?", "They won't be able to access whatever you're not an admin of.": "Ils ne pourront plus accéder aux endroits dans lesquels vous n’êtes pas administrateur.", @@ -1205,10 +987,7 @@ "one": "%(count)s réponse", "other": "%(count)s réponses" }, - "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Stockez votre clé de sécurité dans un endroit sûr, comme un gestionnaire de mots de passe ou un coffre, car elle est utilisée pour protéger vos données chiffrées.", - "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Nous génèrerons une clé de sécurité que vous devrez stocker dans un endroit sûr, comme un gestionnaire de mots de passe ou un coffre.", "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.": "Récupérez l’accès à votre compte et restaurez les clés de chiffrement dans cette session. Sans elles, vous ne pourrez pas lire tous vos messages chiffrés dans toutes vos sessions.", - "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", "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.", @@ -1216,21 +995,13 @@ "Yours, or the other users' session": "Votre session ou celle de l’autre utilisateur", "Yours, or the other users' internet connection": "Votre connexion internet ou celle de l’autre utilisateur", "The homeserver the user you're verifying is connected to": "Le serveur d’accueil auquel l’utilisateur que vous vérifiez est connecté", - "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.", "Copy link to thread": "Copier le lien du fil de discussion", "Thread options": "Options des fils de discussion", - "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.", "Forget": "Oublier", "Files": "Fichiers", "Close this widget to view it in this panel": "Fermer ce widget pour l’afficher dans ce panneau", "Unpin this widget to view it in this panel": "Désépinglez ce widget pour l’afficher dans ce panneau", "Reply in thread": "Répondre dans le fil de discussion", - "You won't get any notifications": "Vous n’aurez aucune notification", - "Get notified only with mentions and keywords as set up in your settings": "Recevoir des notifications uniquement pour les mentions et mot-clés comme défini dans vos paramètres", - "@mentions & keywords": "@mentions et mots-clés", - "Get notified for every message": "Recevoir une notification pour chaque message", - "Get notifications as set up in your settings": "Recevoir les notifications comme défini dans vos paramètres", "Spaces you know that contain this space": "Les espaces connus qui contiennent cet espace", "Based on %(count)s votes": { "one": "Sur la base de %(count)s vote", @@ -1243,12 +1014,6 @@ "Sorry, your vote was not registered. Please try again.": "Désolé, votre vote n’a pas été enregistré. Veuillez réessayer.", "Vote not registered": "Vote non enregistré", "Chat": "Conversation privée", - "Home options": "Options de l’accueil", - "%(spaceName)s menu": "Menu %(spaceName)s", - "Join public room": "Rejoindre le salon public", - "Add people": "Ajouter des personnes", - "Invite to space": "Inviter dans l’espace", - "Start new chat": "Commencer une nouvelle conversation privée", "Recently viewed": "Affiché récemment", "Developer": "Développeur", "Experimental": "Expérimental", @@ -1286,9 +1051,6 @@ "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", - "Your new device is now verified. Other users will see it as trusted.": "Votre nouvel appareil est maintenant vérifié. Les autres utilisateurs le verront comme fiable.", - "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Votre nouvel appareil est maintenant vérifié. Il a accès à vos messages chiffrés et les autre utilisateurs le verront comme fiable.", - "Verify with another device": "Vérifier avec un autre appareil", "Device verified": "Appareil vérifié", "Verify this device": "Vérifier cet appareil", "Unable to verify this device": "Impossible de vérifier cet appareil", @@ -1308,7 +1070,6 @@ "Failed to remove user": "Échec de l’expulsion de l’utilisateur", "Remove them from specific things I'm able to": "Les expulser de certains endroits où j’ai le droit de le faire", "Remove them from everything I'm able to": "Les expulser de partout où j’ai le droit de le faire", - "You were removed from %(roomName)s by %(memberName)s": "Vous avez été expulsé(e) de %(roomName)s par %(memberName)s", "Remove from %(roomName)s": "Expulser de %(roomName)s", "Pick a date to jump to": "Choisissez vers quelle date aller", "Jump to date": "Aller à la date", @@ -1316,9 +1077,6 @@ "Wait!": "Attendez !", "This address does not point at this room": "Cette adresse ne pointe pas vers ce salon", "Location": "Position", - "Poll": "Sondage", - "Voice Message": "Message vocal", - "Hide stickers": "Cacher les autocollants", "Feedback sent! Thanks, we appreciate it!": "Commentaire envoyé ! Merci, nous l’apprécions !", "%(space1Name)s and %(space2Name)s": "%(space1Name)s et %(space2Name)s", "Open thread": "Ouvrir le fil de discussion", @@ -1349,33 +1107,12 @@ }, "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.": "Vous pouvez utiliser l’option de serveur personnalisé pour vous connecter à d'autres serveurs Matrix en spécifiant une URL de serveur d'accueil différente. Cela vous permet d’utiliser %(brand)s avec un compte Matrix existant sur un serveur d’accueil différent.", "%(displayName)s's live location": "Position en direct de %(displayName)s", - "Currently removing messages in %(count)s rooms": { - "one": "Actuellement en train de supprimer les messages dans %(count)s salon", - "other": "Actuellement en train de supprimer les messages dans %(count)s salons" - }, "An error occurred while stopping your live location, please try again": "Une erreur s’est produite en arrêtant le partage de votre position, veuillez réessayer", "%(featureName)s Beta feedback": "Commentaires sur la bêta de %(featureName)s", "%(count)s participants": { "one": "1 participant", "other": "%(count)s participants" }, - "%(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 a été retourné en essayant d’accéder au salon. Si vous pensez que vous ne devriez pas voir ce message, veuillez soumettre un rapport d’anomalie.", - "Try again later, or ask a room or space admin to check if you have access.": "Réessayez plus tard ou demandez à l’administrateur du salon ou de l’espace si vous y avez accès.", - "This room or space is not accessible at this time.": "Ce salon ou cet espace n’est pas accessible en ce moment.", - "Are you sure you're at the right place?": "Êtes-vous sûr d’être au bon endroit ?", - "This room or space does not exist.": "Ce salon ou cet espace n’existe pas.", - "There's no preview, would you like to join?": "Il n’y a pas d’aperçu, voulez-vous rejoindre ?", - "This invite was sent to %(email)s": "Cet invitation a été envoyée à %(email)s", - "This invite was sent to %(email)s which is not associated with your account": "Cette invitation a été envoyée à %(email)s qui n’est pas associé à votre compte", - "You can still join here.": "Vous pouvez toujours rejoindre cet endroit.", - "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.": "Une erreur (%(errcode)s) s’est produite en essayant de valider votre invitation. Vous pouvez essayer de transmettre cette information à la personne qui vous a invité(e).", - "Something went wrong with your invite.": "Quelque chose s’est mal passé avec votre invitation.", - "You were banned by %(memberName)s": "Vous avez été banni par %(memberName)s", - "Forget this space": "Oublier cet espace", - "You were removed by %(memberName)s": "Vous avez été retiré par %(memberName)s", - "Loading preview": "Chargement de l’aperçu", - "New video room": "Nouveau salon visio", - "New room": "Nouveau salon", "View live location": "Voir la position en direct", "Ban from room": "Bannir du salon", "Unban from room": "Révoquer le bannissement du salon", @@ -1405,11 +1142,6 @@ "Disinvite from room": "Désinviter du salon", "Remove from space": "Supprimer de l’espace", "Disinvite from space": "Désinviter de l’espace", - "Seen by %(count)s people": { - "one": "Vu par %(count)s personne", - "other": "Vu par %(count)s personnes" - }, - "Your password was successfully changed.": "Votre mot de passe a été mis à jour.", "%(members)s and more": "%(members)s et plus", "Your message wasn't sent because this homeserver has been blocked by its administrator. Please contact your service administrator to continue using the service.": "Votre message n’a pas été envoyé car ce serveur d’accueil a été bloqué par son administrateur. Veuillez contacter l’administrateur de votre service pour continuer à l’utiliser.", "An error occurred while stopping your live location": "Une erreur s’est produite lors de l’arrêt de votre position en continu", @@ -1418,18 +1150,10 @@ "Input devices": "Périphériques d’entrée", "Open room": "Ouvrir le salon", "Show Labs settings": "Afficher les réglages des expérimentations", - "To join, please enable video rooms in Labs first": "Pour rejoindre, veuillez d’abord activer les salons vision dans la section Expérimental", - "To view, please enable video rooms in Labs first": "Pour afficher, veuillez d’abord activer les salons vision dans la section Expérimental", - "To view %(roomName)s, you need an invite": "Pour afficher %(roomName)s, vous avez besoin d’une invitation", - "Private room": "Salon privé", - "Video room": "Salon vidéo", "%(members)s and %(last)s": "%(members)s et %(last)s", "Unread email icon": "Icone d’e-mail non lu", "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", - "Joining…": "En train de rejoindre…", - "Read receipts": "Accusés de réception", - "Deactivating your account is a permanent action — be careful!": "La désactivation du compte est une action permanente. Soyez prudent !", "Remove search filter for %(filter)s": "Supprimer le filtre de recherche pour %(filter)s", "Start a group chat": "Démarrer une conversation de groupe", "Other options": "Autres options", @@ -1452,7 +1176,6 @@ "Show spaces": "Afficher les espaces", "Show rooms": "Afficher les salons", "Explore public spaces in the new search dialog": "Explorer les espaces publics dans la nouvelle fenêtre de recherche", - "Join the room to participate": "Rejoindre le salon pour participer", "Stop and close": "Arrêter et fermer", "Online community members": "Membres de la communauté en ligne", "Coworkers and teams": "Collègues et équipes", @@ -1468,22 +1191,10 @@ "We're creating a room with %(names)s": "Nous créons un salon avec %(names)s", "Interactively verify by emoji": "Vérifier de façon interactive avec des émojis", "Manually verify by text": "Vérifier manuellement avec un texte", - "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s ou %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s ou %(recoveryFile)s", - "Video call (Jitsi)": "Appel vidéo (Jitsi)", - "Failed to set pusher state": "Échec lors de la définition de l’état push", "Video call ended": "Appel vidéo terminé", "%(name)s started a video call": "%(name)s a démarré un appel vidéo", - "Close call": "Terminer l’appel", - "Spotlight": "Projecteur", - "Freedom": "Liberté", "Room info": "Information du salon", - "View chat timeline": "Afficher la chronologie du chat", - "Video call (%(brand)s)": "Appel vidéo (%(brand)s)", - "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.", - "Enable %(brand)s as an additional calling option in this room": "Activer %(brand)s comme une option supplémentaire d’appel dans ce salon", "Completing set up of your new device": "Fin de la configuration de votre nouvel appareil", "Waiting for device to sign in": "En attente de connexion de l’appareil", "Review and approve the sign in": "Vérifier et autoriser la connexion", @@ -1502,16 +1213,8 @@ "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 formatting": "Afficher le formatage", - "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", - "Connection": "Connexion", - "Voice processing": "Traitement vocal", - "Video settings": "Paramètres vidéo", - "Voice settings": "Paramètres audio", - "Automatically adjust the microphone volume": "Ajuster le volume du microphone automatiquement", - "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", "Too many attempts in a short time. Retry after %(timeout)s.": "Trop de tentatives consécutives. Réessayez après %(timeout)s.", @@ -1520,7 +1223,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 : ", - "Change layout": "Changer la disposition", "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é", " in %(room)s": " dans %(room)s", @@ -1530,35 +1232,24 @@ "Can't start voice message": "Impossible de commencer un message vocal", "Edit link": "Éditer le lien", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", - "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", "unknown": "inconnu", "Declining…": "Refus…", "There are no past polls in this room": "Il n’y a aucun ancien sondage dans ce salon", "There are no active polls in this room": "Il n’y a aucun sondage en cours dans ce salon", - "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.": "Attention : vos données personnelles (y compris les clés de chiffrement) seront stockées dans cette session. Effacez-les si vous n’utilisez plus cette session ou si vous voulez vous connecter à un autre compte.", "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.", - "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é.", "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…", - "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…", "Starting export process…": "Démarrage du processus d’export…", - "Secure Backup successful": "Sauvegarde sécurisée réalisée avec succès", - "Your keys are now being backed up from this device.": "Vos clés sont maintenant sauvegardées depuis cet appareil.", "Loading polls": "Chargement des sondages", "Ended a poll": "Sondage terminé", "Due to decryption errors, some votes may not be counted": "À cause d’erreurs de déchiffrement, certains votes pourraient ne pas avoir été pris en compte", @@ -1596,59 +1287,16 @@ "Start DM anyway": "Commencer la conversation privée quand même", "Start DM anyway and never warn me again": "Commencer quand même la conversation privée et ne plus me prévenir", "Unable to find profiles for the Matrix IDs listed below - would you like to start a DM anyway?": "Impossible de trouver les profils pour les identifiants Matrix listés ci-dessous. Voulez-vous quand même commencer une conversation privée ?", - "Formatting": "Formatage", - "Upload custom sound": "Envoyer un son personnalisé", "Search all rooms": "Rechercher dans tous les salons", "Search this room": "Rechercher dans ce salon", - "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)", "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", "Waiting for users to join %(brand)s": "En attente de connexion des utilisateurs à %(brand)s", - "You do not have permission to invite users": "Vous n’avez pas la permission d’inviter des utilisateurs", - "Receive an email summary of missed notifications": "Recevoir un résumé par courriel des notifications manquées", - "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", - "Notify when someone mentions using @room": "Notifie lorsque quelqu’un utilise la mention @room", "Messages here are end-to-end encrypted. Verify %(displayName)s in their profile - tap on their profile picture.": "Les messages ici sont chiffrés de bout en bout. Vérifiez %(displayName)s dans son profil - cliquez sur son image de profil.", - "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": "Mise-à-jour : Nous avons simplifié les paramètres de notifications pour rendre les options plus facile à trouver. Certains paramètres que vous aviez choisi par le passé ne sont pas visibles ici, mais ils sont toujours actifs. Si vous continuez, certains de vos paramètres peuvent changer. En savoir plus", - "Show message preview in desktop notification": "Afficher l’aperçu du message dans la notification de bureau", "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.": "Les messages ici sont chiffrés de bout en bout. Quand les gens viennent, vous pouvez les vérifier dans leur profil, tapez simplement sur leur image de profil.", "Note that removing room changes like this could undo the change.": "Notez bien que la suppression de modification du salon comme celui-ci peut annuler ce changement.", - "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Le fichier exporté permettra à tous ceux qui peuvent le lire de déchiffrer tous les messages chiffrés auxquels vous avez accès, vous devez donc être vigilant et le stocker dans un endroit sûr. Afin de protéger ce fichier, saisissez ci-dessous une phrase secrète unique qui sera utilisée uniquement pour chiffrer les données exportées. Seule l’utilisation de la même phrase secrète permettra de déchiffrer et importer les données.", - "Quick Actions": "Actions rapides", - "Unable to find user by email": "Impossible de trouver un utilisateur avec son courriel", - "Select which emails you want to send summaries to. Manage your emails in .": "Sélectionner les adresses auxquelles envoyer les résumés. Gérer vos courriels dans .", - "Notify when someone mentions using @displayname or %(mxid)s": "Notifie lorsque quelqu’un utilise la mention @displayname ou %(mxid)s", - "Enter keywords here, or use for spelling variations or nicknames": "Entrer des mots-clés ici, ou pour des orthographes alternatives ou des surnoms", - "Reset to default settings": "Réinitialiser aux paramètres par défaut", "Are you sure you wish to remove (delete) this event?": "Êtes-vous sûr de vouloir supprimer cet évènement ?", "Upgrade room": "Mettre à niveau le salon", - "People, Mentions and Keywords": "Personnes, mentions et mots-clés", - "Mentions and Keywords only": "Seulement les mentions et les mots-clés", - "I want to be notified for (Default Setting)": "Je veux être notifié pour (réglage par défaut)", - "This setting will be applied by default to all your rooms.": "Ce réglage sera appliqué par défaut à tous vos salons.", - "Play a sound for": "Jouer un son pour", - "Applied by default to all rooms on all devices.": "Appliqué par défaut à tous les salons sur tous les appareils.", - "Mentions and Keywords": "Mentions et mots-clés", - "Audio and Video calls": "Appels audio et vidéo", - "Other things we think you might be interested in:": "Autres choses qui, selon nous, pourraient vous intéresser :", - "Invited to a room": "Invitation dans un salon", - "Messages sent by bots": "Messages envoyés par des robots", - "Show a badge when keywords are used in a room.": "Affiche un badge quand des mots-clés sont utilisés dans un salon.", - "Notify when someone uses a keyword": "Notifie lorsque quelqu'un utilise un mot-clé", - "Mark all messages as read": "Marquer tous les messages comme lus", - "Great! This passphrase looks strong enough": "Super ! Cette phrase secrète a l’air assez robuste", "Other spaces you know": "Autres espaces que vous connaissez", - "Ask to join?": "Demander à venir ?", - "You need to be granted access to this room in order to view or participate in the conversation. You can send a request to join below.": "Vous avez besoin d’une autorisation pour accéder à ce salon afin de voir et participer à la conversation. Vous pouvez envoyer une demande d’accès ci-dessous.", - "Message (optional)": "Message (optionnel)", - "Request access": "Demander l’accès", - "Request to join sent": "Demande d’accès envoyée", - "Your request to join is pending.": "Votre demande d’accès est en cours.", - "Cancel request": "Annuler la demande", - "Ask to join %(roomName)s?": "Demander à venir dans %(roomName)s ?", "Failed to query public rooms": "Impossible d’interroger les salons publics", "common": { "about": "À propos", @@ -1755,7 +1403,18 @@ "saving": "Enregistrement…", "profile": "Profil", "display_name": "Nom d’affichage", - "user_avatar": "Image de profil" + "user_avatar": "Image de profil", + "authentication": "Authentification", + "public_room": "Salon public", + "video_room": "Salon vidéo", + "public_space": "Espace public", + "private_space": "Espace privé", + "private_room": "Salon privé", + "rooms": "Salons", + "low_priority": "Priorité basse", + "historical": "Historique", + "go_to_settings": "Aller aux paramètres", + "setup_secure_messages": "Configurer les messages sécurisés" }, "action": { "continue": "Continuer", @@ -1861,7 +1520,16 @@ "unban": "Révoquer le bannissement", "click_to_copy": "Cliquez pour copier", "hide_advanced": "Masquer les paramètres avancés", - "show_advanced": "Afficher les paramètres avancés" + "show_advanced": "Afficher les paramètres avancés", + "unignore": "Ne plus ignorer", + "start_new_chat": "Commencer une nouvelle conversation privée", + "invite_to_space": "Inviter dans l’espace", + "add_people": "Ajouter des personnes", + "explore_rooms": "Parcourir les salons", + "new_room": "Nouveau salon", + "new_video_room": "Nouveau salon visio", + "add_existing_room": "Ajouter un salon existant", + "explore_public_rooms": "Parcourir les salons publics" }, "a11y": { "user_menu": "Menu utilisateur", @@ -1874,7 +1542,8 @@ "one": "1 message non lu." }, "unread_messages": "Messages non lus.", - "jump_first_invite": "Sauter à la première invitation." + "jump_first_invite": "Sauter à la première invitation.", + "room_name": "Salon %(name)s" }, "labs": { "video_rooms": "Salons vidéo", @@ -2066,7 +1735,22 @@ "space_a11y": "Autocomplétion d’espace", "user_description": "Utilisateurs", "user_a11y": "Autocomplétion d’utilisateur" - } + }, + "room_upgraded_link": "La discussion continue ici.", + "room_upgraded_notice": "Ce salon a été remplacé et n’est plus actif.", + "no_perms_notice": "Vous n’avez pas la permission de poster dans ce salon", + "send_button_voice_message": "Envoyer un message vocal", + "close_sticker_picker": "Cacher les autocollants", + "voice_message_button": "Message vocal", + "poll_button_no_perms_title": "Autorisation requise", + "poll_button_no_perms_description": "Vous n’avez pas la permission de démarrer un sondage dans ce salon.", + "poll_button": "Sondage", + "mode_plain": "Masquer le formatage", + "mode_rich_text": "Afficher le formatage", + "formatting_toolbar_label": "Formatage", + "format_italics": "Italique", + "format_insert_link": "Insérer un lien", + "replying_title": "Répond" }, "Link": "Lien", "Code": "Code", @@ -2246,7 +1930,32 @@ "error_title": "Impossible d’activer les notifications", "error_updating": "Nous avons rencontré une erreur lors de la mise-à-jour de vos préférences de notification. Veuillez essayer de réactiver l’option.", "push_targets": "Appareils recevant les notifications", - "error_loading": "Une erreur est survenue lors du chargement de vos paramètres de notification." + "error_loading": "Une erreur est survenue lors du chargement de vos paramètres de notification.", + "email_section": "Résumé en courriel", + "email_description": "Recevoir un résumé par courriel des notifications manquées", + "email_select": "Sélectionner les adresses auxquelles envoyer les résumés. Gérer vos courriels dans .", + "people_mentions_keywords": "Personnes, mentions et mots-clés", + "mentions_keywords_only": "Seulement les mentions et les mots-clés", + "labs_notice_prompt": "Mise-à-jour : Nous avons simplifié les paramètres de notifications pour rendre les options plus facile à trouver. Certains paramètres que vous aviez choisi par le passé ne sont pas visibles ici, mais ils sont toujours actifs. Si vous continuez, certains de vos paramètres peuvent changer. En savoir plus", + "desktop_notification_message_preview": "Afficher l’aperçu du message dans la notification de bureau", + "default_setting_section": "Je veux être notifié pour (réglage par défaut)", + "default_setting_description": "Ce réglage sera appliqué par défaut à tous vos salons.", + "play_sound_for_section": "Jouer un son pour", + "play_sound_for_description": "Appliqué par défaut à tous les salons sur tous les appareils.", + "mentions_keywords": "Mentions et mots-clés", + "voip": "Appels audio et vidéo", + "other_section": "Autres choses qui, selon nous, pourraient vous intéresser :", + "invites": "Invitation dans un salon", + "room_activity": "Nouvelle activité du salon, mises-à-jour et messages de statut", + "notices": "Messages envoyés par des robots", + "keywords": "Affiche un badge quand des mots-clés sont utilisés dans un salon.", + "notify_at_room": "Notifie lorsque quelqu’un utilise la mention @room", + "notify_mention": "Notifie lorsque quelqu’un utilise la mention @displayname ou %(mxid)s", + "notify_keyword": "Notifie lorsque quelqu'un utilise un mot-clé", + "keywords_prompt": "Entrer des mots-clés ici, ou pour des orthographes alternatives ou des surnoms", + "quick_actions_section": "Actions rapides", + "quick_actions_mark_all_read": "Marquer tous les messages comme lus", + "quick_actions_reset": "Réinitialiser aux paramètres par défaut" }, "appearance": { "layout_irc": "IRC (Expérimental)", @@ -2284,7 +1993,19 @@ "echo_cancellation": "Annulation d’écho", "noise_suppression": "Suppression du bruit", "enable_fallback_ice_server": "Autoriser le serveur de secours d’assistance d’appel (%(server)s)", - "enable_fallback_ice_server_description": "Concerne seulement les serveurs d’accueil qui n’en proposent pas. Votre adresse IP pourrait être diffusée pendant un appel." + "enable_fallback_ice_server_description": "Concerne seulement les serveurs d’accueil qui n’en proposent pas. Votre adresse IP pourrait être diffusée pendant un appel.", + "missing_permissions_prompt": "Permissions multimédia manquantes, cliquez sur le bouton ci-dessous pour la demander.", + "request_permissions": "Demander les permissions multimédia", + "audio_output": "Sortie audio", + "audio_output_empty": "Aucune sortie audio détectée", + "audio_input_empty": "Aucun micro détecté", + "video_input_empty": "Aucune caméra détectée", + "title": "Audio et vidéo", + "voice_section": "Paramètres audio", + "voice_agc": "Ajuster le volume du microphone automatiquement", + "video_section": "Paramètres vidéo", + "voice_processing": "Traitement vocal", + "connection_section": "Connexion" }, "send_read_receipts_unsupported": "Votre serveur ne supporte pas la désactivation de l’envoi des accusés de réception.", "security": { @@ -2357,7 +2078,11 @@ "key_backup_in_progress": "Sauvegarde de %(sessionsRemaining)s clés…", "key_backup_complete": "Toutes les clés ont été sauvegardées", "key_backup_algorithm": "Algorithme :", - "key_backup_inactive_warning": "Vos clés ne sont pas sauvegardées sur cette session." + "key_backup_inactive_warning": "Vos clés ne sont pas sauvegardées sur cette session.", + "key_backup_active_version_none": "Aucun", + "ignore_users_empty": "Vous n’avez ignoré personne.", + "ignore_users_section": "Utilisateurs ignorés", + "e2ee_default_disabled_warning": "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." }, "preferences": { "room_list_heading": "Liste de salons", @@ -2477,7 +2202,8 @@ "one": "Voulez-vous vraiment déconnecter %(count)s session ?", "other": "Voulez-vous vraiment déconnecter %(count)s de vos sessions ?" }, - "other_sessions_subsection_description": "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_subsection_description": "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.", + "error_pusher_state": "Échec lors de la définition de l’état push" }, "general": { "oidc_manage_button": "Gérer le compte", @@ -2499,7 +2225,46 @@ "add_msisdn_dialog_title": "Ajouter un numéro de téléphone", "name_placeholder": "Pas de nom d’affichage", "error_saving_profile_title": "Erreur lors de l’enregistrement du profil", - "error_saving_profile": "L’opération n’a pas pu être terminée" + "error_saving_profile": "L’opération n’a pas pu être terminée", + "error_password_change_unknown": "Erreur inconnue du changement de mot de passe (%(stringifiedError)s)", + "error_password_change_403": "Échec du changement de mot de passe. Votre mot de passe est-il correct ?", + "error_password_change_http": "%(errorMessage)s (statut HTTP %(httpStatus)s)", + "error_password_change_title": "Erreur lors du changement de mot de passe", + "password_change_success": "Votre mot de passe a été mis à jour.", + "emails_heading": "Adresses e-mail", + "msisdns_heading": "Numéros de téléphone", + "password_change_section": "Définir un nouveau mot de passe de compte…", + "external_account_management": "Les détails de votre compte sont gérés séparément sur %(hostname)s.", + "discovery_needs_terms": "Acceptez les conditions de service du serveur d’identité (%(serverName)s) pour vous permettre d’être découvrable par votre adresse e-mail ou votre numéro de téléphone.", + "deactivate_section": "Fermer le compte", + "account_management_section": "Gestion du compte", + "deactivate_warning": "La désactivation du compte est une action permanente. Soyez prudent !", + "discovery_section": "Découverte", + "error_revoke_email_discovery": "Impossible de révoquer le partage pour l’adresse e-mail", + "error_share_email_discovery": "Impossible de partager l’adresse e-mail", + "email_not_verified": "Votre adresse e-mail n’a pas encore été vérifiée", + "email_verification_instructions": "Cliquez sur le lien dans l’e-mail que vous avez reçu pour la vérifier et cliquez encore sur continuer.", + "error_email_verification": "Impossible de vérifier l’adresse e-mail.", + "discovery_email_verification_instructions": "Vérifiez le lien dans votre boîte de réception", + "discovery_email_empty": "Les options de découverte apparaîtront quand vous aurez ajouté une adresse e-mail ci-dessus.", + "error_revoke_msisdn_discovery": "Impossible de révoquer le partage pour le numéro de téléphone", + "error_share_msisdn_discovery": "Impossible de partager le numéro de téléphone", + "error_msisdn_verification": "Impossible de vérifier le numéro de téléphone.", + "incorrect_msisdn_verification": "Code de vérification incorrect", + "msisdn_verification_instructions": "Veuillez saisir le code de vérification envoyé par SMS.", + "msisdn_verification_field_label": "Code de vérification", + "discovery_msisdn_empty": "Les options de découverte apparaîtront quand vous aurez ajouté un numéro de téléphone ci-dessus.", + "error_set_name": "Échec de l’enregistrement du nom d’affichage", + "error_remove_3pid": "Impossible de supprimer les informations du contact", + "remove_email_prompt": "Supprimer %(email)s ?", + "error_invalid_email": "Adresse e-mail non valide", + "error_invalid_email_detail": "Cette adresse e-mail ne semble pas valide", + "error_add_email": "Impossible d'ajouter l’adresse e-mail", + "add_email_instructions": "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_label": "Adresse e-mail", + "remove_msisdn_prompt": "Supprimer %(phone)s ?", + "add_msisdn_instructions": "Un SMS a été envoyé à +%(msisdn)s. Saisissez le code de vérification qu’il contient.", + "msisdn_label": "Numéro de téléphone" }, "sidebar": { "title": "Barre latérale", @@ -2512,6 +2277,58 @@ "metaspaces_orphans_description": "Regroupe tous les salons n’appartenant pas à un espace au même endroit.", "metaspaces_home_all_rooms_description": "Affiche tous vos salons dans l’accueil, même s’ils font partis d’un espace.", "metaspaces_home_all_rooms": "Afficher tous les salons" + }, + "key_backup": { + "backup_in_progress": "Vous clés sont en cours de sauvegarde (la première sauvegarde peut prendre quelques minutes).", + "backup_starting": "Début de la sauvegarde…", + "backup_success": "Terminé !", + "create_title": "Créer une sauvegarde de clé", + "cannot_create_backup": "Impossible de créer la sauvegarde des clés", + "setup_secure_backup": { + "generate_security_key_title": "Générer une clé de sécurité", + "generate_security_key_description": "Nous génèrerons une clé de sécurité que vous devrez stocker dans un endroit sûr, comme un gestionnaire de mots de passe ou un coffre.", + "enter_phrase_title": "Saisir une phrase de sécurité", + "description": "Protection afin d’éviter de perdre l’accès aux messages et données chiffrés en sauvegardant les clés de chiffrement sur votre serveur.", + "requires_password_confirmation": "Saisissez le mot de passe de votre compte pour confirmer la mise à niveau :", + "requires_key_restore": "Restaurez votre sauvegarde de clés pour mettre à niveau votre chiffrement", + "requires_server_authentication": "Vous devrez vous identifier avec le serveur pour confirmer la mise à niveau.", + "session_upgrade_description": "Mettez à niveau cette session pour l’autoriser à vérifier d’autres sessions, ce qui leur permettra d’accéder aux messages chiffrés et de les marquer comme fiables pour les autres utilisateurs.", + "enter_phrase_description": "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.", + "phrase_strong_enough": "Super ! Cette phrase secrète a l’air assez solide.", + "pass_phrase_match_success": "Ça correspond !", + "use_different_passphrase": "Utiliser une phrase secrète différente ?", + "pass_phrase_match_failed": "Ça ne correspond pas.", + "set_phrase_again": "Retournez en arrière pour la redéfinir.", + "enter_phrase_to_confirm": "Saisissez à nouveau votre phrase secrète pour la confirmer.", + "confirm_security_phrase": "Confirmez votre phrase secrète", + "security_key_safety_reminder": "Stockez votre clé de sécurité dans un endroit sûr, comme un gestionnaire de mots de passe ou un coffre, car elle est utilisée pour protéger vos données chiffrées.", + "download_or_copy": "%(downloadButton)s ou %(copyButton)s", + "backup_setup_success_description": "Vos clés sont maintenant sauvegardées depuis cet appareil.", + "backup_setup_success_title": "Sauvegarde sécurisée réalisée avec succès", + "secret_storage_query_failure": "Impossible de demander le statut du coffre secret", + "cancel_warning": "Si vous annulez maintenant, vous pourriez perdre vos messages et données chiffrés si vous perdez l’accès à vos identifiants.", + "settings_reminder": "Vous pouvez aussi configurer la sauvegarde sécurisée et gérer vos clés depuis les paramètres.", + "title_upgrade_encryption": "Mettre à niveau votre chiffrement", + "title_set_phrase": "Définir une phrase de sécurité", + "title_confirm_phrase": "Confirmer la phrase de sécurité", + "title_save_key": "Sauvegarder votre clé de sécurité", + "unable_to_setup": "Impossible de configurer le coffre secret", + "use_phrase_only_you_know": "Utilisez une phrase secrète que vous êtes seul à connaître et enregistrez éventuellement une clé de sécurité à utiliser pour la sauvegarde." + } + }, + "key_export_import": { + "export_title": "Exporter les clés de salon", + "export_description_1": "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.", + "export_description_2": "Le fichier exporté permettra à tous ceux qui peuvent le lire de déchiffrer tous les messages chiffrés auxquels vous avez accès, vous devez donc être vigilant et le stocker dans un endroit sûr. Afin de protéger ce fichier, saisissez ci-dessous une phrase secrète unique qui sera utilisée uniquement pour chiffrer les données exportées. Seule l’utilisation de la même phrase secrète permettra de déchiffrer et importer les données.", + "enter_passphrase": "Saisir le mot de passe", + "phrase_strong_enough": "Super ! Cette phrase secrète a l’air assez robuste", + "confirm_passphrase": "Confirmer le mot de passe", + "phrase_cannot_be_empty": "Le mot de passe ne peut pas être vide", + "phrase_must_match": "Les phrases secrètes doivent être identiques", + "import_title": "Importer les clés de salon", + "import_description_1": "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.", + "import_description_2": "Le fichier exporté sera protégé par un mot de passe. Vous devez saisir ce mot de passe ici, pour déchiffrer le fichier.", + "file_to_import": "Fichier à importer" } }, "devtools": { @@ -3023,7 +2840,19 @@ "collapse_reply_thread": "Masquer le fil de discussion", "view_related_event": "Afficher les événements liés", "report": "Signaler" - } + }, + "url_preview": { + "show_n_more": { + "one": "Afficher %(count)s autre aperçu", + "other": "Afficher %(count)s autres aperçus" + }, + "close": "Fermer l’aperçu" + }, + "read_receipt_title": { + "one": "Vu par %(count)s personne", + "other": "Vu par %(count)s personnes" + }, + "read_receipts_label": "Accusés de réception" }, "slash_command": { "spoiler": "Envoie le message flouté", @@ -3290,7 +3119,14 @@ "permissions_section_description_room": "Sélectionner les rôles nécessaires pour modifier les différentes parties du salon", "add_privileged_user_heading": "Ajouter des utilisateurs privilégiés", "add_privileged_user_description": "Donne plus de privilèges à un ou plusieurs utilisateurs de ce salon", - "add_privileged_user_filter_placeholder": "Chercher des utilisateurs dans ce salon…" + "add_privileged_user_filter_placeholder": "Chercher des utilisateurs dans ce salon…", + "error_unbanning": "Échec de la révocation du bannissement", + "banned_by": "Banni par %(displayName)s", + "ban_reason": "Raison", + "error_changing_pl_reqs_title": "Erreur de changement du critère de rang", + "error_changing_pl_reqs_description": "Une erreur est survenue lors de la modification des critères de rang du salon. Vérifiez que vous avez les permissions nécessaires et réessayez.", + "error_changing_pl_title": "Erreur de changement de rang", + "error_changing_pl_description": "Une erreur est survenue lors du changement de rang de l’utilisateur. Vérifiez que vous avez les permissions nécessaires et réessayez." }, "security": { "strict_encryption": "Ne jamais envoyer des messages chiffrés aux sessions non vérifiées dans ce salon depuis cette session", @@ -3345,7 +3181,9 @@ "join_rule_upgrade_updating_spaces": { "one": "Mise-à-jour de l’espace…", "other": "Mise-à-jour des espaces… (%(progress)s sur %(count)s)" - } + }, + "error_join_rule_change_title": "Échec de mise-à-jour des règles pour rejoindre le salon", + "error_join_rule_change_unknown": "Erreur inconnue" }, "general": { "publish_toggle": "Publier ce salon dans le répertoire de salons public de %(domain)s ?", @@ -3359,7 +3197,9 @@ "error_save_space_settings": "Échec de l’enregistrement des paramètres.", "description_space": "Modifiez les paramètres de votre espace.", "save": "Enregistrer les modifications", - "leave_space": "Quitter l’espace" + "leave_space": "Quitter l’espace", + "aliases_section": "Adresses du salon", + "other_section": "Autre" }, "advanced": { "unfederated": "Ce salon n’est pas accessible par les serveurs Matrix distants", @@ -3370,7 +3210,9 @@ "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 :" + "room_version": "Version du salon :", + "information_section_space": "Informations de l’espace", + "information_section_room": "Information du salon" }, "delete_avatar_label": "Supprimer l’avatar", "upload_avatar_label": "Envoyer un avatar", @@ -3384,11 +3226,32 @@ "history_visibility_anyone_space": "Aperçu de l’espace", "history_visibility_anyone_space_description": "Permettre aux personnes d’avoir un aperçu de l’espace avant de le rejoindre.", "history_visibility_anyone_space_recommendation": "Recommandé pour les espaces publics.", - "guest_access_label": "Activer l’accès visiteur" + "guest_access_label": "Activer l’accès visiteur", + "alias_section": "Adresse" }, "access": { "title": "Accès", "description_space": "Décider qui peut visualiser et rejoindre %(spaceName)s." + }, + "bridges": { + "description": "Ce salon transmet les messages vers les plateformes suivantes. En savoir plus.", + "empty": "Ce salon ne transmet les messages à aucune plateforme. En savoir plus.", + "title": "Passerelles" + }, + "notifications": { + "uploaded_sound": "Son téléchargé", + "settings_link": "Recevoir les notifications comme défini dans vos paramètres", + "sounds_section": "Sons", + "notification_sound": "Son de notification", + "custom_sound_prompt": "Définir un nouveau son personnalisé", + "upload_sound_label": "Envoyer un son personnalisé", + "browse_button": "Parcourir" + }, + "voip": { + "enable_element_call_label": "Activer %(brand)s comme une option supplémentaire d’appel dans ce salon", + "enable_element_call_caption": "%(brand)s est chiffré de bout en bout, mais n’est actuellement utilisable qu’avec un petit nombre d’utilisateurs.", + "enable_element_call_no_permissions_tooltip": "Vous n’avez pas assez de permissions pour changer ceci.", + "call_type_section": "Type d’appel" } }, "encryption": { @@ -3423,7 +3286,19 @@ "unverified_session_toast_accept": "Oui, c’était moi", "request_toast_detail": "%(deviceId)s depuis %(ip)s", "request_toast_decline_counter": "Ignorer (%(counter)s)", - "request_toast_accept": "Vérifier la session" + "request_toast_accept": "Vérifier la session", + "no_key_or_device": "Il semblerait que vous n’avez pas de clé de sécurité ou d’autres appareils pour faire la vérification. Cet appareil ne pourra pas accéder aux anciens messages chiffrés. Afin de vérifier votre identité sur cet appareil, vous devrez réinitialiser vos clés de vérifications.", + "reset_proceed_prompt": "Faire la réinitialisation", + "verify_using_key_or_phrase": "Vérifier avec une clé de sécurité ou une phrase", + "verify_using_key": "Vérifié avec une clé de sécurité", + "verify_using_device": "Vérifier avec un autre appareil", + "verification_description": "Vérifiez votre identité pour accéder aux messages chiffrés et prouver votre identité aux autres.", + "verification_success_with_backup": "Votre nouvel appareil est maintenant vérifié. Il a accès à vos messages chiffrés et les autre utilisateurs le verront comme fiable.", + "verification_success_without_backup": "Votre nouvel appareil est maintenant vérifié. Les autres utilisateurs le verront comme fiable.", + "verification_skip_warning": "Sans vérification, vous n’aurez pas accès à tous vos messages et vous n’apparaîtrez pas comme de confiance aux autres.", + "verify_later": "Je ferai la vérification plus tard", + "verify_reset_warning_1": "La réinitialisation de vos clés de vérification ne peut pas être annulé. Après la réinitialisation, vous n’aurez plus accès à vos anciens messages chiffrés, et tous les amis que vous aviez précédemment vérifiés verront des avertissement de sécurité jusqu'à ce vous les vérifiiez à nouveau.", + "verify_reset_warning_2": "Veuillez ne continuer que si vous êtes certain d’avoir perdu tous vos autres appareils et votre Clé de Sécurité." }, "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.", @@ -3444,7 +3319,19 @@ "cross_signing_ready_no_backup": "La signature croisée est prête mais les clés ne sont pas sauvegardées.", "cross_signing_untrusted": "Votre compte a une identité de signature croisée dans le coffre secret, mais cette session ne lui fait pas encore confiance.", "cross_signing_not_ready": "La signature croisée n’est pas configurée.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Nouvelle méthode de récupération", + "description_1": "Une nouvelle phrase secrète et clé de sécurité pour les messages sécurisés ont été détectées.", + "description_2": "Cette session chiffre l’historique en utilisant la nouvelle méthode de récupération.", + "warning": "Si vous n’avez pas activé de nouvelle méthode de récupération, un attaquant essaye peut-être d’accéder à votre compte. Changez immédiatement le mot de passe de votre compte et configurez une nouvelle méthode de récupération dans les paramètres." + }, + "recovery_method_removed": { + "title": "Méthode de récupération supprimée", + "description_1": "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.", + "description_2": "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.", + "warning": "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." + } }, "emoji": { "category_frequently_used": "Utilisé fréquemment", @@ -3626,7 +3513,11 @@ "autodiscovery_unexpected_error_is": "Une erreur inattendue est survenue pendant la résolution de la configuration du serveur d’identité", "autodiscovery_hs_incompatible": "Votre serveur d’accueil est trop ancien et ne prend pas en charge la version minimale requise de l’API. Veuillez contacter le propriétaire du serveur, ou bien mettez à jour votre serveur.", "incorrect_credentials_detail": "Veuillez noter que vous vous connectez au serveur %(hs)s, pas à matrix.org.", - "create_account_title": "Créer un compte" + "create_account_title": "Créer un compte", + "failed_soft_logout_homeserver": "Échec de la ré-authentification à cause d’un problème du serveur d’accueil", + "soft_logout_subheading": "Supprimer les données personnelles", + "soft_logout_warning": "Attention : vos données personnelles (y compris les clés de chiffrement) seront stockées dans cette session. Effacez-les si vous n’utilisez plus cette session ou si vous voulez vous connecter à un autre compte.", + "forgot_password_send_email": "Envoyer l’e-mail" }, "room_list": { "sort_unread_first": "Afficher les salons non lus en premier", @@ -3643,7 +3534,23 @@ "notification_options": "Paramètres de notifications", "failed_set_dm_tag": "Échec de l’ajout de l’étiquette de conversation privée", "failed_remove_tag": "Échec de la suppression de l’étiquette %(tagName)s du salon", - "failed_add_tag": "Échec de l’ajout de l’étiquette %(tagName)s au salon" + "failed_add_tag": "Échec de l’ajout de l’étiquette %(tagName)s au salon", + "breadcrumbs_label": "Salons visités récemment", + "breadcrumbs_empty": "Aucun salon visité récemment", + "add_room_label": "Ajouter un salon", + "suggested_rooms_heading": "Salons recommandés", + "add_space_label": "Ajouter un espace", + "join_public_room_label": "Rejoindre le salon public", + "joining_rooms_status": { + "one": "Vous êtes en train de rejoindre %(count)s salon", + "other": "Vous êtes en train de rejoindre %(count)s salons" + }, + "redacting_messages_status": { + "one": "Actuellement en train de supprimer les messages dans %(count)s salon", + "other": "Actuellement en train de supprimer les messages dans %(count)s salons" + }, + "space_menu_label": "Menu %(spaceName)s", + "home_menu_label": "Options de l’accueil" }, "report_content": { "missing_reason": "Dites-nous pourquoi vous envoyez un signalement.", @@ -3901,7 +3808,8 @@ "search_children": "Rechercher %(spaceName)s", "invite_link": "Partager le lien d’invitation", "invite": "Inviter des personnes", - "invite_description": "Inviter par e-mail ou nom d’utilisateur" + "invite_description": "Inviter par e-mail ou nom d’utilisateur", + "invite_this_space": "Inviter dans cet espace" }, "location_sharing": { "MapStyleUrlNotConfigured": "Ce serveur d’accueil n’est pas configuré pour afficher des cartes.", @@ -3957,7 +3865,8 @@ "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" + "lists_new_label": "Identifiant du salon ou adresse de la liste de bannissement", + "rules_empty": "Aucun" }, "create_space": { "name_required": "Veuillez renseigner un nom pour l’espace", @@ -4059,8 +3968,80 @@ "forget": "Oublier le salon", "mark_read": "Marquer comme lu", "notifications_default": "Réglage par défaut", - "notifications_mute": "Salon muet" - } + "notifications_mute": "Salon muet", + "title": "Options du salon" + }, + "invite_this_room": "Inviter dans ce salon", + "header": { + "video_call_button_jitsi": "Appel vidéo (Jitsi)", + "video_call_button_ec": "Appel vidéo (%(brand)s)", + "video_call_ec_layout_freedom": "Liberté", + "video_call_ec_layout_spotlight": "Projecteur", + "video_call_ec_change_layout": "Changer la disposition", + "forget_room_button": "Oublier le salon", + "hide_widgets_button": "Masquer les widgets", + "show_widgets_button": "Afficher les widgets", + "close_call_button": "Terminer l’appel", + "video_room_view_chat_button": "Afficher la chronologie du chat" + }, + "error_3pid_invite_email_lookup": "Impossible de trouver un utilisateur avec son courriel", + "joining_space": "Entrée dans l’espace…", + "joining_room": "Entrée dans le salon…", + "joining": "En train de rejoindre…", + "rejecting": "Rejet de l’invitation…", + "join_title": "Rejoindre le salon pour participer", + "join_title_account": "Rejoindre la conversation avec un compte", + "join_button_account": "S’inscrire", + "loading_preview": "Chargement de l’aperçu", + "kicked_from_room_by": "Vous avez été expulsé(e) de %(roomName)s par %(memberName)s", + "kicked_by": "Vous avez été retiré par %(memberName)s", + "kick_reason": "Motif : %(reason)s", + "forget_space": "Oublier cet espace", + "forget_room": "Oublier ce salon", + "rejoin_button": "Revenir", + "banned_from_room_by": "Vous avez été banni de %(roomName)s par %(memberName)s", + "banned_by": "Vous avez été banni par %(memberName)s", + "3pid_invite_error_title_room": "Une erreur est survenue avec votre invitation à %(roomName)s", + "3pid_invite_error_title": "Quelque chose s’est mal passé avec votre invitation.", + "3pid_invite_error_description": "Une erreur (%(errcode)s) s’est produite en essayant de valider votre invitation. Vous pouvez essayer de transmettre cette information à la personne qui vous a invité(e).", + "3pid_invite_error_invite_subtitle": "Vous ne pouvez le rejoindre qu’avec une invitation fonctionnelle.", + "3pid_invite_error_invite_action": "Essayer de le rejoindre quand même", + "3pid_invite_error_public_subtitle": "Vous pouvez toujours rejoindre cet endroit.", + "join_the_discussion": "Rejoindre la discussion", + "3pid_invite_email_not_found_account_room": "Cette invitation à %(roomName)s a été envoyée à %(email)s qui n’est pas associé à votre compte", + "3pid_invite_email_not_found_account": "Cette invitation a été envoyée à %(email)s qui n’est pas associé à votre compte", + "link_email_to_receive_3pid_invite": "Liez cet e-mail à votre compte dans les paramètres pour recevoir les invitations directement dans %(brand)s.", + "invite_sent_to_email_room": "Cette invitation à %(roomName)s a été envoyée à %(email)s", + "invite_sent_to_email": "Cet invitation a été envoyée à %(email)s", + "3pid_invite_no_is_subtitle": "Utilisez un serveur d’identité dans les paramètres pour recevoir une invitation directement dans %(brand)s.", + "invite_email_mismatch_suggestion": "Partagez cet e-mail dans les paramètres pour recevoir les invitations directement dans %(brand)s.", + "dm_invite_title": "Voulez-vous discuter avec %(user)s ?", + "dm_invite_subtitle": " veut discuter", + "dm_invite_action": "Commencer à discuter", + "invite_title": "Voulez-vous rejoindre %(roomName)s ?", + "invite_subtitle": " vous a invité", + "invite_reject_ignore": "Rejeter et ignorer l’utilisateur", + "peek_join_prompt": "Ceci est un aperçu de %(roomName)s. Voulez-vous rejoindre le salon ?", + "no_peek_join_prompt": "Vous ne pouvez pas avoir d’aperçu de %(roomName)s. Voulez-vous rejoindre le salon ?", + "no_peek_no_name_join_prompt": "Il n’y a pas d’aperçu, voulez-vous rejoindre ?", + "not_found_title_name": "%(roomName)s n’existe pas.", + "not_found_title": "Ce salon ou cet espace n’existe pas.", + "not_found_subtitle": "Êtes-vous sûr d’être au bon endroit ?", + "inaccessible_name": "%(roomName)s n’est pas joignable pour le moment.", + "inaccessible": "Ce salon ou cet espace n’est pas accessible en ce moment.", + "inaccessible_subtitle_1": "Réessayez plus tard ou demandez à l’administrateur du salon ou de l’espace si vous y avez accès.", + "inaccessible_subtitle_2": "%(errcode)s a été retourné en essayant d’accéder au salon. Si vous pensez que vous ne devriez pas voir ce message, veuillez soumettre un rapport d’anomalie.", + "knock_prompt_name": "Demander à venir dans %(roomName)s ?", + "knock_prompt": "Demander à venir ?", + "knock_subtitle": "Vous avez besoin d’une autorisation pour accéder à ce salon afin de voir et participer à la conversation. Vous pouvez envoyer une demande d’accès ci-dessous.", + "knock_message_field_placeholder": "Message (optionnel)", + "knock_send_action": "Demander l’accès", + "knock_sent": "Demande d’accès envoyée", + "knock_sent_subtitle": "Votre demande d’accès est en cours.", + "knock_cancel_action": "Annuler la demande", + "join_failed_needs_invite": "Pour afficher %(roomName)s, vous avez besoin d’une invitation", + "view_failed_enable_video_rooms": "Pour afficher, veuillez d’abord activer les salons vision dans la section Expérimental", + "join_failed_enable_video_rooms": "Pour rejoindre, veuillez d’abord activer les salons vision dans la section Expérimental" }, "file_panel": { "guest_note": "Vous devez vous inscrire pour utiliser cette fonctionnalité", @@ -4212,7 +4193,15 @@ "keyword_new": "Nouveau mot-clé", "class_global": "Global", "class_other": "Autre", - "mentions_keywords": "Mentions et mots-clés" + "mentions_keywords": "Mentions et mots-clés", + "default": "Par défaut", + "all_messages": "Tous les messages", + "all_messages_description": "Recevoir une notification pour chaque message", + "mentions_and_keywords": "@mentions et mots-clés", + "mentions_and_keywords_description": "Recevoir des notifications uniquement pour les mentions et mot-clés comme défini dans vos paramètres", + "mute_description": "Vous n’aurez aucune notification", + "email_pusher_app_display_name": "Notifications par courriel", + "message_didnt_send": "Le message n’a pas été envoyé. Cliquer pour plus d’info." }, "mobile_guide": { "toast_title": "Utilisez une application pour une meilleure expérience", @@ -4238,6 +4227,44 @@ "integration_manager": { "connecting": "Connexion au gestionnaire d’intégrations…", "error_connecting_heading": "Impossible de se connecter au gestionnaire d’intégrations", - "error_connecting": "Le gestionnaire d’intégrations est hors ligne ou il ne peut pas joindre votre serveur d’accueil." + "error_connecting": "Le gestionnaire d’intégrations est hors ligne ou il ne peut pas joindre votre serveur d’accueil.", + "use_im_default": "Utilisez un gestionnaire d’intégrations (%(serverName)s) pour gérer les robots, les widgets et les jeux d’autocollants.", + "use_im": "Utilisez un gestionnaire d’intégrations pour gérer les robots, les widgets et les jeux d’autocollants.", + "manage_title": "Gérer les intégrations", + "explainer": "Les gestionnaires d’intégrations reçoivent les données de configuration et peuvent modifier les widgets, envoyer des invitations aux salons et définir les rangs à votre place." + }, + "identity_server": { + "url_not_https": "L’URL du serveur d’identité doit être en HTTPS", + "error_invalid": "Serveur d’identité non valide (code de statut %(code)s)", + "error_connection": "Impossible de se connecter au serveur d’identité", + "checking": "Vérification du serveur", + "change": "Changer le serveur d’identité", + "change_prompt": "Se déconnecter du serveur d’identité et se connecter à à la place ?", + "error_invalid_or_terms": "Les conditions de services n’ont pas été acceptées ou le serveur d’identité n’est pas valide.", + "no_terms": "Le serveur d’identité que vous avez choisi n’a pas de conditions de service.", + "disconnect": "Se déconnecter du serveur d’identité", + "disconnect_server": "Se déconnecter du serveur d’identité  ?", + "disconnect_offline_warning": "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.", + "suggestions": "Vous devriez :", + "suggestions_1": "vérifier qu’aucune des extensions de votre navigateur ne bloque le serveur d’identité (comme Privacy Badger)", + "suggestions_2": "contacter les administrateurs du serveur d’identité ", + "suggestions_3": "attendre et réessayer plus tard", + "disconnect_anyway": "Se déconnecter quand même", + "disconnect_personal_data_warning_1": "Vous partagez toujours vos données personnelles sur le serveur d’identité .", + "disconnect_personal_data_warning_2": "Nous recommandons que vous supprimiez vos adresses e-mail et vos numéros de téléphone du serveur d’identité avant de vous déconnecter.", + "url": "Serveur d’identité (%(server)s)", + "description_connected": "Vous utilisez actuellement pour découvrir et être découvert par des contacts existants que vous connaissez. Vous pouvez changer votre serveur d’identité ci-dessous.", + "change_server_prompt": "Si vous ne voulez pas utiliser pour découvrir et être découvrable par les contacts que vous connaissez, saisissez un autre serveur d’identité ci-dessous.", + "description_disconnected": "Vous n’utilisez actuellement aucun serveur d’identité. Pour découvrir et être découvert par les contacts existants que vous connaissez, ajoutez-en un ci-dessous.", + "disconnect_warning": "La déconnexion de votre serveur d’identité signifie que vous ne serez plus découvrable par d’autres utilisateurs et que vous ne pourrez plus faire d’invitation par e-mail ou téléphone.", + "description_optional": "L’utilisation d’un serveur d’identité est optionnelle. Si vous ne choisissez pas d’utiliser un serveur d’identité, les autres utilisateurs ne pourront pas vous découvrir et vous ne pourrez pas en inviter par e-mail ou par téléphone.", + "do_not_use": "Ne pas utiliser de serveur d’identité", + "url_field_label": "Saisissez un nouveau serveur d’identité" + }, + "member_list": { + "invite_button_no_perms_tooltip": "Vous n’avez pas la permission d’inviter des utilisateurs", + "invited_list_heading": "Invités", + "filter_placeholder": "Filtrer les membres du salon", + "power_label": "%(userName)s (rang %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/ga.json b/src/i18n/strings/ga.json index e923efdc33..6893c02b0e 100644 --- a/src/i18n/strings/ga.json +++ b/src/i18n/strings/ga.json @@ -6,13 +6,7 @@ "An error has occurred.": "D’imigh earráid éigin.", "A new password must be entered.": "Caithfear focal faire nua a iontráil.", "%(items)s and %(lastItem)s": "%(items)s agus %(lastItem)s", - "No Webcams detected": "Níor braitheadh aon ceamara gréasáin", - "No Microphones detected": "Níor braitheadh aon micreafón", - "Reject & Ignore user": "Diúltaigh ⁊ Neamaird do úsáideoir", - "Ignored users": "Úsáideoirí neamhairde", - "Unignore": "Stop ag tabhairt neamhaird air", "%(weekDayName)s %(time)s": "%(weekDayName)s ar a %(time)s", - "Permission Required": "Is Teastáil Cead", "Transfer": "Aistrigh", "Hold": "Fan", "Resume": "Tosaigh arís", @@ -202,13 +196,8 @@ "Information": "Eolas", "Ok": "Togha", "Accepting…": "ag Glacadh leis…", - "Bridges": "Droichid", "Lock": "Glasáil", "Unencrypted": "Gan chriptiú", - "None": "Níl aon cheann", - "Italics": "Iodálach", - "Discovery": "Aimsiú", - "Success!": "Rath!", "Home": "Tús", "Removing…": "ag Baint…", "Changelog": "Loga na n-athruithe", @@ -227,22 +216,13 @@ "Monday": "Dé Luain", "Sunday": "Dé Domhnaigh", "Search…": "Cuardaigh…", - "Re-join": "Téigh ar ais isteach", - "Historical": "Stairiúil", - "Rooms": "Seomraí", - "Replying": "Ag freagairt", "%(duration)sd": "%(duration)sl", "%(duration)sh": "%(duration)su", "%(duration)sm": "%(duration)sn", "%(duration)ss": "%(duration)ss", - "Email Address": "Seoladh Ríomhphoist", "Light bulb": "Bolgán solais", "Thumbs up": "Ordógí suas", - "Invited": "Le cuireadh", "Demote": "Bain ceadanna", - "Browse": "Brabhsáil", - "Sounds": "Fuaimeanna", - "Authentication": "Fíordheimhniú", "Warning!": "Aire!", "Folder": "Fillteán", "Headphones": "Cluasáin", @@ -304,10 +284,8 @@ "Lion": "Leon", "Cat": "Cat", "Dog": "Madra", - "Reason": "Cúis", "Moderator": "Modhnóir", "Restricted": "Teoranta", - "Default": "Réamhshocrú", "AM": "RN", "PM": "IN", "Dec": "Nol", @@ -330,35 +308,22 @@ "Mon": "Lua", "Sun": "Doṁ", "Send": "Seol", - "Explore rooms": "Breathnaigh thart ar na seomraí", "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?", - "Deactivate Account": "Cuir cuntas as feidhm", - "Account management": "Bainistíocht cuntais", - "Phone numbers": "Uimhreacha guthán", - "Email addresses": "Seoltaí r-phost", - "Phone Number": "Uimhir Fóin", - "Verification code": "Cód fíoraithe", "Results": "Torthaí", "Decrypting": "Ag Díchriptiú", - "Address": "Seoladh", "Sent": "Seolta", "Sending": "Ag Seoladh", "Avatar": "Abhatár", "Unnamed room": "Seomra gan ainm", "Admin Tools": "Uirlisí Riaracháin", "Demote yourself?": "Tabhair ísliú céime duit féin?", - "Notification sound": "Fuaim fógra", - "Uploaded sound": "Fuaim uaslódáilte", - "Room Addresses": "Seoltaí Seomra", "%(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", "Rooms and spaces": "Seomraí agus spásanna", - "Low priority": "Tosaíocht íseal", "Share room": "Roinn seomra", - "Forget room": "Déan dearmad ar an seomra", "Join Room": "Téigh isteach an seomra", "(~%(count)s results)": { "one": "(~%(count)s toradh)", @@ -371,10 +336,8 @@ "Failed to mute user": "Níor ciúnaíodh an úsáideoir", "Failed to load timeline position": "Níor lódáladh áit amlíne", "Failed to forget room %(errCode)s": "Níor dhearnadh dearmad ar an seomra %(errCode)s", - "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", "Error decrypting attachment": "Earráid le ceangaltán a dhíchriptiú", - "Enter passphrase": "Iontráil pasfrása", "Email address": "Seoladh ríomhphoist", "Download %(text)s": "Íoslódáil %(text)s", "Decrypt %(text)s": "Díchriptigh %(text)s", @@ -444,7 +407,11 @@ "general": "Ginearálta", "profile": "Próifíl", "display_name": "Ainm Taispeána", - "user_avatar": "Pictiúr próifíle" + "user_avatar": "Pictiúr próifíle", + "authentication": "Fíordheimhniú", + "rooms": "Seomraí", + "low_priority": "Tosaíocht íseal", + "historical": "Stairiúil" }, "action": { "continue": "Lean ar aghaidh", @@ -522,7 +489,9 @@ "refresh": "Athnuaigh", "mention": "Luaigh", "submit": "Cuir isteach", - "unban": "Bain an cosc" + "unban": "Bain an cosc", + "unignore": "Stop ag tabhairt neamhaird air", + "explore_rooms": "Breathnaigh thart ar na seomraí" }, "labs": { "pinning": "Ceangal teachtaireachta", @@ -553,7 +522,10 @@ "autocomplete": { "command_description": "Ordú", "user_description": "Úsáideoirí" - } + }, + "poll_button_no_perms_title": "Is Teastáil Cead", + "format_italics": "Iodálach", + "replying_title": "Ag freagairt" }, "Code": "Cód", "power_level": { @@ -584,7 +556,9 @@ "encryption_section": "Criptiúchán", "secret_storage_ready": "réidh", "delete_backup": "Scrios cúltaca", - "key_backup_algorithm": "Algartam:" + "key_backup_algorithm": "Algartam:", + "key_backup_active_version_none": "Níl aon cheann", + "ignore_users_section": "Úsáideoirí neamhairde" }, "general": { "account_section": "Cuntas", @@ -597,7 +571,26 @@ "add_msisdn_confirm_sso_button": "Deimhnigh an uimhir ghutháin seo le SSO mar cruthúnas céannachta.", "add_msisdn_confirm_button": "Deimhnigh an uimhir ghutháin nua", "add_msisdn_confirm_body": "Cliceáil an cnaipe thíos chun an uimhir ghutháin nua a dheimhniú.", - "add_msisdn_dialog_title": "Cuir uimhir ghutháin" + "add_msisdn_dialog_title": "Cuir uimhir ghutháin", + "error_password_change_403": "Níor éiríodh leis do phasfhocal a hathrú. An bhfuil do phasfhocal ceart?", + "emails_heading": "Seoltaí r-phost", + "msisdns_heading": "Uimhreacha guthán", + "deactivate_section": "Cuir cuntas as feidhm", + "account_management_section": "Bainistíocht cuntais", + "discovery_section": "Aimsiú", + "msisdn_verification_field_label": "Cód fíoraithe", + "email_address_label": "Seoladh Ríomhphoist", + "msisdn_label": "Uimhir Fóin" + }, + "voip": { + "audio_input_empty": "Níor braitheadh aon micreafón", + "video_input_empty": "Níor braitheadh aon ceamara gréasáin" + }, + "key_backup": { + "backup_success": "Rath!" + }, + "key_export_import": { + "enter_passphrase": "Iontráil pasfrása" } }, "devtools": { @@ -729,7 +722,8 @@ "privileged_users_section": "Úsáideoirí Pribhléideacha", "muted_users_section": "Úsáideoirí Fuaim", "banned_users_section": "Úsáideoirí toirmiscthe", - "permissions_section": "Ceadanna" + "permissions_section": "Ceadanna", + "ban_reason": "Cúis" }, "security": { "enable_encryption_confirm_title": "Cumasaigh criptiú?", @@ -737,17 +731,29 @@ "history_visibility_world_readable": "Aon duine" }, "general": { - "url_previews_section": "Réamhamhairc URL" + "url_previews_section": "Réamhamhairc URL", + "aliases_section": "Seoltaí Seomra", + "other_section": "Eile" }, "advanced": { "room_version_section": "Leagan seomra", "room_version": "Leagan seomra:" }, "visibility": { - "title": "Léargas" + "title": "Léargas", + "alias_section": "Seoladh" }, "access": { "title": "Rochtain" + }, + "bridges": { + "title": "Droichid" + }, + "notifications": { + "uploaded_sound": "Fuaim uaslódáilte", + "sounds_section": "Fuaimeanna", + "notification_sound": "Fuaim fógra", + "browse_button": "Brabhsáil" } }, "encryption": { @@ -849,11 +855,17 @@ "context_menu": { "unfavourite": "Roghnaithe", "favourite": "Cuir mar ceanán" - } + }, + "header": { + "forget_room_button": "Déan dearmad ar an seomra" + }, + "rejoin_button": "Téigh ar ais isteach", + "invite_reject_ignore": "Diúltaigh ⁊ Neamaird do úsáideoir" }, "labs_mjolnir": { "ban_reason": "Neamhairde/Tachta", - "title": "Úsáideoirí neamhairde" + "title": "Úsáideoirí neamhairde", + "rules_empty": "Níl aon cheann" }, "failed_load_async_component": "Ní féidir a lódáil! Seiceáil do nascacht líonra agus bain triail eile as.", "upload_failed_generic": "Níor éirigh leis an gcomhad '%(fileName)s' a uaslódáil.", @@ -883,7 +895,8 @@ "colour_bold": "Trom", "keyword": "Eochairfhocal", "class_global": "Uilíoch", - "class_other": "Eile" + "class_other": "Eile", + "default": "Réamhshocrú" }, "onboarding": { "create_account": "Déan cuntas a chruthú" @@ -893,5 +906,8 @@ }, "create_space": { "address_label": "Seoladh" + }, + "member_list": { + "invited_list_heading": "Le cuireadh" } } diff --git a/src/i18n/strings/gl.json b/src/i18n/strings/gl.json index ba0741a560..9fdcd69bbe 100644 --- a/src/i18n/strings/gl.json +++ b/src/i18n/strings/gl.json @@ -24,50 +24,31 @@ "%(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", - "Default": "Por defecto", "Restricted": "Restrinxido", "Moderator": "Moderador", - "Reason": "Razón", "Send": "Enviar", - "Incorrect verification code": "Código de verificación incorrecto", - "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", "Failed to ban user": "Fallo ao bloquear usuaria", "Failed to mute user": "Fallo ó silenciar usuaria", "Are you sure?": "Está segura?", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Non poderá desfacer este cambio xa que lle estará promocionando e outorgándolle a outra persoa os mesmos permisos que os seus.", - "Unignore": "Non ignorar", "Jump to read receipt": "Ir ao resgardo de lectura", "Admin Tools": "Ferramentas de administración", "and %(count)s others...": { "other": "e %(count)s outras...", "one": "e outra máis..." }, - "Invited": "Convidada", - "Filter room members": "Filtrar os participantes da conversa", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (permiso %(powerLevelNumber)s)", - "You do not have permission to post to this room": "Non ten permiso para comentar nesta sala", "%(duration)ss": "%(duration)ss", "%(duration)sm": "%(duration)sm", "%(duration)sh": "%(duration)sh", "%(duration)sd": "%(duration)sd", - "Replying": "Respondendo", "Unnamed room": "Sala sen nome", "(~%(count)s results)": { "other": "(~%(count)s resultados)", "one": "(~%(count)s resultado)" }, "Join Room": "Unirse a sala", - "Forget room": "Esquecer sala", "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.": "Non poderá desfacer este cambio xa que está a diminuír a súa autoridade, se é a única persoa con autorización na sala será imposible volver a obter privilexios.", - "Rooms": "Salas", - "Low priority": "Baixa prioridade", - "Historical": "Historial", - "%(roomName)s does not exist.": "%(roomName)s non existe.", - "%(roomName)s is not accessible at this time.": "%(roomName)s non está accesible neste momento.", - "Failed to unban": "Fallou eliminar a prohibición", - "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", "Jump to first unread message.": "Ir a primeira mensaxe non lida.", @@ -93,16 +74,11 @@ "other": "E %(count)s máis..." }, "Confirm Removal": "Confirma a retirada", - "Deactivate Account": "Desactivar conta", "An error has occurred.": "Algo fallou.", "Unable to restore session": "Non se puido restaurar a sesión", "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 anteriormente utilizaches unha versión máis recente de %(brand)s, a túa sesión podería non ser compatible con esta versión. Pecha esta ventá e volve á versión máis recente.", - "Invalid Email Address": "Enderezo de correo non válido", - "This doesn't appear to be a valid email address": "Este non semella ser un enderezo de correo válido", "Verification Pending": "Verificación pendente", "Please check your email and click on the link it contains. Once this is done, click continue.": "Comprobe o seu correo electrónico e pulse na ligazón que contén. Unha vez feito iso prema continuar.", - "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.", "Reject invitation": "Rexeitar convite", "Are you sure you want to reject the invitation?": "Seguro que desexa rexeitar o convite?", @@ -124,24 +100,10 @@ "one": "Subindo %(filename)s e %(count)s máis" }, "Uploading %(filename)s": "Subindo %(filename)s", - "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", - "No Microphones detected": "Non se detectaron micrófonos", - "No Webcams detected": "Non se detectaron cámaras", "A new password must be entered.": "Debe introducir un novo contrasinal.", "New passwords must match each other.": "Os novos contrasinais deben ser coincidentes.", "Return to login screen": "Volver a pantalla de acceso", "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", - "Export room keys": "Exportar chaves da sala", - "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 permíteche exportar a un ficheiro local as chaves para as mensaxes que recibiches en salas cifradas. Após poderás importar as chaves noutro cliente Matrix no futuro, así o cliente poderá descifrar esas mensaxes.", - "Enter passphrase": "Introduza a frase de paso", - "Confirm passphrase": "Confirma a frase de paso", - "Import room keys": "Importar chaves de sala", - "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 permíteche importar chaves de cifrado que exportaches doutro cliente Matrix. Así poderás descifrar calquera mensaxe que o outro cliente puidese cifrar.", - "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "O ficheiro exportado estará protexido con unha frase de paso. Debe introducir aquí esa frase de paso para descifrar o ficheiro.", - "File to import": "Ficheiro a importar", "In reply to ": "En resposta a ", "This room is not public. You will not be able to rejoin without an invite.": "Esta sala non é pública. Non poderá volver a ela sen un convite.", "You don't currently have any stickerpacks enabled": "Non ten paquetes de iconas activados", @@ -160,8 +122,6 @@ "Monday": "Luns", "All Rooms": "Todas as Salas", "Wednesday": "Mércores", - "All messages": "Todas as mensaxes", - "Invite to this room": "Convidar a esta sala", "You cannot delete this message. (%(code)s)": "Non pode eliminar esta mensaxe. (%(code)s)", "Thursday": "Xoves", "Logs sent": "Informes enviados", @@ -179,16 +139,12 @@ "Share User": "Compartir usuaria", "Share Room Message": "Compartir unha mensaxe da sala", "Link to selected message": "Ligazón á mensaxe escollida", - "No Audio Outputs detected": "Non se detectou unha saída de audio", - "Audio Output": "Saída de audio", - "Permission Required": "Precísanse permisos", "This event could not be displayed": "Non se puido amosar este evento", "Demote yourself?": "Baixarse a ti mesma de rango?", "Demote": "Baixar de rango", "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.", "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.": "A súa mensaxe non foi enviada porque este servidor acadou o Límite Mensual de Usuaria Activa. Por favor contacte coa administración do servizo para continuar utilizando o servizo.", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "A súa mensaxe non foi enviada porque o servidor superou o límite de recursos. Por favor contacte coa administración do servizo para continuar utilizando o servizo.", - "Sign Up": "Rexistro", "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.": "O eliminación das chaves de sinatura cruzada é permanente. Calquera a quen verificases con elas verá alertas de seguridade. Seguramente non queres facer esto, a menos que perdeses todos os dispositivos nos que podías asinar.", "Confirm your account deactivation by using Single Sign On to prove your identity.": "Confirma a desactivación da túa conta usando Single Sign On para probar a túa identidade.", "To continue, use Single Sign On to prove your identity.": "Para continuar, usa Single Sign On para probar a túa identidade.", @@ -196,16 +152,12 @@ "Sign out and remove encryption keys?": "Saír e eliminar as chaves de cifrado?", "Sign in with SSO": "Conecta utilizando SSO", "Your password has been reset.": "Restableceuse o contrasinal.", - "Discovery": "Descubrir", "Deactivate account": "Desactivar conta", - "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.", - "Explore rooms": "Explorar salas", "General failure": "Fallo xeral", - "Room Addresses": "Enderezos da sala", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Algo fallou ao actualizar os enderezos alternativos da sala. É posible que o servidor non o permita ou acontecese un fallo temporal.", "Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "Establecer enderezos para a sala para que poida ser atopada no teu servidor local (%(localDomain)s)", "Room Settings - %(roomName)s": "Axustes da sala - %(roomName)s", @@ -220,14 +172,6 @@ "Your homeserver has exceeded one of its resource limits.": "O teu servidor superou un dous seus límites de recursos.", "Ok": "Ok", "Set up": "Configurar", - "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.", - "Try to join anyway": "Inténtao igualmente", - "Join the discussion": "Súmate a conversa", - "Do you want to join %(roomName)s?": "Queres unirte a %(roomName)s?", - "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", "IRC display name width": "Ancho do nome mostrado de IRC", "Dog": "Can", @@ -298,70 +242,7 @@ "This backup is trusted because it has been restored on this session": "Esta copia é de confianza porque foi restaurada nesta sesión", "Back up your keys before signing out to avoid losing them.": "Fai unha copia de apoio das chaves antes de saír para evitar perdelas.", "Start using Key Backup": "Fai unha Copia de apoio das chaves", - "Checking server": "Comprobando servidor", - "Change identity server": "Cambiar de servidor de identidade", - "Disconnect from the identity server and connect to instead?": "Desconectar do servidor de identidade e conectar con ?", - "Terms of service not accepted or the identity server is invalid.": "Non se aceptaron os Termos do servizo ou o servidor de identidade non é válido.", - "The identity server you have chosen does not have any terms of service.": "O servidor de identidade escollido non ten establecidos termos do servizo.", - "Disconnect identity server": "Desconectar servidor de identidade", - "Disconnect from the identity server ?": "Desconectar do servidor de identidade ?", - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Deberías eliminar os datos personais do servidor de identidade antes de desconectar. Desgraciadamente, o servidor non está en liña ou non é accesible.", - "You should:": "Deberías:", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "comprobar os engadidos do navegador por algún está bloqueando o servidor de identidade (como Privacy Badger)", - "contact the administrators of identity server ": "contactar coa administración do servidor de identidade ", - "wait and try again later": "agardar e probar máis tarde", - "Disconnect anyway": "Desconectar igualmente", - "You are still sharing your personal data on the identity server .": "Aínda estás compartindo datos personais no servidor de identidade .", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Recomendámosche que elimines os teus enderezos de email e números de teléfono do servidor de identidade antes de desconectar del.", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Neste intre usas para atopar e ser atopado polos contactos existentes que coñeces. Aquí abaixo podes cambiar de servidor de identidade.", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Se non queres usar para atopar e ser atopado polos contactos existentes que coñeces, escribe embaixo outro servidor de identidade.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Non estás a usar un servidor de identidade. Para atopar e ser atopado polos contactos existentes que coñeces, engade un embaixo.", - "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.": "Ao desconectar do teu servidor de identidade non te poderán atopar as outras usuarias e non poderás convidar a outras polo seu email ou teléfono.", - "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.": "Usar un servidor de identidade é optativo. Se escolles non usar un, non poderás ser atopado por outras usuarias e non poderás convidar a outras polo seu email ou teléfono.", - "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", - "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.", - "None": "Nada", - "Ignored users": "Usuarias ignoradas", - "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "A administración do servidor desactivou por defecto o cifrado extremo-a-extremo en salas privadas e Mensaxes Directas.", - "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", - "Room information": "Informació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", - "Sounds": "Audios", - "Notification sound": "Ton de notificación", - "Set a new custom sound": "Establecer novo ton personalizado", - "Browse": "Buscar", - "Error changing power level requirement": "Erro ao cambiar o requerimento de nivel de responsabilidade", - "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.", - "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", - "Click the link in the email you received to verify and then click continue again.": "Preme na ligazón do email recibido para verificalo e após preme en continuar outra vez.", - "Verify the link in your inbox": "Verifica a ligazón na túa caixa de correo", - "Discovery options will appear once you have added an email above.": "As opcións de descubrimento aparecerán após ti engadas un email.", - "Unable to revoke sharing for phone number": "Non se puido revogar a compartición do número de teléfono", - "Unable to share phone number": "Non se puido compartir o número de teléfono", - "Unable to verify phone number.": "Non se puido verificar o número de teléfono.", - "Please enter verification code sent via text.": "Escribe o código de verificación enviado no SMS.", - "Verification code": "Código de verificación", - "Discovery options will appear once you have added a phone number above.": "As opción para atoparte aparecerán cando engadas un número de teléfono.", - "Remove %(email)s?": "Eliminar %(email)s?", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Enviamosche un email para verificar o enderezo. Segue as instrucións incluídas e após preme no botón inferior.", - "Email Address": "Enderezo de Email", - "Remove %(phone)s?": "Eliminar %(phone)s?", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Enviamosche un SMS ao +%(msisdn)s. Escribe o código de verificación que contén.", - "Phone Number": "Número de teléfono", "This user has not verified all of their sessions.": "Esta usuaria non verificou ningunha das súas sesións.", "You have not verified this user.": "Non verificaches esta usuaria.", "You have verified this user. This user has verified all of their sessions.": "Verificaches esta usuaria. A usuaria verificou todas as súas sesións.", @@ -373,28 +254,7 @@ "Unencrypted": "Non cifrada", "Encrypted by a deleted session": "Cifrada por unha sesión eliminada", "Scroll to most recent messages": "Ir ás mensaxes máis recentes", - "Close preview": "Pechar vista previa", - "The conversation continues here.": "A conversa continúa aquí.", - "This room has been replaced and is no longer active.": "Esta sala foi substituída e xa non está activa.", - "Italics": "Cursiva", - "No recently visited rooms": "Sen salas recentes visitadas", - "Reason: %(reason)s": "Razón: %(reason)s", - "Forget this room": "Esquecer sala", - "You were banned from %(roomName)s by %(memberName)s": "Foches bloqueada en %(roomName)s por %(memberName)s", - "Something went wrong with your invite to %(roomName)s": "Algo fallou co teu convite para %(roomName)s", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Este convite para %(roomName)s foi enviado a %(email)s que non está asociado coa túa conta", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Liga este email coa túa conta nos Axustes para recibir convites directamente en %(brand)s.", - "This invite to %(roomName)s was sent to %(email)s": "Este convite para %(roomName)s foi enviado a %(email)s", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Usa un servidor de identidade nos Axustes para recibir convites directamente en %(brand)s.", - "Share this email in Settings to receive invites directly in %(brand)s.": "Comparte este email en Axustes para recibir convites directamente en %(brand)s.", - "Do you want to chat with %(user)s?": "Desexas conversar con %(user)s?", - " wants to chat": " quere conversar", - "Start chatting": "Comeza a conversa", - " invited you": " convidoute", - "Reject & Ignore user": "Rexeitar e Ignorar usuaria", "Message preview": "Vista previa da mensaxe", - "Add room": "Engadir sala", - "Room options": "Opcións da Sala", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Ao actualizar a sala pecharás a instancia actual da sala e crearás unha versión mellorada co mesmo nome.", "This room has already been upgraded.": "Esta sala xa foi actualizada.", "This room is running room version , which this homeserver has marked as unstable.": "A sala está usando a versión , que este servidor considera como non estable.", @@ -629,47 +489,13 @@ "Invalid identity server discovery response": "Resposta de descubrimento de identidade do servidor non válida", "Invalid base_url for m.identity_server": "base_url para m.identity_server non válida", "Identity server URL does not appear to be a valid identity server": "O URL do servidor de identidade non semella ser un servidor de identidade válido", - "Failed to re-authenticate due to a homeserver problem": "Fallo ó reautenticar debido a un problema no servidor", - "Clear personal data": "Baleirar datos personais", "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:", - "Restore your key backup to upgrade your encryption": "Restablece a copia das chaves para actualizar o cifrado", - "You'll need to authenticate with the server to confirm the upgrade.": "Debes autenticarte no servidor para confirmar a actualización.", - "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Actualiza esta sesión para permitirlle que verifique as outras sesións, outorgándolles acceso ás mensaxes cifradas e marcándoas como confiables para outras usuarias.", - "That matches!": "Concorda!", - "Use a different passphrase?": "¿Usar unha frase de paso diferente?", - "That doesn't match.": "Non concorda.", - "Go back to set it again.": "Vai atrás e volve a escribila.", - "Unable to query secret storage status": "Non se obtivo o estado do almacenaxe segredo", - "Upgrade your encryption": "Mellora o teu cifrado", - "Unable to set up secret storage": "Non se configurou un almacenaxe segredo", - "Your keys are being backed up (the first backup could take a few minutes).": "As chaves estanse a copiar (a primeira copia podería tardar un anaco).", - "Success!": "Feito!", - "Create key backup": "Crear copia da chave", - "Unable to create key backup": "Non se creou a copia da chave", - "New Recovery Method": "Novo Método de Recuperación", - "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.": "Se non configuras o novo método de recuperación, un atacante podería intentar o acceso á túa conta. Cambia inmediatamente o contrasinal da conta e configura un novo método de recuperación nos Axustes.", - "This session is encrypting history using the new recovery method.": "Esta sesión está cifrando o historial usando o novo método de recuperación.", - "Go to Settings": "Ir a Axustes", - "Set up Secure Messages": "Configurar Mensaxes Seguras", - "Recovery Method Removed": "Método de Recuperación eliminado", - "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.": "Se fixeches esto sen querer, podes configurar Mensaxes Seguras nesta sesión e volverá a cifrar as mensaxes da sesión cun novo método de recuperación.", - "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 eliminaches o método de recuperación, un atacante podería estar a intentar acceder á túa conta. Cambia inmediatamente o contrasinal da conta e establece un novo método de recuperación nos Axustes.", "Wrong file type": "Tipo de ficheiro erróneo", "Looks good!": "Pinta ben!", "Security Phrase": "Frase de seguridade", "Security Key": "Chave de Seguridade", "Use your Security Key to continue.": "Usa a túa Chave de Seguridade para continuar.", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Protección contra a perda do acceso ás mensaxes cifradas e datos facendo unha copia de apoio das chaves no servidor.", - "Generate a Security Key": "Crear unha Chave de Seguridade", - "Enter a Security Phrase": "Escribe unha Frase de Seguridade", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Usa unha frase segreda que só ti coñezas, e de xeito optativo unha Chave de Seguridade para usar como apoio.", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Se cancelas agora, poderías perder mensaxes e datos cifrados se perdes o acceso ás sesións iniciadas.", - "You can also set up Secure Backup & manage your keys in Settings.": "Podes configurar a Copia de apoio Segura e xestionar as chaves en Axustes.", - "Set a Security Phrase": "Establece a Frase de Seguridade", - "Confirm Security Phrase": "Confirma a Frase de Seguridade", - "Save your Security Key": "Garda a Chave de Seguridade", "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 a outra versión de %(brand)s aínda está aberta noutra lapela, péchaa xa que usar %(brand)s no mesmo servidor con carga preguiceira activada e desactivada ao mesmo tempo causará problemas.", "This room is public": "Esta é unha sala pública", "Edited at %(date)s": "Editado o %(date)s", @@ -686,7 +512,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", - "Explore public rooms": "Explorar salas públicas", "Preparing to download logs": "Preparándose para descargar rexistro", "Information": "Información", "Not encrypted": "Sen cifrar", @@ -711,8 +536,6 @@ "You can only pin up to %(count)s widgets": { "other": "Só podes fixar ata %(count)s widgets" }, - "Show Widgets": "Mostrar Widgets", - "Hide Widgets": "Agochar Widgets", "Data on this screen is shared with %(widgetDomain)s": "Os datos nesta pantalla compártense con %(widgetDomain)s", "Modal Widget": "Widget modal", "Invite someone using their name, email address, username (like ) or share this room.": "Convida a persoas usando o seu nome, enderezo de email, nome de usuaria (como ) ou comparte esta sala.", @@ -980,10 +803,6 @@ "A call can only be transferred to a single user.": "Unha chamada só se pode transferir a unha única usuaria.", "Open dial pad": "Abrir marcador", "Dial pad": "Marcador", - "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", - "Great! This Security Phrase looks strong enough.": "Ben! Esta Frase de Seguridade semella ser forte abondo.", "If you've forgotten your Security Key you can ": "Se esqueceches a túa Chave de Seguridade podes ", "Access your secure message history and set up secure messaging by entering your Security Key.": "Accede ao teu historial de mensaxes seguras e asegura a comunicación escribindo a Chave de Seguridade.", "Not a valid Security Key": "Chave de Seguridade non válida", @@ -1003,7 +822,6 @@ "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", - "Recently visited rooms": "Salas visitadas recentemente", "%(count)s members": { "one": "%(count)s participante", "other": "%(count)s participantes" @@ -1017,14 +835,9 @@ "Create a new room": "Crear unha nova sala", "Space selection": "Selección de Espazos", "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.": "Non poderás desfacer este cambio xa que te estás degradando a ti mesma, se es a última usuaria con privilexios no espazo será imposible volver a obter os privilexios.", - "Suggested Rooms": "Salas suxeridas", - "Add existing room": "Engadir sala existente", - "Invite to this space": "Convidar a este espazo", "Your message was sent": "Enviouse a túa mensaxe", "Leave space": "Saír do espazo", "Create a space": "Crear un espazo", - "Private space": "Espazo privado", - "Public space": "Espazo público", " 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", @@ -1041,7 +854,6 @@ "Reset event store?": "Restablecer almacenaxe do evento?", "You most likely do not want to reset your event index store": "Probablemente non queiras restablecer o índice de almacenaxe do evento", "Avatar": "Avatar", - "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.", "%(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" @@ -1067,8 +879,6 @@ "other": "Ver tódolos %(count)s membros" }, "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.", "Want to add a new room instead?": "Queres engadir unha nova sala?", "Adding rooms... (%(progress)s out of %(count)s)": { "one": "Engadindo sala...", @@ -1085,10 +895,6 @@ "You may contact me if you have any follow up questions": "Podes contactar conmigo se tes algunha outra suxestión", "To leave the beta, visit your settings.": "Para saír da beta, vai aos axustes.", "Add reaction": "Engadir reacción", - "Currently joining %(count)s rooms": { - "one": "Neste intre estás en %(count)s sala", - "other": "Neste intre estás en %(count)s salas" - }, "Or send invite link": "Ou envía ligazón de convite", "Some suggestions may be hidden for privacy.": "Algunhas suxestións poderían estar agochadas por privacidade.", "Search for rooms or people": "Busca salas ou persoas", @@ -1098,13 +904,6 @@ "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", "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.", - "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.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Usa un Xestor de Integracións para xestionar bots, widgets e paquetes de adhesivos.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Usa un Xestor de Integración (%(serverName)s) para xestionar bots, widgets e paquetes de adhesivos.", - "Identity server (%(server)s)": "Servidor de Identidade (%(server)s)", - "Could not connect to identity server": "Non hai conexión co Servidor de Identidade", - "Not a valid identity server (status code %(code)s)": "Servidor de Identidade non válido (código de estado %(code)s)", - "Identity server URL must be HTTPS": "O URL do servidor de identidade debe comezar HTTPS", "User Directory": "Directorio de Usuarias", "Please provide an address": "Proporciona un enderezo", "Message search initialisation failed, check your settings for more information": "Fallou a inicialización da busca de mensaxes, comproba os axustes para máis información", @@ -1114,12 +913,6 @@ "Published addresses can be used by anyone on any server to join your room.": "Os enderezos publicados poden ser utilizados por calquera en calquera servidor para unirse á túa sala.", "Published addresses can be used by anyone on any server to join your space.": "Os enderezos publicados podense usar por calquera en calquera servidor para unirse ao teu espazo.", "This space has no local addresses": "Este espazo non ten enderezos locais", - "Show %(count)s other previews": { - "one": "Mostrar %(count)s outra vista previa", - "other": "Mostrar outras %(count)s vistas previas" - }, - "Space information": "Información do Espazo", - "Address": "Enderezo", "Unable to copy a link to the room to the clipboard.": "Non se copiou a ligazón da sala ao portapapeis.", "Unable to copy room link": "Non se puido copiar ligazón da sala", "Unnamed audio": "Audio sen nome", @@ -1140,7 +933,6 @@ "Decide which spaces can access this room. If a space is selected, its members can find and join .": "Decide que espazos poderán acceder a esta sala. Se un espazo é elexido, os seus membros poderán atopar e unirse a .", "Select spaces": "Elixe espazos", "You're removing all spaces. Access will default to invite only": "Vas eliminar tódolos espazos. Por defecto o acceso cambiará a só por convite", - "Public room": "Sala pública", "Want to add an existing space instead?": "Queres engadir un espazo xa existente?", "Private space (invite only)": "Espazo privado (só convidadas)", "Space visibility": "Visibilidade do espazo", @@ -1154,7 +946,6 @@ "Create a new space": "Crear un novo espazo", "Want to add a new space instead?": "Queres engadir un espazo no seu lugar?", "Add existing space": "Engadir un espazo existente", - "Add space": "Engadir espazo", "Leave %(spaceName)s": "Saír de %(spaceName)s", "You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Es a única administradora dalgunhas salas ou espazos dos que queres saír. Ao saír deles deixaralos sen administración.", "You're the only admin of this space. Leaving it will mean no one has control over it.": "Ti es a única administradora deste espazo. Ao saír farás que a ninguén teña control sobre el.", @@ -1169,21 +960,12 @@ "Results": "Resultados", "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", - "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.", "Would you like to leave the rooms in this space?": "Queres saír destas salas neste espazo?", "You are about to leave .": "Vas saír de .", "Leave some rooms": "Saír de algunhas salas", "Leave all rooms": "Saír de tódalas salas", "Don't leave any rooms": "Non saír de ningunha sala", - "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.": "O restablecemento das chaves de seguridade non se pode desfacer. Tras o restablecemento, non terás acceso ás antigas mensaxes cifradas, e calquera amizade que verificaras con anterioridade vai ver un aviso de seguridade ata que volvades a verificarvos mutuamente.", - "I'll verify later": "Verificarei máis tarde", - "Verify with Security Key": "Verificar coa Chave de Seguridade", - "Verify with Security Key or Phrase": "Verificar coa Chave ou Frase de Seguridade", - "Proceed with reset": "Procede co restablecemento", - "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.": "Semella que non tes unha Chave de Seguridade ou outros dispositivos cos que verificar. Este dispositivo non poderá acceder a mensaxes antigas cifradas. Para poder verificar a túa identidade neste dispositivo tes que restablecer as chaves de verificación.", "Skip verification for now": "Omitir a verificación por agora", "Really reset verification keys?": "Queres restablecer as chaves de verificación?", "MB": "MB", @@ -1205,7 +987,6 @@ }, "View in room": "Ver na sala", "Enter your Security Phrase or to continue.": "Escribe a túa Frase de Seguridade ou para continuar.", - "Insert link": "Escribir ligazón", "Joined": "Unícheste", "Joining": "Uníndote", "In encrypted rooms, verify all users to ensure it's secure.": "En salas cifradas, verfica tódalas usuarias para ter certeza de que é segura.", @@ -1215,18 +996,8 @@ "Yours, or the other users' session": "Túas, ou da sesión doutras persoas", "Yours, or the other users' internet connection": "Da túa, ou da conexión a internet doutras persoas", "The homeserver the user you're verifying is connected to": "O servidor ao que está conectado a persoa que estás verificando", - "You do not have permission to start polls in this room.": "Non tes permiso para publicar enquisas nesta sala.", "Reply in thread": "Responder nun fío", - "You won't get any notifications": "Non recibirás ningunha notificación", - "Get notifications as set up in your settings": "Ter notificacións tal como se indica nos axustes", - "Get notified only with mentions and keywords as set up in your settings": "Ter notificacións só cando te mencionan e con palabras chave que indiques nos axustes", - "@mentions & keywords": "@mencións & palabras chave", - "Get notified for every message": "Ter notificación de tódalas mensaxes", - "This room isn't bridging messages to any platforms. Learn more.": "Esta sala non está a reenviar mensaxes a ningún outro sistema. Saber máis.", - "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.", "Copy link to thread": "Copiar ligazón da conversa", "Thread options": "Opcións da conversa", "Forget": "Esquecer", @@ -1252,12 +1023,6 @@ "Messaging": "Conversando", "Spaces you know that contain this space": "Espazos que sabes conteñen este espazo", "Chat": "Chat", - "Home options": "Opcións de Incio", - "%(spaceName)s menu": "Menú de %(spaceName)s", - "Join public room": "Unirse a sala pública", - "Add people": "Engadir persoas", - "Invite to space": "Convidar ao espazo", - "Start new chat": "Iniciar un novo chat", "Recently viewed": "Visto recentemente", "%(count)s votes cast. Vote to see the results": { "other": "%(count)s votos recollidos. Vota para ver os resultados", @@ -1299,10 +1064,6 @@ "Remove them from everything I'm able to": "Eliminar de tódolos lugares nos que podo facelo", "Remove from %(roomName)s": "Eliminar de %(roomName)s", "To proceed, please accept the verification request on your other device.": "Para seguir, acepta a solicitude de verificación no teu outro dispositivo.", - "You were removed from %(roomName)s by %(memberName)s": "%(memberName)s sacoute da sala %(roomName)s", - "Poll": "Enquisa", - "Voice Message": "Mensaxe de voz", - "Hide stickers": "Agochar adhesivos", "From a thread": "Desde un fío", "Wait!": "Agarda!", "Open in OpenStreetMap": "Abrir en OpenStreetMap", @@ -1313,9 +1074,6 @@ "This address does not point at this room": "Este enderezo non dirixe a esta sala", "Missing room name or separator e.g. (my-room:domain.org)": "Falta o nome da sala ou separador ex. (sala:dominio.org)", "Missing domain separator e.g. (:domain.org)": "Falta o separador do cominio ex. (:dominio.org)", - "Your new device is now verified. Other users will see it as trusted.": "O dispositivo xa está verificado. Outras persoas verano como confiable.", - "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "O novo dispositivo xa está verificado. Ten acceso a tódalas túas mensaxes cifradas, e outra usuarias verano como confiable.", - "Verify with another device": "Verifica usando outro dispositivo", "Device verified": "Dispositivo verificado", "Verify this device": "Verifica este dispositivo", "Unable to verify this device": "Non se puido verificar este dispositivo", @@ -1347,10 +1105,6 @@ }, "%(displayName)s's live location": "Localización en directo de %(displayName)s", "Can't create a thread from an event with an existing relation": "Non se pode crear un tema con unha relación existente desde un evento", - "Currently removing messages in %(count)s rooms": { - "one": "Eliminando agora mensaxes de %(count)s sala", - "other": "Eliminando agora mensaxes de %(count)s salas" - }, "Unsent": "Sen enviar", "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.": "Podes usar as opcións personalizadas do servidor para acceder a outros servidores Matrix indicando o URL do servidor de inicio. Así podes usar %(brand)s cunha conta Matrix rexistrada nun servidor diferente.", "An error occurred while stopping your live location, please try again": "Algo fallou ao deter a túa localización en directo, inténtao outra vez", @@ -1359,23 +1113,6 @@ "one": "1 participante", "other": "%(count)s participantes" }, - "%(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.": "Obtívose o erro %(errcode)s ao intentar acceder á sala ou espazo. Se cres que esta mensaxe é un erro, por favor envía un informe do fallo.", - "Try again later, or ask a room or space admin to check if you have access.": "Inténtao máis tarde, ou solicita a admin da sala ou espazo que mire se tes acceso.", - "This room or space is not accessible at this time.": "Esta sala ou espazo non é accesible neste intre.", - "Are you sure you're at the right place?": "Tes a certeza de que é o lugar correcto?", - "This room or space does not exist.": "Esta sala ou espazo no existe.", - "There's no preview, would you like to join?": "Non hai vista previa, queres unirte?", - "This invite was sent to %(email)s": "Este convite enviouse a %(email)s", - "This invite was sent to %(email)s which is not associated with your account": "O convite enviouselle a %(email)s que non está asociado coa túa conta", - "You can still join here.": "Podes entrar aquí igualmente.", - "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.": "Houbo un erro (%(errcode)s) ao intentar validar o teu convite. Podes intentar enviarlle esta información á persoa que te convidou.", - "Something went wrong with your invite.": "Algo foi mal co teu convite.", - "You were banned by %(memberName)s": "%(memberName)s vetoute", - "Forget this space": "Esquecer este espazo", - "You were removed by %(memberName)s": "%(memberName)s eliminoute de aquí", - "Loading preview": "Cargando vista previa", - "New video room": "Nova sala de vídeo", - "New room": "Nova sala", "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", @@ -1405,11 +1142,6 @@ "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.": "Pechaches a sesión en tódolos dispositivos e non recibirás notificacións push. Para reactivalas notificacións volve a acceder en cada dispositivo.", "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.": "Se queres manter o acceso ao historial de conversas en salas cifradas, configura a Copia de Apoio das Chaves ou exporta as chaves das mensaxes desde un dos teus dispositivos antes de continuar.", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Ao pechar sesión nos teus dispositivos eliminarás as chaves de cifrado de mensaxes gardadas neles, facendo ilexible o historial de conversas cifrado.", - "Seen by %(count)s people": { - "one": "Visto por %(count)s persoa", - "other": "Visto por %(count)s persoas" - }, - "Your password was successfully changed.": "Cambiouse correctamente o contrasinal.", "An error occurred while stopping your live location": "Algo fallou ao deter a compartición da localización en directo", "%(members)s and %(last)s": "%(members)s e %(last)s", "%(members)s and more": "%(members)s e máis", @@ -1419,17 +1151,9 @@ "Input devices": "Dispositivos de entrada", "Open room": "Abrir sala", "Show Labs settings": "Mostrar axustes en Labs", - "To join, please enable video rooms in Labs first": "Para unirte, primeiro activa as salas de vídeo en Labs", - "To view, please enable video rooms in Labs first": "Para ver, primeiro activa as salas de vídeo en Labs", - "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", "Unread email icon": "Icona de email non lido", "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", - "Joining…": "Entrando…", - "Read receipts": "Resgados de lectura", - "Deactivating your account is a permanent action — be careful!": "A desactivación da conta é unha acción permanente — coidado!", "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.", "Remove search filter for %(filter)s": "Elimina o filtro de busca de %(filter)s", "Start a group chat": "Inicia un chat en grupo", @@ -1451,7 +1175,6 @@ "You cannot search for rooms that are neither a room nor a space": "Non podes buscar salas que non son nin unha sala nin un espazo", "Show spaces": "Mostrar espazos", "Show rooms": "Mostrar salas", - "Join the room to participate": "Únete á sala para participar", "Explore public spaces in the new search dialog": "Explorar espazos públicos no novo diálogo de busca", "Stop and close": "Deter e pechar", "Online community members": "Membros de comunidades en liña", @@ -1468,7 +1191,6 @@ "We're creating a room with %(names)s": "Estamos creando unha sala con %(names)s", "Interactively verify by emoji": "Verificar interactivamente usando emoji", "Manually verify by text": "Verificar manualmente con texto", - "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s ou %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s ou %(recoveryFile)s", "common": { "about": "Acerca de", @@ -1569,7 +1291,18 @@ "general": "Xeral", "profile": "Perfil", "display_name": "Nome mostrado", - "user_avatar": "Imaxe de perfil" + "user_avatar": "Imaxe de perfil", + "authentication": "Autenticación", + "public_room": "Sala pública", + "video_room": "Sala de vídeo", + "public_space": "Espazo público", + "private_space": "Espazo privado", + "private_room": "Sala privada", + "rooms": "Salas", + "low_priority": "Baixa prioridade", + "historical": "Historial", + "go_to_settings": "Ir a Axustes", + "setup_secure_messages": "Configurar Mensaxes Seguras" }, "action": { "continue": "Continuar", @@ -1672,7 +1405,16 @@ "unban": "Non bloquear", "click_to_copy": "Click para copiar", "hide_advanced": "Ocultar Avanzado", - "show_advanced": "Mostrar Avanzado" + "show_advanced": "Mostrar Avanzado", + "unignore": "Non ignorar", + "start_new_chat": "Iniciar un novo chat", + "invite_to_space": "Convidar ao espazo", + "add_people": "Engadir persoas", + "explore_rooms": "Explorar salas", + "new_room": "Nova sala", + "new_video_room": "Nova sala de vídeo", + "add_existing_room": "Engadir sala existente", + "explore_public_rooms": "Explorar salas públicas" }, "a11y": { "user_menu": "Menú de usuaria", @@ -1685,7 +1427,8 @@ "one": "1 mensaxe non lida." }, "unread_messages": "Mensaxes non lidas.", - "jump_first_invite": "Vai ó primeiro convite." + "jump_first_invite": "Vai ó primeiro convite.", + "room_name": "Sala %(name)s" }, "labs": { "video_rooms": "Salas de vídeo", @@ -1833,7 +1576,19 @@ "space_a11y": "Autocompletado do espazo", "user_description": "Usuarias", "user_a11y": "Autocompletados de Usuaria" - } + }, + "room_upgraded_link": "A conversa continúa aquí.", + "room_upgraded_notice": "Esta sala foi substituída e xa non está activa.", + "no_perms_notice": "Non ten permiso para comentar nesta sala", + "send_button_voice_message": "Enviar mensaxe de voz", + "close_sticker_picker": "Agochar adhesivos", + "voice_message_button": "Mensaxe de voz", + "poll_button_no_perms_title": "Precísanse permisos", + "poll_button_no_perms_description": "Non tes permiso para publicar enquisas nesta sala.", + "poll_button": "Enquisa", + "format_italics": "Cursiva", + "format_insert_link": "Escribir ligazón", + "replying_title": "Respondendo" }, "Code": "Código", "power_level": { @@ -2035,7 +1790,14 @@ "inline_url_previews_room_account": "Activar vista previa de URL nesta sala (só che afecta a ti)", "inline_url_previews_room": "Activar a vista previa de URL por defecto para as participantes nesta sala", "voip": { - "mirror_local_feed": "Replicar a fonte de vídeo local" + "mirror_local_feed": "Replicar a fonte de vídeo local", + "missing_permissions_prompt": "Falta permiso acceso multimedia, preme o botón para solicitalo.", + "request_permissions": "Solicitar permiso a multimedia", + "audio_output": "Saída de audio", + "audio_output_empty": "Non se detectou unha saída de audio", + "audio_input_empty": "Non se detectaron micrófonos", + "video_input_empty": "Non se detectaron cámaras", + "title": "Voz e Vídeo" }, "send_read_receipts_unsupported": "O teu servidor non ten soporte para desactivar o envío de resgardos de lectura.", "security": { @@ -2105,7 +1867,11 @@ "key_backup_connect": "Conecta esta sesión a Copia de Apoio de chaves", "key_backup_complete": "Copiaronse todas as chaves", "key_backup_algorithm": "Algoritmo:", - "key_backup_inactive_warning": "As túas chaves non están a ser copiadas desde esta sesión." + "key_backup_inactive_warning": "As túas chaves non están a ser copiadas desde esta sesión.", + "key_backup_active_version_none": "Nada", + "ignore_users_empty": "Non tes usuarias ignoradas.", + "ignore_users_section": "Usuarias ignoradas", + "e2ee_default_disabled_warning": "A administración do servidor desactivou por defecto o cifrado extremo-a-extremo en salas privadas e Mensaxes Directas." }, "preferences": { "room_list_heading": "Listaxe de Salas", @@ -2196,7 +1962,41 @@ "add_msisdn_dialog_title": "Engadir novo Número", "name_placeholder": "Sen nome público", "error_saving_profile_title": "Non se gardaron os cambios", - "error_saving_profile": "Non se puido realizar a acción" + "error_saving_profile": "Non se puido realizar a acción", + "error_password_change_403": "Fallo ao cambiar o contrasinal. É correcto o contrasinal?", + "password_change_success": "Cambiouse correctamente o contrasinal.", + "emails_heading": "Enderezos de email", + "msisdns_heading": "Número de teléfono", + "discovery_needs_terms": "Acepta os Termos do Servizo do servidor (%(serverName)s) para permitir que te atopen polo enderezo de email ou número de teléfono.", + "deactivate_section": "Desactivar conta", + "account_management_section": "Xestión da conta", + "deactivate_warning": "A desactivación da conta é unha acción permanente — coidado!", + "discovery_section": "Descubrir", + "error_revoke_email_discovery": "Non se puido revogar a compartición para o enderezo de correo", + "error_share_email_discovery": "Non se puido compartir co enderezo de email", + "email_not_verified": "O teu enderezo de email aínda non foi verificado", + "email_verification_instructions": "Preme na ligazón do email recibido para verificalo e após preme en continuar outra vez.", + "error_email_verification": "Non se puido verificar enderezo de correo electrónico.", + "discovery_email_verification_instructions": "Verifica a ligazón na túa caixa de correo", + "discovery_email_empty": "As opcións de descubrimento aparecerán após ti engadas un email.", + "error_revoke_msisdn_discovery": "Non se puido revogar a compartición do número de teléfono", + "error_share_msisdn_discovery": "Non se puido compartir o número de teléfono", + "error_msisdn_verification": "Non se puido verificar o número de teléfono.", + "incorrect_msisdn_verification": "Código de verificación incorrecto", + "msisdn_verification_instructions": "Escribe o código de verificación enviado no SMS.", + "msisdn_verification_field_label": "Código de verificación", + "discovery_msisdn_empty": "As opción para atoparte aparecerán cando engadas un número de teléfono.", + "error_set_name": "Fallo ao establecer o nome público", + "error_remove_3pid": "Non se puido eliminar a información do contacto", + "remove_email_prompt": "Eliminar %(email)s?", + "error_invalid_email": "Enderezo de correo non válido", + "error_invalid_email_detail": "Este non semella ser un enderezo de correo válido", + "error_add_email": "Non se puido engadir enderezo de correo", + "add_email_instructions": "Enviamosche un email para verificar o enderezo. Segue as instrucións incluídas e após preme no botón inferior.", + "email_address_label": "Enderezo de Email", + "remove_msisdn_prompt": "Eliminar %(phone)s?", + "add_msisdn_instructions": "Enviamosche un SMS ao +%(msisdn)s. Escribe o código de verificación que contén.", + "msisdn_label": "Número de teléfono" }, "sidebar": { "title": "Barra lateral", @@ -2209,6 +2009,52 @@ "metaspaces_orphans_description": "Agrupa nun só lugar tódalas túas salas que non forman parte dun espazo.", "metaspaces_home_all_rooms_description": "Mostra tódalas túas salas en Inicio, incluso se están nun espazo.", "metaspaces_home_all_rooms": "Mostar tódalas salas" + }, + "key_backup": { + "backup_in_progress": "As chaves estanse a copiar (a primeira copia podería tardar un anaco).", + "backup_success": "Feito!", + "create_title": "Crear copia da chave", + "cannot_create_backup": "Non se creou a copia da chave", + "setup_secure_backup": { + "generate_security_key_title": "Crear unha Chave de Seguridade", + "generate_security_key_description": "Imos crear unha Chave de Seguridade para que a gardes nun lugar seguro, como nun xestor de contrasinais ou caixa forte.", + "enter_phrase_title": "Escribe unha Frase de Seguridade", + "description": "Protección contra a perda do acceso ás mensaxes cifradas e datos facendo unha copia de apoio das chaves no servidor.", + "requires_password_confirmation": "Escribe o contrasinal para confirmar a actualización:", + "requires_key_restore": "Restablece a copia das chaves para actualizar o cifrado", + "requires_server_authentication": "Debes autenticarte no servidor para confirmar a actualización.", + "session_upgrade_description": "Actualiza esta sesión para permitirlle que verifique as outras sesións, outorgándolles acceso ás mensaxes cifradas e marcándoas como confiables para outras usuarias.", + "phrase_strong_enough": "Ben! Esta Frase de Seguridade semella ser forte abondo.", + "pass_phrase_match_success": "Concorda!", + "use_different_passphrase": "¿Usar unha frase de paso diferente?", + "pass_phrase_match_failed": "Non concorda.", + "set_phrase_again": "Vai atrás e volve a escribila.", + "enter_phrase_to_confirm": "Escribe a túa Frase de Seguridade por segunda vez para confirmala.", + "confirm_security_phrase": "Confirma a Frase de Seguridade", + "security_key_safety_reminder": "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.", + "download_or_copy": "%(downloadButton)s ou %(copyButton)s", + "secret_storage_query_failure": "Non se obtivo o estado do almacenaxe segredo", + "cancel_warning": "Se cancelas agora, poderías perder mensaxes e datos cifrados se perdes o acceso ás sesións iniciadas.", + "settings_reminder": "Podes configurar a Copia de apoio Segura e xestionar as chaves en Axustes.", + "title_upgrade_encryption": "Mellora o teu cifrado", + "title_set_phrase": "Establece a Frase de Seguridade", + "title_confirm_phrase": "Confirma a Frase de Seguridade", + "title_save_key": "Garda a Chave de Seguridade", + "unable_to_setup": "Non se configurou un almacenaxe segredo", + "use_phrase_only_you_know": "Usa unha frase segreda que só ti coñezas, e de xeito optativo unha Chave de Seguridade para usar como apoio." + } + }, + "key_export_import": { + "export_title": "Exportar chaves da sala", + "export_description_1": "Este proceso permíteche exportar a un ficheiro local as chaves para as mensaxes que recibiches en salas cifradas. Após poderás importar as chaves noutro cliente Matrix no futuro, así o cliente poderá descifrar esas mensaxes.", + "enter_passphrase": "Introduza a frase de paso", + "confirm_passphrase": "Confirma a frase de paso", + "phrase_cannot_be_empty": "A frase de paso non pode quedar baldeira", + "phrase_must_match": "As frases de paso deben coincidir", + "import_title": "Importar chaves de sala", + "import_description_1": "Este proceso permíteche importar chaves de cifrado que exportaches doutro cliente Matrix. Así poderás descifrar calquera mensaxe que o outro cliente puidese cifrar.", + "import_description_2": "O ficheiro exportado estará protexido con unha frase de paso. Debe introducir aquí esa frase de paso para descifrar o ficheiro.", + "file_to_import": "Ficheiro a importar" } }, "devtools": { @@ -2666,7 +2512,19 @@ "collapse_reply_thread": "Contraer fío de resposta", "view_related_event": "Ver evento relacionado", "report": "Denunciar" - } + }, + "url_preview": { + "show_n_more": { + "one": "Mostrar %(count)s outra vista previa", + "other": "Mostrar outras %(count)s vistas previas" + }, + "close": "Pechar vista previa" + }, + "read_receipt_title": { + "one": "Visto por %(count)s persoa", + "other": "Visto por %(count)s persoas" + }, + "read_receipts_label": "Resgados de lectura" }, "slash_command": { "spoiler": "Envía a mensaxe dada como un spoiler", @@ -2899,7 +2757,14 @@ "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" + "permissions_section_description_room": "Escolle os roles requeridos para cambiar determinadas partes da sala", + "error_unbanning": "Fallou eliminar a prohibición", + "banned_by": "Non aceptado por %(displayName)s", + "ban_reason": "Razón", + "error_changing_pl_reqs_title": "Erro ao cambiar o requerimento de nivel de responsabilidade", + "error_changing_pl_reqs_description": "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_pl_title": "Erro ao cambiar nivel de responsabilidade", + "error_changing_pl_description": "Algo fallou ao cambiar o nivel de responsabilidade da usuaria. Asegúrate de ter permiso suficiente e inténtao outra vez." }, "security": { "strict_encryption": "Non enviar mensaxes cifradas desde esta sesión a sesións non verificadas nesta sala", @@ -2951,7 +2816,9 @@ "join_rule_upgrade_updating_spaces": { "one": "Actualizando espazo...", "other": "Actualizando espazos... (%(progress)s de %(count)s)" - } + }, + "error_join_rule_change_title": "Fallou a actualización das normas para unirse", + "error_join_rule_change_unknown": "Fallo descoñecido" }, "general": { "publish_toggle": "Publicar esta sala no directorio público de salas de %(domain)s?", @@ -2965,7 +2832,9 @@ "error_save_space_settings": "Fallo ao gardar os axustes do espazo.", "description_space": "Editar os axustes relativos ao teu espazo.", "save": "Gardar cambios", - "leave_space": "Deixar o Espazo" + "leave_space": "Deixar o Espazo", + "aliases_section": "Enderezos da sala", + "other_section": "Outro" }, "advanced": { "unfederated": "Esta sala non é accesible por servidores Matrix remotos", @@ -2975,7 +2844,9 @@ "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:" + "room_version": "Versión da sala:", + "information_section_space": "Información do Espazo", + "information_section_room": "Información da sala" }, "delete_avatar_label": "Eliminar avatar", "upload_avatar_label": "Subir avatar", @@ -2989,11 +2860,25 @@ "history_visibility_anyone_space": "Vista previa do Espazo", "history_visibility_anyone_space_description": "Permitir que sexa visible o espazo antes de unirte a el.", "history_visibility_anyone_space_recommendation": "Recomendado para espazos públicos.", - "guest_access_label": "Activar acceso de convidadas" + "guest_access_label": "Activar acceso de convidadas", + "alias_section": "Enderezo" }, "access": { "title": "Acceder", "description_space": "Decidir quen pode ver e unirse a %(spaceName)s." + }, + "bridges": { + "description": "Esta sala está enviando mensaxes ás seguintes plataformas. Coñece máis.", + "empty": "Esta sala non está a reenviar mensaxes a ningún outro sistema. Saber máis.", + "title": "Pontes" + }, + "notifications": { + "uploaded_sound": "Audio subido", + "settings_link": "Ter notificacións tal como se indica nos axustes", + "sounds_section": "Audios", + "notification_sound": "Ton de notificación", + "custom_sound_prompt": "Establecer novo ton personalizado", + "browse_button": "Buscar" } }, "encryption": { @@ -3024,7 +2909,18 @@ "unverified_sessions_toast_description": "Revisa para asegurarte de que a túa conta está protexida", "unverified_sessions_toast_reject": "Máis tarde", "unverified_session_toast_title": "Nova sesión. Foches ti?", - "request_toast_detail": "%(deviceId)s desde %(ip)s" + "request_toast_detail": "%(deviceId)s desde %(ip)s", + "no_key_or_device": "Semella que non tes unha Chave de Seguridade ou outros dispositivos cos que verificar. Este dispositivo non poderá acceder a mensaxes antigas cifradas. Para poder verificar a túa identidade neste dispositivo tes que restablecer as chaves de verificación.", + "reset_proceed_prompt": "Procede co restablecemento", + "verify_using_key_or_phrase": "Verificar coa Chave ou Frase de Seguridade", + "verify_using_key": "Verificar coa Chave de Seguridade", + "verify_using_device": "Verifica usando outro dispositivo", + "verification_description": "Verifica a túa identidade para acceder a mensaxes cifradas e acreditar a túa identidade ante outras.", + "verification_success_with_backup": "O novo dispositivo xa está verificado. Ten acceso a tódalas túas mensaxes cifradas, e outra usuarias verano como confiable.", + "verification_success_without_backup": "O dispositivo xa está verificado. Outras persoas verano como confiable.", + "verification_skip_warning": "Sen verificación non poderás acceder a tódalas túas mensaxes e poderían aparecer como non confiables ante outras persoas.", + "verify_later": "Verificarei máis tarde", + "verify_reset_warning_1": "O restablecemento das chaves de seguridade non se pode desfacer. Tras o restablecemento, non terás acceso ás antigas mensaxes cifradas, e calquera amizade que verificaras con anterioridade vai ver un aviso de seguridade ata que volvades a verificarvos mutuamente." }, "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.", @@ -3045,7 +2941,19 @@ "cross_signing_ready_no_backup": "A sinatura-cruzada está preparada pero non hai copia das chaves.", "cross_signing_untrusted": "A túa conta ten unha identidade de sinatura cruzada no almacenaxe segredo, pero aínda non confiaches nela nesta sesión.", "cross_signing_not_ready": "Non está configurada a Sinatura-Cruzada.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Novo Método de Recuperación", + "description_1": "Detectouse unha nova Frase de Seguridade e chave para as Mensaxes Seguras.", + "description_2": "Esta sesión está cifrando o historial usando o novo método de recuperación.", + "warning": "Se non configuras o novo método de recuperación, un atacante podería intentar o acceso á túa conta. Cambia inmediatamente o contrasinal da conta e configura un novo método de recuperación nos Axustes." + }, + "recovery_method_removed": { + "title": "Método de Recuperación eliminado", + "description_1": "Esta sesión detectou que se eliminaron a túa Frase de Seguridade e chave para Mensaxes Seguras.", + "description_2": "Se fixeches esto sen querer, podes configurar Mensaxes Seguras nesta sesión e volverá a cifrar as mensaxes da sesión cun novo método de recuperación.", + "warning": "Se non eliminaches o método de recuperación, un atacante podería estar a intentar acceder á túa conta. Cambia inmediatamente o contrasinal da conta e establece un novo método de recuperación nos Axustes." + } }, "emoji": { "category_frequently_used": "Utilizado con frecuencia", @@ -3203,7 +3111,9 @@ "autodiscovery_unexpected_error_hs": "Houbo un fallo ao acceder a configuración do servidor", "autodiscovery_unexpected_error_is": "Houbo un fallo ao acceder a configuración do servidor de identidade", "incorrect_credentials_detail": "Ten en conta que estás accedendo ao servidor %(hs)s, non a matrix.org.", - "create_account_title": "Crea unha conta" + "create_account_title": "Crea unha conta", + "failed_soft_logout_homeserver": "Fallo ó reautenticar debido a un problema no servidor", + "soft_logout_subheading": "Baleirar datos personais" }, "room_list": { "sort_unread_first": "Mostrar primeiro as salas con mensaxes sen ler", @@ -3220,7 +3130,23 @@ "notification_options": "Opcións de notificación", "failed_set_dm_tag": "Non se estableceu a etiqueta de mensaxe directa", "failed_remove_tag": "Fallo ao eliminar a etiqueta %(tagName)s da sala", - "failed_add_tag": "Fallo ao engadir a etiqueta %(tagName)s a sala" + "failed_add_tag": "Fallo ao engadir a etiqueta %(tagName)s a sala", + "breadcrumbs_label": "Salas visitadas recentemente", + "breadcrumbs_empty": "Sen salas recentes visitadas", + "add_room_label": "Engadir sala", + "suggested_rooms_heading": "Salas suxeridas", + "add_space_label": "Engadir espazo", + "join_public_room_label": "Unirse a sala pública", + "joining_rooms_status": { + "one": "Neste intre estás en %(count)s sala", + "other": "Neste intre estás en %(count)s salas" + }, + "redacting_messages_status": { + "one": "Eliminando agora mensaxes de %(count)s sala", + "other": "Eliminando agora mensaxes de %(count)s salas" + }, + "space_menu_label": "Menú de %(spaceName)s", + "home_menu_label": "Opcións de Incio" }, "report_content": { "missing_reason": "Escribe a razón do informe.", @@ -3440,7 +3366,8 @@ "search_children": "Buscar %(spaceName)s", "invite_link": "Compartir ligazón do convite", "invite": "Convidar persoas", - "invite_description": "Convida con email ou nome de usuaria" + "invite_description": "Convida con email ou nome de usuaria", + "invite_this_space": "Convidar a este espazo" }, "location_sharing": { "MapStyleUrlNotConfigured": "Este servidor non está configurado para mostrar mapas.", @@ -3494,7 +3421,8 @@ "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" + "lists_new_label": "ID da sala ou enderezo da listaxe de bloqueo", + "rules_empty": "Nada" }, "create_space": { "name_required": "Escribe un nome para o espazo", @@ -3585,8 +3513,61 @@ "mentions_only": "Só mencións", "copy_link": "Copiar ligazón á sala", "low_priority": "Baixa prioridade", - "forget": "Esquecer sala" - } + "forget": "Esquecer sala", + "title": "Opcións da Sala" + }, + "invite_this_room": "Convidar a esta sala", + "header": { + "forget_room_button": "Esquecer sala", + "hide_widgets_button": "Agochar Widgets", + "show_widgets_button": "Mostrar Widgets" + }, + "joining": "Entrando…", + "join_title": "Únete á sala para participar", + "join_title_account": "Únete a conversa cunha conta", + "join_button_account": "Rexistro", + "loading_preview": "Cargando vista previa", + "kicked_from_room_by": "%(memberName)s sacoute da sala %(roomName)s", + "kicked_by": "%(memberName)s eliminoute de aquí", + "kick_reason": "Razón: %(reason)s", + "forget_space": "Esquecer este espazo", + "forget_room": "Esquecer sala", + "rejoin_button": "Volta a unirte", + "banned_from_room_by": "Foches bloqueada en %(roomName)s por %(memberName)s", + "banned_by": "%(memberName)s vetoute", + "3pid_invite_error_title_room": "Algo fallou co teu convite para %(roomName)s", + "3pid_invite_error_title": "Algo foi mal co teu convite.", + "3pid_invite_error_description": "Houbo un erro (%(errcode)s) ao intentar validar o teu convite. Podes intentar enviarlle esta información á persoa que te convidou.", + "3pid_invite_error_invite_subtitle": "Só podes unirte cun convite activo.", + "3pid_invite_error_invite_action": "Inténtao igualmente", + "3pid_invite_error_public_subtitle": "Podes entrar aquí igualmente.", + "join_the_discussion": "Súmate a conversa", + "3pid_invite_email_not_found_account_room": "Este convite para %(roomName)s foi enviado a %(email)s que non está asociado coa túa conta", + "3pid_invite_email_not_found_account": "O convite enviouselle a %(email)s que non está asociado coa túa conta", + "link_email_to_receive_3pid_invite": "Liga este email coa túa conta nos Axustes para recibir convites directamente en %(brand)s.", + "invite_sent_to_email_room": "Este convite para %(roomName)s foi enviado a %(email)s", + "invite_sent_to_email": "Este convite enviouse a %(email)s", + "3pid_invite_no_is_subtitle": "Usa un servidor de identidade nos Axustes para recibir convites directamente en %(brand)s.", + "invite_email_mismatch_suggestion": "Comparte este email en Axustes para recibir convites directamente en %(brand)s.", + "dm_invite_title": "Desexas conversar con %(user)s?", + "dm_invite_subtitle": " quere conversar", + "dm_invite_action": "Comeza a conversa", + "invite_title": "Queres unirte a %(roomName)s?", + "invite_subtitle": " convidoute", + "invite_reject_ignore": "Rexeitar e Ignorar usuaria", + "peek_join_prompt": "Vista previa de %(roomName)s. Queres unirte?", + "no_peek_join_prompt": "%(roomName)s non ten vista previa. Queres unirte?", + "no_peek_no_name_join_prompt": "Non hai vista previa, queres unirte?", + "not_found_title_name": "%(roomName)s non existe.", + "not_found_title": "Esta sala ou espazo no existe.", + "not_found_subtitle": "Tes a certeza de que é o lugar correcto?", + "inaccessible_name": "%(roomName)s non está accesible neste momento.", + "inaccessible": "Esta sala ou espazo non é accesible neste intre.", + "inaccessible_subtitle_1": "Inténtao máis tarde, ou solicita a admin da sala ou espazo que mire se tes acceso.", + "inaccessible_subtitle_2": "Obtívose o erro %(errcode)s ao intentar acceder á sala ou espazo. Se cres que esta mensaxe é un erro, por favor envía un informe do fallo.", + "join_failed_needs_invite": "Para ver %(roomName)s, precisas un convite", + "view_failed_enable_video_rooms": "Para ver, primeiro activa as salas de vídeo en Labs", + "join_failed_enable_video_rooms": "Para unirte, primeiro activa as salas de vídeo en Labs" }, "file_panel": { "guest_note": "Debe rexistrarse para utilizar esta función", @@ -3728,7 +3709,14 @@ "keyword_new": "Nova palabra chave", "class_global": "Global", "class_other": "Outro", - "mentions_keywords": "Mencións e palabras chave" + "mentions_keywords": "Mencións e palabras chave", + "default": "Por defecto", + "all_messages": "Todas as mensaxes", + "all_messages_description": "Ter notificación de tódalas mensaxes", + "mentions_and_keywords": "@mencións & palabras chave", + "mentions_and_keywords_description": "Ter notificacións só cando te mencionan e con palabras chave que indiques nos axustes", + "mute_description": "Non recibirás ningunha notificación", + "message_didnt_send": "Non se enviou a mensaxe. Click para info." }, "mobile_guide": { "toast_title": "Para ter unha mellor experiencia usa a app", @@ -3752,6 +3740,43 @@ "a11y_jump_first_unread_room": "Vaite a primeira sala non lida.", "integration_manager": { "error_connecting_heading": "Non se puido conectar co xestor de intregración", - "error_connecting": "O xestor de integración non está en liña ou non é accesible desde o teu servidor." + "error_connecting": "O xestor de integración non está en liña ou non é accesible desde o teu servidor.", + "use_im_default": "Usa un Xestor de Integración (%(serverName)s) para xestionar bots, widgets e paquetes de adhesivos.", + "use_im": "Usa un Xestor de Integracións para xestionar bots, widgets e paquetes de adhesivos.", + "manage_title": "Xestionar integracións", + "explainer": "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." + }, + "identity_server": { + "url_not_https": "O URL do servidor de identidade debe comezar HTTPS", + "error_invalid": "Servidor de Identidade non válido (código de estado %(code)s)", + "error_connection": "Non hai conexión co Servidor de Identidade", + "checking": "Comprobando servidor", + "change": "Cambiar de servidor de identidade", + "change_prompt": "Desconectar do servidor de identidade e conectar con ?", + "error_invalid_or_terms": "Non se aceptaron os Termos do servizo ou o servidor de identidade non é válido.", + "no_terms": "O servidor de identidade escollido non ten establecidos termos do servizo.", + "disconnect": "Desconectar servidor de identidade", + "disconnect_server": "Desconectar do servidor de identidade ?", + "disconnect_offline_warning": "Deberías eliminar os datos personais do servidor de identidade antes de desconectar. Desgraciadamente, o servidor non está en liña ou non é accesible.", + "suggestions": "Deberías:", + "suggestions_1": "comprobar os engadidos do navegador por algún está bloqueando o servidor de identidade (como Privacy Badger)", + "suggestions_2": "contactar coa administración do servidor de identidade ", + "suggestions_3": "agardar e probar máis tarde", + "disconnect_anyway": "Desconectar igualmente", + "disconnect_personal_data_warning_1": "Aínda estás compartindo datos personais no servidor de identidade .", + "disconnect_personal_data_warning_2": "Recomendámosche que elimines os teus enderezos de email e números de teléfono do servidor de identidade antes de desconectar del.", + "url": "Servidor de Identidade (%(server)s)", + "description_connected": "Neste intre usas para atopar e ser atopado polos contactos existentes que coñeces. Aquí abaixo podes cambiar de servidor de identidade.", + "change_server_prompt": "Se non queres usar para atopar e ser atopado polos contactos existentes que coñeces, escribe embaixo outro servidor de identidade.", + "description_disconnected": "Non estás a usar un servidor de identidade. Para atopar e ser atopado polos contactos existentes que coñeces, engade un embaixo.", + "disconnect_warning": "Ao desconectar do teu servidor de identidade non te poderán atopar as outras usuarias e non poderás convidar a outras polo seu email ou teléfono.", + "description_optional": "Usar un servidor de identidade é optativo. Se escolles non usar un, non poderás ser atopado por outras usuarias e non poderás convidar a outras polo seu email ou teléfono.", + "do_not_use": "Non usar un servidor de identidade", + "url_field_label": "Escribe o novo servidor de identidade" + }, + "member_list": { + "invited_list_heading": "Convidada", + "filter_placeholder": "Filtrar os participantes da conversa", + "power_label": "%(userName)s (permiso %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/he.json b/src/i18n/strings/he.json index 7cf55a474d..84d995a7c0 100644 --- a/src/i18n/strings/he.json +++ b/src/i18n/strings/he.json @@ -21,9 +21,7 @@ "Dec": "דצמבר", "PM": "PM", "AM": "AM", - "Rooms": "חדרים", "Send": "שלח", - "Failed to change password. Is your password correct?": "שינוי הסיסמה נכשל. האם הסיסמה שלך נכונה?", "unknown error code": "קוד שגיאה לא מוכר", "Failed to forget room %(errCode)s": "נכשל בעת בקשה לשכוח חדר %(errCode)s", "Unnamed room": "חדר ללא שם", @@ -41,8 +39,6 @@ "Monday": "שני", "All Rooms": "כל החדרים", "Wednesday": "רביעי", - "All messages": "כל ההודעות", - "Invite to this room": "הזמן לחדר זה", "You cannot delete this message. (%(code)s)": "לא ניתן למחוק הודעה זו. (%(code)s)", "Thursday": "חמישי", "Search…": "חפש…", @@ -54,7 +50,6 @@ "Timor-Leste": "טמור-לסטה", "St. Martin": "סיינט מרטין", "Oman": "אומן", - "Permission Required": "הרשאה דרושה", "American Samoa": "סמואה האמריקאית", "Algeria": "אלג'ריה", "Albania": "אלבניה", @@ -293,7 +288,6 @@ "Tonga": "טונגה", "Tokelau": "טוקלאו", "Vanuatu": "ונואטו", - "Default": "ברירת מחדל", "Zimbabwe": "זימבבואה", "Zambia": "זמביה", "Yemen": "תימן", @@ -307,11 +301,8 @@ "%(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:": "נכנסתם דרך התחברות חדשה מבלי לאמת אותה:", - "Reason": "סיבה", "Backup version:": "גירסת גיבוי:", "This backup is trusted because it has been restored on this session": "ניתן לסמוך על גיבוי זה מכיוון שהוא שוחזר בהפעלה זו", - "Failed to set display name": "עדכון שם תצוגה נכשל", - "Authentication": "אימות", "Set up": "הגדר", "Show more": "הצג יותר", "Folder": "תקיה", @@ -576,41 +567,20 @@ "This room is running room version , which this homeserver has marked as unstable.": "חדר זה מריץ את גרסת החדר , ששרת הבית הזה סימן כ- לא יציב .", "This room has already been upgraded.": "החדר הזה כבר שודרג.", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "שדרוג חדר זה יסגור את המופע הנוכחי של החדר וייצור חדר משודרג עם אותו שם.", - "Room options": "אפשרויות חדר", - "Sign Up": "הרשמה", - "Join the conversation with an account": "הצטרף לשיחה עם חשבון", - "Historical": "היסטוריה", - "Low priority": "עדיפות נמוכה", - "Explore public rooms": "שוטט בחדרים ציבוריים", "Create new room": "צור חדר חדש", - "Add room": "הוסף חדר", - "Show Widgets": "הצג ישומונים", - "Hide Widgets": "הסתר ישומונים", - "Forget room": "שכח חדר", "Join Room": "הצטרף אל חדר", "(~%(count)s results)": { "one": "(תוצאת %(count)s)", "other": "(תוצאת %(count)s)" }, - "No recently visited rooms": "אין חדרים שבקרתם בהם לאחרונה", - "Room %(name)s": "חדר %(name)s", - "Replying": "משיבים", "%(duration)sd": "%(duration)s (ימים)", "%(duration)sh": "%(duration)s (שעות)", "%(duration)sm": "%(duration)s (דקות)", "%(duration)ss": "(שניות) %(duration)s", - "Italics": "נטוי", - "You do not have permission to post to this room": "אין לך הרשאה לפרסם בחדר זה", - "This room has been replaced and is no longer active.": "חדר זה הוחלף ואינו פעיל יותר.", - "The conversation continues here.": "השיחה נמשכת כאן.", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (רמת הרשאה %(powerLevelNumber)s)", - "Filter room members": "סינון חברי חדר", - "Invited": "מוזמן", "and %(count)s others...": { "one": "ועוד אחד אחר...", "other": "ו %(count)s אחרים..." }, - "Close preview": "סגור תצוגה מקדימה", "Scroll to most recent messages": "גלול להודעות האחרונות", "The authenticity of this encrypted message can't be guaranteed on this device.": "לא ניתן להבטיח את האותנטיות של הודעה מוצפנת זו במכשיר זה.", "Encrypted by a deleted session": "הוצפן על ידי מושב שנמחק", @@ -624,36 +594,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.": "משתמש זה לא אימת את כל ההפעלות שלו.", - "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 ?", - "Email Address": "כתובת דוא\"ל", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "שלחנו לך דוא\"ל לאימות הכתובת שלך. אנא עקוב אחר ההוראות שם ואז לחץ על הכפתור למטה.", - "Unable to add email address": "לא ניתן להוסיף את כתובת הדוא\"ל", - "This doesn't appear to be a valid email address": "לא נראה שזו כתובת דוא\"ל חוקית", - "Invalid Email Address": "כתובת דוא\"ל לא תקינה", - "Remove %(email)s?": "הסר כתובות %(email)s ?", - "Unable to remove contact information": "לא ניתן להסיר את פרטי הקשר", - "Discovery options will appear once you have added a phone number above.": "אפשרויות גילוי יופיעו לאחר הוספת מספר טלפון לעיל.", - "Verification code": "קוד אימות", - "Please enter verification code sent via text.": "אנא הזן קוד אימות שנשלח באמצעות טקסט.", - "Incorrect verification code": "קוד אימות שגוי", - "Unable to verify phone number.": "לא ניתן לאמת את מספר הטלפון.", - "Unable to share phone number": "לא ניתן לשתף מספר טלפון", - "Unable to revoke sharing for phone number": "לא ניתן לבטל את השיתוף למספר טלפון", - "Discovery options will appear once you have added an email above.": "אפשרויות גילוי יופיעו לאחר הוספת דוא\"ל לעיל.", - "Verify the link in your inbox": "אמת את הקישור בתיבת הדואר הנכנס שלך", - "Unable to verify email address.": "לא ניתן לאמת את כתובת הדוא\"ל.", - "Click the link in the email you received to verify and then click continue again.": "לחץ על הקישור בהודעת הדוא\"ל שקיבלת כדי לאמת ואז לחץ על המשך שוב.", - "Your email address hasn't been verified yet": "כתובת הדוא\"ל שלך עדיין לא אומתה", - "Unable to share email address": "לא ניתן לשתף את כתובת הדוא\"ל", - "Unable to revoke sharing for email address": "לא ניתן לבטל את השיתוף לכתובת הדוא\"ל", - "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.": "אירעה שגיאה בשינוי דרישות רמת הניהול של החדר. ודא שיש לך הרשאות מספיקות ונסה שוב.", - "Error changing power level requirement": "שגיאה בשינוי דרישת דרגת ניהול", - "Banned by %(displayName)s": "נחסם על ידי %(displayName)s", - "Failed to unban": "שגיאה בהסרת חסימה", "Cancel search": "בטל חיפוש", "Can't load this message": "לא ניתן לטעון הודעה זו", "Submit logs": "הגש יומנים", @@ -663,85 +603,12 @@ "Edited at %(date)s": "נערך ב-%(date)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. האם אתה מקווה להמשיך?", "Add an Integration": "הוסף אינטגרציה", - "Browse": "דפדף", - "Set a new custom sound": "הגדר צליל מותאם אישי", - "Notification sound": "צליל התראה", - "Sounds": "צלילים", - "Uploaded sound": "צלילים שהועלו", - "Room Addresses": "כתובות חדרים", - "Bridges": "גשרים", - "This room is bridging messages to the following platforms. Learn more.": "חדר זה מגשר בין מסרים לפלטפורמות הבאות. למידע נוסף. ", - "Room information": "מידע החדר", - "Voice & Video": "שמע ווידאו", - "Audio Output": "יציאת שמע", - "No Webcams detected": "לא נמצאה מצלמת רשת", - "No Microphones detected": "לא נמצא מיקרופון", - "No Audio Outputs detected": "לא התגלו יציאות אודיו", - "Request media permissions": "בקש הרשאות למדיה", - "Missing media permissions, click the button below to request.": "חסרות הרשאות מדיה, לחץ על הלחצן למטה כדי לבקש.", - "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "מנהל השרת שלך השבית הצפנה מקצה לקצה כברירת מחדל בחדרים פרטיים ובהודעות ישירות.", - "Unignore": "הסר התעלמות", - "Ignored users": "משתמשים שהתעלמתם מהם", - "None": "ללא", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "כדי לדווח על בעיית אבטחה , אנא קראו את מדיניות גילוי האבטחה של Matrix.org .", - "Discovery": "מציאה", "Deactivate account": "סגור חשבון", - "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) כדי לאפשר לעצמך להיות גלוי על ידי כתובת דוא\"ל או מספר טלפון.", - "Phone numbers": "מספרי טלפון", - "Email addresses": "כתובות דוא\"ל", - "Manage integrations": "נהל שילובים", - "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.": "השימוש בשרת זהות הוא אופציונלי. אם תבחר לא להשתמש בשרת זהות, משתמשים אחרים לא יוכלו לגלות ולא תוכל להזמין אחרים בדוא\"ל או בטלפון.", - "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.": "אינך משתמש כרגע בשרת זהות. כדי לגלות ולהיות נגלים על ידי אנשי קשר קיימים שאתה מכיר, הוסף אחד למטה.", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "אם אינך רוצה להשתמש ב- כדי לגלות ולהיות נגלה על ידי אנשי קשר קיימים שאתה מכיר, הזן שרת זהות אחר למטה.", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "אתה משתמש כרגע ב די לגלות ולהיות נגלה על ידי אנשי קשר קיימים שאתה מכיר. תוכל לשנות את שרת הזהות שלך למטה.", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "אנו ממליצים שתסיר את כתובות הדוא\"ל ומספרי הטלפון שלך משרת הזהות לפני שתתנתק.", - "You are still sharing your personal data on the identity server .": "אתה עדיין משתף את הנתונים האישיים שלך בשרת הזהות .", - "Disconnect anyway": "התנתק בכל מקרה", - "wait and try again later": "המתינו ונסו שוב מאוחר יותר", - "contact the administrators of identity server ": "צרו קשר עם מנהל שרת ההזדהות ", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "בדוק בתוספי הדפדפן שלך כל דבר העלול לחסום את שרת הזהות (כגון תגית פרטיות)", - "You should:": "עליכם:", - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "עליך להסיר את הנתונים האישיים שלך משרת הזהות לפני ההתנתקות. למרבה הצער, שרת זהות נמצא במצב לא מקוון או שאי אפשר להגיע אליו.", - "Disconnect from the identity server ?": "התנק משרת ההזדהות ?", - "Disconnect identity server": "נתק שרת הזדהות", - "The identity server you have chosen does not have any terms of service.": "לשרת הזהות שבחרת אין תנאי שירות.", - "Terms of service not accepted or the identity server is invalid.": "תנאי השרות לא התקבלו או ששרת הזיהוי אינו תקין.", - "Disconnect from the identity server and connect to instead?": "התנתק משרת זיהוי עכשווי והתחבר אל במקום?", - "Change identity server": "שנה כתובת של שרת הזיהוי", - "Checking server": "בודק שרת", "Back up your keys before signing out to avoid losing them.": "גבה את המפתחות שלך לפני היציאה כדי להימנע מלאבד אותם.", - "%(roomName)s is not accessible at this time.": "לא ניתן להכנס אל %(roomName)s בזמן הזה.", - "%(roomName)s does not exist.": "%(roomName)s לא קיים.", - "%(roomName)s can't be previewed. Do you want to join it?": "לא ניתן לצפות ב־%(roomName)s. האם תרצו להצטרף?", - "You're previewing %(roomName)s. Want to join it?": "אתם צופים ב־%(roomName)s. האם תרצו להצטרף?", - "Reject & Ignore user": "דחה והתעלם ממשתמש זה", - " invited you": " הזמין אתכם", - "Do you want to join %(roomName)s?": "האם אתם מעוניינים להצטרף אל %(roomName)s?", - "Start chatting": "החלו לדבר", - " wants to chat": " מעוניין לדבר איתכם", - "Do you want to chat with %(user)s?": "האם אתם רוצים לדבר עם %(user)s?", - "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.", - "This invite to %(roomName)s was sent to %(email)s": "הזמנה לחדר %(roomName)s נשלחה לכתובת %(email)s", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "קשר דוא\"ל זה לחשבונך בהגדרות כדי לקבל הזמנות ישירות ב-%(brand)s.", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "הזמנה זו ל-%(roomName)s נשלחה ל-%(email)s שאינה משויכת לחשבונך", - "Join the discussion": "הצטרף אל הדיון", - "Try to join anyway": "נסה להצטרף בכל מקרה", - "You can only join it with a working invite.": "אתה יכול להצטרף אליו רק עם הזמנה עובדת.", - "Something went wrong with your invite to %(roomName)s": "משהו השתבש עם ההזמנה שלכם אל חדר %(roomName)s", - "You were banned from %(roomName)s by %(memberName)s": "נחסמתם מ-%(roomName)s על ידי %(memberName)s", - "Re-join": "הצטרפות מחדש", - "Forget this room": "שכח חדר זה", - "Reason: %(reason)s": "סיבה: %(reason)s", "Are you sure you want to leave the room '%(roomName)s'?": "האם אתה בטוח שברצונך לעזוב את החדר '%(roomName)s'?", "This room is not public. You will not be able to rejoin without an invite.": "חדר זה אינו ציבורי. לא תוכל להצטרף שוב ללא הזמנה.", "Failed to reject invitation": "דחיית ההזמנה נכשלה", - "Explore rooms": "גלה חדרים", "Couldn't load page": "לא ניתן לטעון את הדף", "Sign in with SSO": "היכנס באמצעות SSO", "Country Dropdown": "נפתח במדינה", @@ -899,50 +766,6 @@ "An error has occurred.": "קרתה שגיאה.", "Transfer": "לְהַעֲבִיר", "A call can only be transferred to a single user.": "ניתן להעביר שיחה רק למשתמש יחיד.", - "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.": "אם לא הסרת את שיטת השחזור, ייתכן שתוקף מנסה לגשת לחשבונך. שנה את סיסמת החשבון שלך והגדר מיד שיטת שחזור חדשה בהגדרות.", - "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.": "אם עשית זאת בטעות, באפשרותך להגדיר הודעות מאובטחות בהפעלה זו אשר תצפין מחדש את היסטוריית ההודעות של הפגישה בשיטת שחזור חדשה.", - "Recovery Method Removed": "שיטת השחזור הוסרה", - "Set up Secure Messages": "הגדר הודעות מאובטחות", - "Go to Settings": "עבור להגדרות", - "This session is encrypting history using the new recovery method.": "הפעלה זו היא הצפנת היסטוריה בשיטת השחזור החדשה.", - "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.": "אם לא הגדרת את שיטת השחזור החדשה, ייתכן שתוקף מנסה לגשת לחשבונך. שנה את סיסמת החשבון שלך והגדר מיד שיטת שחזור חדשה בהגדרות.", - "New Recovery Method": "שיטת שחזור חדשה", - "File to import": "קובץ ליבא", - "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.": "תהליך זה מאפשר לך לייבא מפתחות הצפנה שייצאת בעבר מלקוח מטריקס אחר. לאחר מכן תוכל לפענח את כל ההודעות שהלקוח האחר יכול לפענח.", - "Import room keys": "יבא מפתחות חדר", - "Confirm passphrase": "אשר ביטוי", - "Enter passphrase": "הזן ביטוי סיסמה", - "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.": "תהליך זה מאפשר לך לייצא את המפתחות להודעות שקיבלת בחדרים מוצפנים לקובץ מקומי. לאחר מכן תוכל לייבא את הקובץ ללקוח מטריקס אחר בעתיד, כך שלקוח יוכל גם לפענח הודעות אלה.", - "Export room keys": "ייצא מפתחות לחדר", - "Passphrase must not be empty": "ביטוי הסיסמה לא יכול להיות ריק", - "Passphrases must match": "ביטויי סיסמה חייבים להתאים", - "Unable to set up secret storage": "לא ניתן להגדיר אחסון סודי", - "Save your Security Key": "שמור את מפתח האבטחה שלך", - "Confirm Security Phrase": "אשר את ביטוי האבטחה", - "Set a Security Phrase": "הגדר ביטוי אבטחה", - "Upgrade your encryption": "שדרג את ההצפנה שלך", - "You can also set up Secure Backup & manage your keys in Settings.": "אתה יכול גם להגדיר גיבוי מאובטח ולנהל את המפתחות שלך בהגדרות.", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "אם תבטל עכשיו, אתה עלול לאבד הודעות ונתונים מוצפנים אם תאבד את הגישה לכניסות שלך.", - "Unable to query secret storage status": "לא ניתן לשאול על סטטוס האחסון הסודי", - "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "שדרג את ההפעלה הזו כדי לאפשר לה לאמת פעילויות אחרות, הענק להם גישה להודעות מוצפנות וסמן אותן כאמינות עבור משתמשים אחרים.", - "You'll need to authenticate with the server to confirm the upgrade.": "יהיה עליך לבצע אימות מול השרת כדי לאשר את השדרוג.", - "Restore your key backup to upgrade your encryption": "שחזר את גיבוי המפתח שלך כדי לשדרג את ההצפנה שלך", - "Enter your account password to confirm the upgrade:": "הזן את סיסמת החשבון שלך כדי לאשר את השדרוג:", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "הגן מפני אובדן גישה להודעות ונתונים מוצפנים על ידי גיבוי של מפתחות הצפנה בשרת שלך.", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "השתמש בביטוי סודי רק אתה מכיר, ושמור שמור מפתח אבטחה לשימוש לגיבוי.", - "Enter a Security Phrase": "הזן ביטוי אבטחה", - "Generate a Security Key": "צור מפתח אבטחה", - "Unable to create key backup": "לא ניתן ליצור גיבוי מפתח", - "Create key backup": "צור מפתח גיבוי", - "Success!": "הצלחה!", - "Your keys are being backed up (the first backup could take a few minutes).": "גיבוי המפתחות שלך (הגיבוי הראשון יכול לקחת מספר דקות).", - "Go back to set it again.": "חזור להגדיר אותו שוב.", - "That doesn't match.": "זה לא תואם.", - "Use a different passphrase?": "להשתמש בביטוי סיסמה אחר?", - "That matches!": "זה מתאים!", - "Clear personal data": "נקה מידע אישי", - "Failed to re-authenticate due to a homeserver problem": "האימות מחדש נכשל עקב בעיית שרת בית", "General failure": "שגיאה כללית", "Identity server URL does not appear to be a valid identity server": "נראה שכתובת האתר של שרת זהות אינה שרת זהות חוקי", "Invalid base_url for m.identity_server": "Base_url לא חוקי עבור m.identity_server", @@ -991,18 +814,9 @@ "The widget will verify your user ID, but won't be able to perform actions for you:": "היישומון יאמת את מזהה המשתמש שלך, אך לא יוכל לבצע פעולות עבורך:", "Allow this widget to verify your identity": "אפשר לווידג'ט זה לאמת את זהותך", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "%(brand)s שלכם אינו מאפשר לך להשתמש במנהל שילוב לשם כך. אנא צרו קשר עם מנהל מערכת.", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "מנהלי שילוב מקבלים נתוני תצורה ויכולים לשנות ווידג'טים, לשלוח הזמנות לחדר ולהגדיר רמות הספק מטעמכם.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "השתמש במנהל שילוב לניהול בוטים, ווידג'טים וחבילות מדבקות.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "השתמש במנהל שילוב (%(serverName)s) כדי לנהל בוטים, ווידג'טים וחבילות מדבקות.", - "Identity server (%(server)s)": "שרת הזדהות (%(server)s)", - "Could not connect to identity server": "לא ניתן להתחבר אל שרת הזיהוי", - "Not a valid identity server (status code %(code)s)": "שרת זיהוי לא מאושר(קוד סטטוס %(code)s)", - "Identity server URL must be HTTPS": "הזיהוי של כתובת השרת חייבת להיות מאובטחת ב- HTTPS", "Enter Security Phrase": "הזן ביטוי אבטחה", "Backup could not be decrypted with this Security Phrase: please verify that you entered the correct Security Phrase.": "לא ניתן לפענח גיבוי עם ביטוי אבטחה זה: אנא ודא שהזנת את ביטוי האבטחה הנכון.", "Incorrect Security Phrase": "ביטוי אבטחה שגוי", - "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": "המכשיר אומת", "Message search initialisation failed, check your settings for more information": "אתחול חיפוש ההודעות נכשל. בדוק את ההגדרות שלך למידע נוסף", "Connection failed": "החיבור נכשל", @@ -1012,23 +826,15 @@ "Experimental": "נִסיוֹנִי", "Messaging": "הודעות", "Moderation": "מְתִינוּת", - "Voice Message": "הודעה קולית", "Send voice message": "שלח הודעה קולית", "Your message was sent": "ההודעה שלך נשלחה", "Copy link to thread": "העתק קישור לשרשור", - "Unknown failure": "כשל לא ידוע", - "You have no ignored users.": "אין לך משתמשים שהתעלמו מהם.", "Create a space": "צור מרחב עבודה", - "Address": "כתובת", - "Great! This Security Phrase looks strong enough.": "מצוין! ביטוי אבטחה זה נראה מספיק חזק.", "Not a valid Security Key": "מפתח האבטחה לא חוקי", "Failed to end poll": "תקלה בסגירת הסקר", - "Confirm your Security Phrase": "אשר את ביטוי האבטחה שלך", "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": "לא ניתן לערוךסקר", - "Poll": "סקר", - "You do not have permission to start polls in this room.": "אין לכם הרשאה להתחיל סקר בחדר זה.", "Preserve system messages": "שמור את הודעות המערכת", "Friends and family": "חברים ומשפחה", "An error occurred whilst sharing your live location, please try again": "אירעה שגיאה במהלך שיתוף המיקום החי שלכם, אנא נסו שוב", @@ -1078,10 +884,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.": "אם ברצונכם לשמור על גישה להיסטוריית הצ'אט שלכם בחדרים מוצפנים, הגדירו גיבוי מפתחות או ייצאו את מפתחות ההודעות שלכם מאחד מהמכשירים האחרים שלכם לפני שתמשיך.", "Export chat": "ייצוא צ'אט", "Show Labs settings": "הצג את אופציית מעבדת הפיתוח", - "To join, please enable video rooms in Labs first": "כדי להצטרף, נא אפשר תחילה וידאו במעבדת הפיתוח", - "To view, please enable video rooms in Labs first": "כדי לצפות, אנא הפעל תחילה חדרי וידאו במעבדת הפיתוח", "Access your secure message history and set up secure messaging by entering your Security Phrase.": "גש להיסטוריית ההודעות המאובטחת שלך והגדר הודעות מאובטחות על ידי הזנת ביטוי האבטחה שלך.", - "@mentions & keywords": "אזכורים ומילות מפתח", "Anyone will be able to find and join this space, not just members of .": "כל אחד יוכל למצוא ולהצטרך אל חלל עבודה זה. לא רק חברי .", "Anyone in will be able to find and join.": "כל אחד ב יוכל למצוא ולהצטרף.", "Adding spaces has moved.": "הוספת מרחבי עבודה הוזז.", @@ -1096,18 +899,6 @@ "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.": "לא תוכלו לבטל את השינוי הזה מכיוון שאתם מורידים לעצמכם את רמת ההרשאה, יהיה בלתי אפשרי להחזיר את ההרשאות אם אתם המשתמשים האחרונים בעלי רמת הרשאה זו במרחב עבודה זה .", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "הגדר כתובות עבור מרחב העבודה הזה כדי שמשתמשים יוכלו למצוא את מרחב העבודה הזה דרך השרת שלך (%(localDomain)s)", "This space has no local addresses": "למרחב עבודה זה לא מוגדרת כתובת מקומית בשרת", - "%(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 הוחזר בעת ניסיון לגשת לחדר או למרחב העבודה. אם אתם חושבים שאתם רואים הודעה זו בטעות, אנא שילחו דוח באג.", - "Try again later, or ask a room or space admin to check if you have access.": "נסו שנית מאוחר יותר, בקשו ממנהל החדר או מרחב העבודה לוודא אם יש לכם גישה.", - "This room or space is not accessible at this time.": "חדר זה או מרחב העבודה אינם זמינים כעת.", - "This room or space does not exist.": "חדר זה או מרחב עבודה אינם קיימים.", - "Forget this space": "שכח את מרחב עבודה זה", - "%(spaceName)s menu": "תפריט %(spaceName)s", - "Add space": "הוסיפו מרחב עבודה", - "Invite to space": "הזמינו אל מרחב העבודה", - "Private space": "מרחב עבודה פרטי", - "Public space": "מרחב עבודה ציבורי", - "Invite to this space": "הזמינו למרחב עבודה זה", - "Space information": "מידע על מרחב העבודה", "To join a space you'll need an invite.": "כדי להצטרך אל מרחב עבודה, תהיו זקוקים להזמנה.", "Space selection": "בחירת מרחב עבודה", "Explore public spaces in the new search dialog": "חיקרו מרחבי עבודה ציבוריים בתיבת הדו-שיח החדשה של החיפוש", @@ -1117,29 +908,17 @@ }, "%(space1Name)s and %(space2Name)s": "%(space1Name)sו%(space2Name)s", "To leave the beta, visit your settings.": "כדי לעזוב את התכונה הניסיונית, כנסו להגדרות.", - "Get notified only with mentions and keywords as set up in your settings": "קבלו התראה רק עם אזכורים ומילות מפתח כפי שהוגדרו בהגדרות שלכם", "Location": "מיקום", "Edit devices": "הגדרת מכשירים", "Role in ": "תפקיד בחדר ", - "You won't get any notifications": "לא תקבל שום התראה", - "Get notified for every message": "קבלת התראות על כל הודעה", - "Get notifications as set up in your settings": "קבלת התראות על פי ההעדפות שלך במסךהגדרות", "Unable to copy room link": "לא ניתן להעתיק קישור לחדר", - "Voice processing": "עיבוד קול", - "Video settings": "הגדרות וידאו", - "Automatically adjust the microphone volume": "התאמה אוטומטית של עוצמת המיקרופון", - "Voice settings": "הגדרות קול", "Close sidebar": "סגור סרגל צד", - "Deactivating your account is a permanent action — be careful!": "סגירת החשבון הינה פעולה שלא ניתנת לביטול - שים לב!", "Room info": "מידע על החדר", "To publish an address, it needs to be set as a local address first.": "כדי לפרסם כתובת, יש להגדיר אותה ככתובת מקומית תחילה.", "Pinned messages": "הודעות נעוצות", "Pinned": "הודעות נעוצות", "Nothing pinned, yet": "אין הודעות נעוצות, לבינתיים", "Files": "קבצים", - "Set a new account password…": "הגדרת סיסמה חדשה לחשבונך…", - "Send email": "שלח אימייל", - "New room": "חדר חדש", "common": { "about": "אודות", "analytics": "אנליטיקה", @@ -1228,7 +1007,15 @@ "general": "כללי", "profile": "פרופיל", "display_name": "שם לתצוגה", - "user_avatar": "תמונת פרופיל" + "user_avatar": "תמונת פרופיל", + "authentication": "אימות", + "public_space": "מרחב עבודה ציבורי", + "private_space": "מרחב עבודה פרטי", + "rooms": "חדרים", + "low_priority": "עדיפות נמוכה", + "historical": "היסטוריה", + "go_to_settings": "עבור להגדרות", + "setup_secure_messages": "הגדר הודעות מאובטחות" }, "action": { "continue": "המשך", @@ -1322,7 +1109,12 @@ "unban": "הסר חסימה", "click_to_copy": "לחץ להעתקה", "hide_advanced": "הסתר מתקדם", - "show_advanced": "הצג מתקדם" + "show_advanced": "הצג מתקדם", + "unignore": "הסר התעלמות", + "invite_to_space": "הזמינו אל מרחב העבודה", + "explore_rooms": "גלה חדרים", + "new_room": "חדר חדש", + "explore_public_rooms": "שוטט בחדרים ציבוריים" }, "a11y": { "user_menu": "תפריט משתמש", @@ -1335,7 +1127,8 @@ "other": "%(count)s הודעות שלא נקראו." }, "unread_messages": "הודעות שלא נקראו.", - "jump_first_invite": "קפצו להזמנה ראשונה." + "jump_first_invite": "קפצו להזמנה ראשונה.", + "room_name": "חדר %(name)s" }, "labs": { "latex_maths": "בצע מתמטיקה של LaTeX בהודעות", @@ -1445,7 +1238,17 @@ "space_a11y": "השלמה אוטומטית של חלל העבודה", "user_description": "משתמשים", "user_a11y": "השלמה אוטומטית למשתמשים" - } + }, + "room_upgraded_link": "השיחה נמשכת כאן.", + "room_upgraded_notice": "חדר זה הוחלף ואינו פעיל יותר.", + "no_perms_notice": "אין לך הרשאה לפרסם בחדר זה", + "send_button_voice_message": "שלח הודעה קולית", + "voice_message_button": "הודעה קולית", + "poll_button_no_perms_title": "הרשאה דרושה", + "poll_button_no_perms_description": "אין לכם הרשאה להתחיל סקר בחדר זה.", + "poll_button": "סקר", + "format_italics": "נטוי", + "replying_title": "משיבים" }, "Code": "קוד", "power_level": { @@ -1589,7 +1392,18 @@ "allow_p2p_description": "כאשר מופעל, הצד השני יוכל לראות את כתובת ה-IP שלך", "echo_cancellation": "ביטול הד", "noise_suppression": "ביטול רעשים", - "enable_fallback_ice_server_description": "רלוונטי רק אם שרת הבית לא מציע שרת שיחות. כתובת ה-IP שלך תשותף במהלך שיחה." + "enable_fallback_ice_server_description": "רלוונטי רק אם שרת הבית לא מציע שרת שיחות. כתובת ה-IP שלך תשותף במהלך שיחה.", + "missing_permissions_prompt": "חסרות הרשאות מדיה, לחץ על הלחצן למטה כדי לבקש.", + "request_permissions": "בקש הרשאות למדיה", + "audio_output": "יציאת שמע", + "audio_output_empty": "לא התגלו יציאות אודיו", + "audio_input_empty": "לא נמצא מיקרופון", + "video_input_empty": "לא נמצאה מצלמת רשת", + "title": "שמע ווידאו", + "voice_section": "הגדרות קול", + "voice_agc": "התאמה אוטומטית של עוצמת המיקרופון", + "video_section": "הגדרות וידאו", + "voice_processing": "עיבוד קול" }, "send_read_receipts_unsupported": "השרת שלכם לא תומך בביטול שליחת אישורי קריאה.", "security": { @@ -1658,7 +1472,11 @@ "key_backup_connect": "חבר את התחברות הזו לגיבוי מפתח", "key_backup_complete": "כל המפתחות מגובים", "key_backup_algorithm": "אלגוריתם:", - "key_backup_inactive_warning": "המפתחות שלך אינם מגובים מהתחברות זו ." + "key_backup_inactive_warning": "המפתחות שלך אינם מגובים מהתחברות זו .", + "key_backup_active_version_none": "ללא", + "ignore_users_empty": "אין לך משתמשים שהתעלמו מהם.", + "ignore_users_section": "משתמשים שהתעלמתם מהם", + "e2ee_default_disabled_warning": "מנהל השרת שלך השבית הצפנה מקצה לקצה כברירת מחדל בחדרים פרטיים ובהודעות ישירות." }, "preferences": { "room_list_heading": "רשימת חדרים", @@ -1705,7 +1523,41 @@ "add_msisdn_dialog_title": "הוסף מספר טלפון", "name_placeholder": "אין שם לתצוגה", "error_saving_profile_title": "שמירת הפרופיל שלך נכשלה", - "error_saving_profile": "לא ניתן היה להשלים את הפעולה" + "error_saving_profile": "לא ניתן היה להשלים את הפעולה", + "error_password_change_403": "שינוי הסיסמה נכשל. האם הסיסמה שלך נכונה?", + "emails_heading": "כתובות דוא\"ל", + "msisdns_heading": "מספרי טלפון", + "password_change_section": "הגדרת סיסמה חדשה לחשבונך…", + "discovery_needs_terms": "הסכים לתנאי השירות של שרת הזהות (%(serverName)s) כדי לאפשר לעצמך להיות גלוי על ידי כתובת דוא\"ל או מספר טלפון.", + "deactivate_section": "סגור חשבון", + "account_management_section": "ניהול חשבון", + "deactivate_warning": "סגירת החשבון הינה פעולה שלא ניתנת לביטול - שים לב!", + "discovery_section": "מציאה", + "error_revoke_email_discovery": "לא ניתן לבטל את השיתוף לכתובת הדוא\"ל", + "error_share_email_discovery": "לא ניתן לשתף את כתובת הדוא\"ל", + "email_not_verified": "כתובת הדוא\"ל שלך עדיין לא אומתה", + "email_verification_instructions": "לחץ על הקישור בהודעת הדוא\"ל שקיבלת כדי לאמת ואז לחץ על המשך שוב.", + "error_email_verification": "לא ניתן לאמת את כתובת הדוא\"ל.", + "discovery_email_verification_instructions": "אמת את הקישור בתיבת הדואר הנכנס שלך", + "discovery_email_empty": "אפשרויות גילוי יופיעו לאחר הוספת דוא\"ל לעיל.", + "error_revoke_msisdn_discovery": "לא ניתן לבטל את השיתוף למספר טלפון", + "error_share_msisdn_discovery": "לא ניתן לשתף מספר טלפון", + "error_msisdn_verification": "לא ניתן לאמת את מספר הטלפון.", + "incorrect_msisdn_verification": "קוד אימות שגוי", + "msisdn_verification_instructions": "אנא הזן קוד אימות שנשלח באמצעות טקסט.", + "msisdn_verification_field_label": "קוד אימות", + "discovery_msisdn_empty": "אפשרויות גילוי יופיעו לאחר הוספת מספר טלפון לעיל.", + "error_set_name": "עדכון שם תצוגה נכשל", + "error_remove_3pid": "לא ניתן להסיר את פרטי הקשר", + "remove_email_prompt": "הסר כתובות %(email)s ?", + "error_invalid_email": "כתובת דוא\"ל לא תקינה", + "error_invalid_email_detail": "לא נראה שזו כתובת דוא\"ל חוקית", + "error_add_email": "לא ניתן להוסיף את כתובת הדוא\"ל", + "add_email_instructions": "שלחנו לך דוא\"ל לאימות הכתובת שלך. אנא עקוב אחר ההוראות שם ואז לחץ על הכפתור למטה.", + "email_address_label": "כתובת דוא\"ל", + "remove_msisdn_prompt": "הסר מספרי %(phone)s ?", + "add_msisdn_instructions": "הודעת טקסט נשלחה אל %(msisdn)s. אנא הזן את קוד האימות שהוא מכיל.", + "msisdn_label": "מספר טלפון" }, "sidebar": { "title": "סרגל צד", @@ -1718,6 +1570,48 @@ "metaspaces_orphans_description": "קבצו את כל החדרים שלכם שאינם משויכים למרחב עבודה במקום אחד.", "metaspaces_home_all_rooms_description": "הצג את כל החדרים שלכם במסך הבית, אפילו אם הם משויכים למרחב עבודה.", "metaspaces_home_all_rooms": "הצג את כל החדרים" + }, + "key_backup": { + "backup_in_progress": "גיבוי המפתחות שלך (הגיבוי הראשון יכול לקחת מספר דקות).", + "backup_success": "הצלחה!", + "create_title": "צור מפתח גיבוי", + "cannot_create_backup": "לא ניתן ליצור גיבוי מפתח", + "setup_secure_backup": { + "generate_security_key_title": "צור מפתח אבטחה", + "enter_phrase_title": "הזן ביטוי אבטחה", + "description": "הגן מפני אובדן גישה להודעות ונתונים מוצפנים על ידי גיבוי של מפתחות הצפנה בשרת שלך.", + "requires_password_confirmation": "הזן את סיסמת החשבון שלך כדי לאשר את השדרוג:", + "requires_key_restore": "שחזר את גיבוי המפתח שלך כדי לשדרג את ההצפנה שלך", + "requires_server_authentication": "יהיה עליך לבצע אימות מול השרת כדי לאשר את השדרוג.", + "session_upgrade_description": "שדרג את ההפעלה הזו כדי לאפשר לה לאמת פעילויות אחרות, הענק להם גישה להודעות מוצפנות וסמן אותן כאמינות עבור משתמשים אחרים.", + "phrase_strong_enough": "מצוין! ביטוי אבטחה זה נראה מספיק חזק.", + "pass_phrase_match_success": "זה מתאים!", + "use_different_passphrase": "להשתמש בביטוי סיסמה אחר?", + "pass_phrase_match_failed": "זה לא תואם.", + "set_phrase_again": "חזור להגדיר אותו שוב.", + "confirm_security_phrase": "אשר את ביטוי האבטחה שלך", + "secret_storage_query_failure": "לא ניתן לשאול על סטטוס האחסון הסודי", + "cancel_warning": "אם תבטל עכשיו, אתה עלול לאבד הודעות ונתונים מוצפנים אם תאבד את הגישה לכניסות שלך.", + "settings_reminder": "אתה יכול גם להגדיר גיבוי מאובטח ולנהל את המפתחות שלך בהגדרות.", + "title_upgrade_encryption": "שדרג את ההצפנה שלך", + "title_set_phrase": "הגדר ביטוי אבטחה", + "title_confirm_phrase": "אשר את ביטוי האבטחה", + "title_save_key": "שמור את מפתח האבטחה שלך", + "unable_to_setup": "לא ניתן להגדיר אחסון סודי", + "use_phrase_only_you_know": "השתמש בביטוי סודי רק אתה מכיר, ושמור שמור מפתח אבטחה לשימוש לגיבוי." + } + }, + "key_export_import": { + "export_title": "ייצא מפתחות לחדר", + "export_description_1": "תהליך זה מאפשר לך לייצא את המפתחות להודעות שקיבלת בחדרים מוצפנים לקובץ מקומי. לאחר מכן תוכל לייבא את הקובץ ללקוח מטריקס אחר בעתיד, כך שלקוח יוכל גם לפענח הודעות אלה.", + "enter_passphrase": "הזן ביטוי סיסמה", + "confirm_passphrase": "אשר ביטוי", + "phrase_cannot_be_empty": "ביטוי הסיסמה לא יכול להיות ריק", + "phrase_must_match": "ביטויי סיסמה חייבים להתאים", + "import_title": "יבא מפתחות חדר", + "import_description_1": "תהליך זה מאפשר לך לייבא מפתחות הצפנה שייצאת בעבר מלקוח מטריקס אחר. לאחר מכן תוכל לפענח את כל ההודעות שהלקוח האחר יכול לפענח.", + "import_description_2": "קובץ הייצוא יהיה מוגן באמצעות משפט סיסמה. עליך להזין כאן את משפט הסיסמה כדי לפענח את הקובץ.", + "file_to_import": "קובץ ליבא" } }, "devtools": { @@ -2071,6 +1965,9 @@ "context_menu": { "external_url": "כתובת URL אתר המקור", "collapse_reply_thread": "אחד שרשור של התשובות" + }, + "url_preview": { + "close": "סגור תצוגה מקדימה" } }, "slash_command": { @@ -2290,7 +2187,14 @@ "permissions_section_description_room": "בחר את התפקידים הנדרשים לשינוי חלקים שונים של החדר", "add_privileged_user_heading": "הוספת משתמשים מורשים", "add_privileged_user_description": "הענק למשתמש או מספר משתמשים בחדר זה הרשאות נוספות", - "add_privileged_user_filter_placeholder": "חיפוש משתמשים בחדר זה…" + "add_privileged_user_filter_placeholder": "חיפוש משתמשים בחדר זה…", + "error_unbanning": "שגיאה בהסרת חסימה", + "banned_by": "נחסם על ידי %(displayName)s", + "ban_reason": "סיבה", + "error_changing_pl_reqs_title": "שגיאה בשינוי דרישת דרגת ניהול", + "error_changing_pl_reqs_description": "אירעה שגיאה בשינוי דרישות רמת הניהול של החדר. ודא שיש לך הרשאות מספיקות ונסה שוב.", + "error_changing_pl_title": "שגיאה בשינוי דרגת הניהול", + "error_changing_pl_description": "אירעה שגיאה בשינוי רמת ההספק של המשתמש. ודא שיש לך הרשאות מספיקות ונסה שוב." }, "security": { "strict_encryption": "לעולם אל תשלח הודעות מוצפנות אל התחברות שאינה מאומתת בחדר זה, מהתחברות זו", @@ -2330,7 +2234,8 @@ "join_rule_upgrade_updating_spaces": { "one": "מעדכן מרחב עבודה...", "other": "מעדכן את מרחבי העבודה...%(progress)s מתוך %(count)s" - } + }, + "error_join_rule_change_unknown": "כשל לא ידוע" }, "general": { "publish_toggle": "לפרסם את החדר הזה לציבור במדריך החדרים של%(domain)s?", @@ -2344,7 +2249,9 @@ "error_save_space_settings": "כישלון בשמירת הגדרות מרחב העבודה.", "description_space": "שינוי הגדרות הנוגעות למרחב העבודה שלכם.", "save": "שמור שינוייים", - "leave_space": "עזוב את מרחב העבודה" + "leave_space": "עזוב את מרחב העבודה", + "aliases_section": "כתובות חדרים", + "other_section": "אחר" }, "advanced": { "unfederated": "לא ניתן לגשת לחדר זה באמצעות שרתי מטריקס מרוחקים", @@ -2353,7 +2260,9 @@ "space_predecessor": "צפו בגירסא ישנה יותר של %(spaceName)s.", "room_predecessor": "צפה בהודעות ישנות ב-%(roomName)s.", "room_version_section": "גרסאת חדר", - "room_version": "גרסאת חדש:" + "room_version": "גרסאת חדש:", + "information_section_space": "מידע על מרחב העבודה", + "information_section_room": "מידע החדר" }, "upload_avatar_label": "העלה אוואטר", "visibility": { @@ -2366,11 +2275,24 @@ "history_visibility_anyone_space": "תצוגה מקדימה של מרחב העבודה", "history_visibility_anyone_space_description": "אפשרו לאנשים תצוגה מקדימה של מרחב העבודה שלכם לפני שהם מצטרפים.", "history_visibility_anyone_space_recommendation": "מומלץ למרחבי עבודה ציבוריים.", - "guest_access_label": "אפשר גישה לאורחים" + "guest_access_label": "אפשר גישה לאורחים", + "alias_section": "כתובת" }, "access": { "title": "גישה", "description_space": "החליטו מי יכול לראות ולהצטרף אל %(spaceName)s." + }, + "bridges": { + "description": "חדר זה מגשר בין מסרים לפלטפורמות הבאות. למידע נוסף. ", + "title": "גשרים" + }, + "notifications": { + "uploaded_sound": "צלילים שהועלו", + "settings_link": "קבלת התראות על פי ההעדפות שלך במסךהגדרות", + "sounds_section": "צלילים", + "notification_sound": "צליל התראה", + "custom_sound_prompt": "הגדר צליל מותאם אישי", + "browse_button": "דפדף" } }, "encryption": { @@ -2396,7 +2318,9 @@ "cancelling": "מבטל…", "unverified_sessions_toast_description": "בידקו כדי לוודא שהחשבון שלך בטוח", "unverified_sessions_toast_reject": "מאוחר יותר", - "unverified_session_toast_title": "כניסה חדשה. האם זה אתם?" + "unverified_session_toast_title": "כניסה חדשה. האם זה אתם?", + "verification_success_with_backup": "המכשיר שלך מוגדר כעת כמאומת. יש לו גישה להודעות המוצפנות שלך ומשתמשים אחרים יראו אותו כמכשיר מהימן.", + "verification_success_without_backup": "המכשיר שלך מוגדר כעת כמאומת. משתמשים אחרים יראו אותו כמכשיר מהימן." }, "old_version_detected_title": "נתגלו נתוני הצפנה ישנים", "old_version_detected_description": "נתגלו גרסאות ישנות יותר של %(brand)s. זה יגרום לתקלה בקריפטוגרפיה מקצה לקצה בגרסה הישנה יותר. הודעות מוצפנות מקצה לקצה שהוחלפו לאחרונה בעת השימוש בגרסה הישנה עשויות שלא להיות ניתנות לפענוח בגירסה זו. זה עלול גם לגרום להודעות שהוחלפו עם גרסה זו להיכשל. אם אתה נתקל בבעיות, צא וחזור שוב. כדי לשמור על היסטוריית ההודעות, ייצא וייבא מחדש את המפתחות שלך.", @@ -2416,7 +2340,17 @@ "cross_signing_ready": "חתימה צולבת מוכנה לשימוש.", "cross_signing_untrusted": "לחשבונך זהות חתימה צולבת באחסון סודי, אך הפגישה זו אינה מהימנה עדיין.", "cross_signing_not_ready": "חתימה צולבת אינה מוגדרת עדיין.", - "not_supported": "<לא נתמך>" + "not_supported": "<לא נתמך>", + "new_recovery_method_detected": { + "title": "שיטת שחזור חדשה", + "description_2": "הפעלה זו היא הצפנת היסטוריה בשיטת השחזור החדשה.", + "warning": "אם לא הגדרת את שיטת השחזור החדשה, ייתכן שתוקף מנסה לגשת לחשבונך. שנה את סיסמת החשבון שלך והגדר מיד שיטת שחזור חדשה בהגדרות." + }, + "recovery_method_removed": { + "title": "שיטת השחזור הוסרה", + "description_2": "אם עשית זאת בטעות, באפשרותך להגדיר הודעות מאובטחות בהפעלה זו אשר תצפין מחדש את היסטוריית ההודעות של הפגישה בשיטת שחזור חדשה.", + "warning": "אם לא הסרת את שיטת השחזור, ייתכן שתוקף מנסה לגשת לחשבונך. שנה את סיסמת החשבון שלך והגדר מיד שיטת שחזור חדשה בהגדרות." + } }, "emoji": { "category_frequently_used": "לעיתים קרובות בשימוש", @@ -2560,7 +2494,10 @@ "autodiscovery_unexpected_error_hs": "שגיאה לא צפוייה של התחברות לשרת הראשי", "autodiscovery_unexpected_error_is": "שגיאה לא צפויה בהתחברות אל שרת הזיהוי", "incorrect_credentials_detail": "שים לב שאתה מתחבר לשרת %(hs)s, לא ל- matrix.org.", - "create_account_title": "חשבון משתמש חדש" + "create_account_title": "חשבון משתמש חדש", + "failed_soft_logout_homeserver": "האימות מחדש נכשל עקב בעיית שרת בית", + "soft_logout_subheading": "נקה מידע אישי", + "forgot_password_send_email": "שלח אימייל" }, "room_list": { "sort_unread_first": "הצג תחילה חדרים עם הודעות שלא נקראו", @@ -2576,7 +2513,11 @@ "show_less": "הצג פחות", "notification_options": "אפשרויות התרעות", "failed_remove_tag": "נכשל בעת נסיון הסרת תג %(tagName)s מהחדר", - "failed_add_tag": "נכשל בעת הוספת תג %(tagName)s לחדר" + "failed_add_tag": "נכשל בעת הוספת תג %(tagName)s לחדר", + "breadcrumbs_empty": "אין חדרים שבקרתם בהם לאחרונה", + "add_room_label": "הוסף חדר", + "add_space_label": "הוסיפו מרחב עבודה", + "space_menu_label": "תפריט %(spaceName)s" }, "report_content": { "missing_reason": "אנא מלאו מדוע אתם מדווחים.", @@ -2763,7 +2704,8 @@ "share_public": "שתף את מרחב העבודה הציבורי שלך", "search_children": "חיפוש %(spaceName)s", "invite_link": "שתף קישור להזמנה", - "invite": "הזמן אנשים" + "invite": "הזמן אנשים", + "invite_this_space": "הזמינו למרחב עבודה זה" }, "location_sharing": { "MapStyleUrlNotReachable": "שרת בית זה אינו מוגדר כהלכה להצגת מפות, או ששרת המפות המוגדר אינו ניתן לגישה.", @@ -2806,7 +2748,8 @@ "lists_heading": "רשימת הרשמות", "lists_description_1": "הרשמה לרשימת איסורים תגרום לך להצטרף אליה!", "lists_description_2": "אם זה לא מה שאתה רוצה, השתמש בכלי אחר כדי להתעלם ממשתמשים.", - "lists_new_label": "זהות החדר או כתובת של רשימת החסומים" + "lists_new_label": "זהות החדר או כתובת של רשימת החסומים", + "rules_empty": "ללא" }, "create_space": { "name_required": "נא הגדירו שם עבור מרחב העבודה", @@ -2880,8 +2823,47 @@ "favourite": "מועדף", "copy_link": "העתק קישור לחדר", "low_priority": "עדיפות נמוכה", - "forget": "שכח חדר" - } + "forget": "שכח חדר", + "title": "אפשרויות חדר" + }, + "invite_this_room": "הזמן לחדר זה", + "header": { + "forget_room_button": "שכח חדר", + "hide_widgets_button": "הסתר ישומונים", + "show_widgets_button": "הצג ישומונים" + }, + "join_title_account": "הצטרף לשיחה עם חשבון", + "join_button_account": "הרשמה", + "kick_reason": "סיבה: %(reason)s", + "forget_space": "שכח את מרחב עבודה זה", + "forget_room": "שכח חדר זה", + "rejoin_button": "הצטרפות מחדש", + "banned_from_room_by": "נחסמתם מ-%(roomName)s על ידי %(memberName)s", + "3pid_invite_error_title_room": "משהו השתבש עם ההזמנה שלכם אל חדר %(roomName)s", + "3pid_invite_error_invite_subtitle": "אתה יכול להצטרף אליו רק עם הזמנה עובדת.", + "3pid_invite_error_invite_action": "נסה להצטרף בכל מקרה", + "join_the_discussion": "הצטרף אל הדיון", + "3pid_invite_email_not_found_account_room": "הזמנה זו ל-%(roomName)s נשלחה ל-%(email)s שאינה משויכת לחשבונך", + "link_email_to_receive_3pid_invite": "קשר דוא\"ל זה לחשבונך בהגדרות כדי לקבל הזמנות ישירות ב-%(brand)s.", + "invite_sent_to_email_room": "הזמנה לחדר %(roomName)s נשלחה לכתובת %(email)s", + "3pid_invite_no_is_subtitle": "השתמש בשרת זהות בהגדרות כדי לקבל הזמנות ישירות ב-%(brand)s.", + "invite_email_mismatch_suggestion": "שתף דוא\"ל זה בהגדרות כדי לקבל הזמנות ישירות ב-%(brand)s.", + "dm_invite_title": "האם אתם רוצים לדבר עם %(user)s?", + "dm_invite_subtitle": " מעוניין לדבר איתכם", + "dm_invite_action": "החלו לדבר", + "invite_title": "האם אתם מעוניינים להצטרף אל %(roomName)s?", + "invite_subtitle": " הזמין אתכם", + "invite_reject_ignore": "דחה והתעלם ממשתמש זה", + "peek_join_prompt": "אתם צופים ב־%(roomName)s. האם תרצו להצטרף?", + "no_peek_join_prompt": "לא ניתן לצפות ב־%(roomName)s. האם תרצו להצטרף?", + "not_found_title_name": "%(roomName)s לא קיים.", + "not_found_title": "חדר זה או מרחב עבודה אינם קיימים.", + "inaccessible_name": "לא ניתן להכנס אל %(roomName)s בזמן הזה.", + "inaccessible": "חדר זה או מרחב העבודה אינם זמינים כעת.", + "inaccessible_subtitle_1": "נסו שנית מאוחר יותר, בקשו ממנהל החדר או מרחב העבודה לוודא אם יש לכם גישה.", + "inaccessible_subtitle_2": "%(errcode)s הוחזר בעת ניסיון לגשת לחדר או למרחב העבודה. אם אתם חושבים שאתם רואים הודעה זו בטעות, אנא שילחו דוח באג.", + "view_failed_enable_video_rooms": "כדי לצפות, אנא הפעל תחילה חדרי וידאו במעבדת הפיתוח", + "join_failed_enable_video_rooms": "כדי להצטרף, נא אפשר תחילה וידאו במעבדת הפיתוח" }, "file_panel": { "guest_note": "עליך להירשם כדי להשתמש בפונקציונליות זו", @@ -2993,7 +2975,13 @@ "keyword_new": "מילת מפתח חדשה", "class_global": "כללי", "class_other": "אחר", - "mentions_keywords": "אזכורים ומילות מפתח" + "mentions_keywords": "אזכורים ומילות מפתח", + "default": "ברירת מחדל", + "all_messages": "כל ההודעות", + "all_messages_description": "קבלת התראות על כל הודעה", + "mentions_and_keywords": "אזכורים ומילות מפתח", + "mentions_and_keywords_description": "קבלו התראה רק עם אזכורים ומילות מפתח כפי שהוגדרו בהגדרות שלכם", + "mute_description": "לא תקבל שום התראה" }, "mobile_guide": { "toast_title": "השתמש באפליקציה לחוויה טובה יותר", @@ -3019,6 +3007,43 @@ "a11y_jump_first_unread_room": "קפצו לחדר הראשון שלא נקרא.", "integration_manager": { "error_connecting_heading": "לא ניתן להתחבר אל מנהל האינטגרציה", - "error_connecting": "מנהל האינטגרציה לא מקוון או שהוא לא יכול להגיע לשרת הבית שלך." + "error_connecting": "מנהל האינטגרציה לא מקוון או שהוא לא יכול להגיע לשרת הבית שלך.", + "use_im_default": "השתמש במנהל שילוב (%(serverName)s) כדי לנהל בוטים, ווידג'טים וחבילות מדבקות.", + "use_im": "השתמש במנהל שילוב לניהול בוטים, ווידג'טים וחבילות מדבקות.", + "manage_title": "נהל שילובים", + "explainer": "מנהלי שילוב מקבלים נתוני תצורה ויכולים לשנות ווידג'טים, לשלוח הזמנות לחדר ולהגדיר רמות הספק מטעמכם." + }, + "identity_server": { + "url_not_https": "הזיהוי של כתובת השרת חייבת להיות מאובטחת ב- HTTPS", + "error_invalid": "שרת זיהוי לא מאושר(קוד סטטוס %(code)s)", + "error_connection": "לא ניתן להתחבר אל שרת הזיהוי", + "checking": "בודק שרת", + "change": "שנה כתובת של שרת הזיהוי", + "change_prompt": "התנתק משרת זיהוי עכשווי והתחבר אל במקום?", + "error_invalid_or_terms": "תנאי השרות לא התקבלו או ששרת הזיהוי אינו תקין.", + "no_terms": "לשרת הזהות שבחרת אין תנאי שירות.", + "disconnect": "נתק שרת הזדהות", + "disconnect_server": "התנק משרת ההזדהות ?", + "disconnect_offline_warning": "עליך להסיר את הנתונים האישיים שלך משרת הזהות לפני ההתנתקות. למרבה הצער, שרת זהות נמצא במצב לא מקוון או שאי אפשר להגיע אליו.", + "suggestions": "עליכם:", + "suggestions_1": "בדוק בתוספי הדפדפן שלך כל דבר העלול לחסום את שרת הזהות (כגון תגית פרטיות)", + "suggestions_2": "צרו קשר עם מנהל שרת ההזדהות ", + "suggestions_3": "המתינו ונסו שוב מאוחר יותר", + "disconnect_anyway": "התנתק בכל מקרה", + "disconnect_personal_data_warning_1": "אתה עדיין משתף את הנתונים האישיים שלך בשרת הזהות .", + "disconnect_personal_data_warning_2": "אנו ממליצים שתסיר את כתובות הדוא\"ל ומספרי הטלפון שלך משרת הזהות לפני שתתנתק.", + "url": "שרת הזדהות (%(server)s)", + "description_connected": "אתה משתמש כרגע ב די לגלות ולהיות נגלה על ידי אנשי קשר קיימים שאתה מכיר. תוכל לשנות את שרת הזהות שלך למטה.", + "change_server_prompt": "אם אינך רוצה להשתמש ב- כדי לגלות ולהיות נגלה על ידי אנשי קשר קיימים שאתה מכיר, הזן שרת זהות אחר למטה.", + "description_disconnected": "אינך משתמש כרגע בשרת זהות. כדי לגלות ולהיות נגלים על ידי אנשי קשר קיימים שאתה מכיר, הוסף אחד למטה.", + "disconnect_warning": "ההתנתקות משרת הזהות שלך פירושה שלא תגלה משתמשים אחרים ולא תוכל להזמין אחרים בדוא\"ל או בטלפון.", + "description_optional": "השימוש בשרת זהות הוא אופציונלי. אם תבחר לא להשתמש בשרת זהות, משתמשים אחרים לא יוכלו לגלות ולא תוכל להזמין אחרים בדוא\"ל או בטלפון.", + "do_not_use": "אל תשתמש בשרת הזדהות", + "url_field_label": "הכנס שרת הזדהות חדש" + }, + "member_list": { + "invited_list_heading": "מוזמן", + "filter_placeholder": "סינון חברי חדר", + "power_label": "%(userName)s (רמת הרשאה %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/hi.json b/src/i18n/strings/hi.json index df5eb50aa1..8d2cd1cd03 100644 --- a/src/i18n/strings/hi.json +++ b/src/i18n/strings/hi.json @@ -1,7 +1,5 @@ { - "All messages": "सारे संदेश", "All Rooms": "सारे कमरे", - "Permission Required": "अनुमति आवश्यक है", "Sun": "रवि", "Mon": "सोम", "Tue": "मंगल", @@ -27,15 +25,10 @@ "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s %(monthName)s %(day)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s", - "Default": "डिफ़ॉल्ट", "Restricted": "वर्जित", "Moderator": "मध्यस्थ", - "Reason": "कारण", "Send": "भेजें", - "Incorrect verification code": "गलत सत्यापन कोड", "Warning!": "चेतावनी!", - "Authentication": "प्रमाणीकरण", - "Failed to set display name": "प्रदर्शन नाम सेट करने में विफल", "This event could not be displayed": "यह घटना प्रदर्शित नहीं की जा सकी", "Failed to ban user": "उपयोगकर्ता को प्रतिबंधित करने में विफल", "Demote yourself?": "खुद को अवनत करें?", @@ -44,7 +37,6 @@ "Failed to mute user": "उपयोगकर्ता को म्यूट करने में विफल", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "आप इस परिवर्तन को पूर्ववत नहीं कर पाएंगे क्योंकि आप उपयोगकर्ता को अपने आप से समान शक्ति स्तर रखने के लिए प्रोत्साहित कर रहे हैं।", "Are you sure?": "क्या आपको यकीन है?", - "Unignore": "अनदेखा न करें", "Jump to read receipt": "पढ़ी हुई रसीद में कूदें", "Share Link to User": "उपयोगकर्ता को लिंक साझा करें", "Admin Tools": "व्यवस्थापक उपकरण", @@ -52,12 +44,6 @@ "other": "और %(count)s अन्य ...", "one": "और एक अन्य..." }, - "Invited": "आमंत्रित", - "Filter room members": "रूम के सदस्यों को फ़िल्टर करें", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (शक्ति %(powerLevelNumber)s)", - "This room has been replaced and is no longer active.": "इस रूम को बदल दिया गया है और अब सक्रिय नहीं है।", - "The conversation continues here.": "वार्तालाप यहां जारी है।", - "You do not have permission to post to this room": "आपको इस रूम में पोस्ट करने की अनुमति नहीं है", "%(duration)ss": "%(duration)s सेकंड", "%(duration)sm": "%(duration)s मिनट", "%(duration)sh": "%(duration)s घंटा", @@ -123,38 +109,10 @@ "Anchor": "लंगर", "Headphones": "हेडफोन", "Folder": "फ़ोल्डर", - "Unable to remove contact information": "संपर्क जानकारी निकालने में असमर्थ", - "Invalid Email Address": "अमान्य ईमेल पता", - "This doesn't appear to be a valid email address": "यह एक मान्य ईमेल पता प्रतीत नहीं होता है", - "Unable to add email address": "ईमेल पता जोड़ने में असमर्थ", - "Unable to verify email address.": "ईमेल पते को सत्यापित करने में असमर्थ।", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "हमने आपको अपना पता सत्यापित करने के लिए एक ईमेल भेजा है। कृपया वहां दिए गए निर्देशों का पालन करें और फिर नीचे दिए गए बटन पर क्लिक करें।", - "Email Address": "ईमेल पता", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "एन्क्रिप्ट किए गए संदेश एंड-टू-एंड एन्क्रिप्शन के साथ सुरक्षित हैं। केवल आपके और प्राप्तकर्ता के पास ही इन संदेशों को पढ़ने की कुंजी है।", "Back up your keys before signing out to avoid losing them.": "उन्हें खोने से बचने के लिए साइन आउट करने से पहले अपनी कुंजियों का बैकअप लें।", "Start using Key Backup": "कुंजी बैकअप का उपयोग करना शुरू करें", - "Unable to verify phone number.": "फ़ोन नंबर सत्यापित करने में असमर्थ।", - "Verification code": "पुष्टि संख्या", - "Phone Number": "फ़ोन नंबर", - "Room information": "रूम जानकारी", - "Room Addresses": "रूम का पता", - "Failed to change password. Is your password correct?": "पासवर्ड बदलने में विफल। क्या आपका पासवर्ड सही है?", - "Email addresses": "ईमेल पता", - "Phone numbers": "फोन नंबर", - "Account management": "खाता प्रबंधन", - "Deactivate Account": "खाता निष्क्रिय करें", "Scissors": "कैंची", - "Ignored users": "अनदेखी उपयोगकर्ताओं", - "Missing media permissions, click the button below to request.": "मीडिया अनुमतियाँ गुम, अनुरोध करने के लिए नीचे दिए गए बटन पर क्लिक करें।", - "Request media permissions": "मीडिया अनुमति का अनुरोध करें", - "No Audio Outputs detected": "कोई ऑडियो आउटपुट नहीं मिला", - "No Microphones detected": "कोई माइक्रोफोन का पता नहीं चला", - "No Webcams detected": "कोई वेबकैम नहीं मिला", - "Audio Output": "ध्वनि - उत्पादन", - "Voice & Video": "ध्वनि और वीडियो", - "Failed to unban": "अप्रतिबंधित करने में विफल", - "Banned by %(displayName)s": "%(displayName)s द्वारा प्रतिबंधित", - "Explore rooms": "रूम का अन्वेषण करें", "Mongolia": "मंगोलिया", "Monaco": "मोनाको", "Moldova": "मोलदोवा", @@ -331,7 +289,8 @@ "general": "सामान्य", "profile": "प्रोफाइल", "display_name": "प्रदर्शित होने वाला नाम", - "user_avatar": "प्रोफ़ाइल फोटो" + "user_avatar": "प्रोफ़ाइल फोटो", + "authentication": "प्रमाणीकरण" }, "action": { "continue": "आगे बढ़ें", @@ -357,7 +316,9 @@ "register": "पंजीकरण करें", "mention": "उल्लेख", "submit": "जमा करें", - "unban": "अप्रतिबंधित करें" + "unban": "अप्रतिबंधित करें", + "unignore": "अनदेखा न करें", + "explore_rooms": "रूम का अन्वेषण करें" }, "labs": { "pinning": "संदेश पिनिंग", @@ -424,7 +385,14 @@ "inline_url_previews_room_account": "इस रूम के लिए यूआरएल पूर्वावलोकन सक्षम करें (केवल आपको प्रभावित करता है)", "inline_url_previews_room": "इस रूम में प्रतिभागियों के लिए डिफ़ॉल्ट रूप से यूआरएल पूर्वावलोकन सक्षम करें", "voip": { - "mirror_local_feed": "स्थानीय वीडियो फ़ीड को आईना करें" + "mirror_local_feed": "स्थानीय वीडियो फ़ीड को आईना करें", + "missing_permissions_prompt": "मीडिया अनुमतियाँ गुम, अनुरोध करने के लिए नीचे दिए गए बटन पर क्लिक करें।", + "request_permissions": "मीडिया अनुमति का अनुरोध करें", + "audio_output": "ध्वनि - उत्पादन", + "audio_output_empty": "कोई ऑडियो आउटपुट नहीं मिला", + "audio_input_empty": "कोई माइक्रोफोन का पता नहीं चला", + "video_input_empty": "कोई वेबकैम नहीं मिला", + "title": "ध्वनि और वीडियो" }, "security": { "send_analytics": "विश्लेषण डेटा भेजें", @@ -437,7 +405,8 @@ "delete_backup_confirm_description": "क्या आपको यकीन है? यदि आपकी कुंजियाँ ठीक से बैकअप नहीं हैं तो आप अपने एन्क्रिप्टेड संदेशों को खो देंगे।", "error_loading_key_backup_status": "कुंजी बैकअप स्थिति लोड होने में असमर्थ", "restore_key_backup": "बैकअप से बहाल करना", - "key_backup_complete": "सभी कुंजियाँ वापस आ गईं" + "key_backup_complete": "सभी कुंजियाँ वापस आ गईं", + "ignore_users_section": "अनदेखी उपयोगकर्ताओं" }, "preferences": { "room_list_heading": "कक्ष सूचि", @@ -456,7 +425,24 @@ "add_msisdn_confirm_button": "फ़ोन नंबर जोड़ने की पुष्टि करें", "add_msisdn_confirm_body": "इस फ़ोन नंबर को जोड़ने की पुष्टि करने के लिए नीचे दिए गए बटन पर क्लिक करें।", "add_msisdn_dialog_title": "फोन नंबर डालें", - "name_placeholder": "कोई प्रदर्शन नाम नहीं" + "name_placeholder": "कोई प्रदर्शन नाम नहीं", + "error_password_change_403": "पासवर्ड बदलने में विफल। क्या आपका पासवर्ड सही है?", + "emails_heading": "ईमेल पता", + "msisdns_heading": "फोन नंबर", + "deactivate_section": "खाता निष्क्रिय करें", + "account_management_section": "खाता प्रबंधन", + "error_email_verification": "ईमेल पते को सत्यापित करने में असमर्थ।", + "error_msisdn_verification": "फ़ोन नंबर सत्यापित करने में असमर्थ।", + "incorrect_msisdn_verification": "गलत सत्यापन कोड", + "msisdn_verification_field_label": "पुष्टि संख्या", + "error_set_name": "प्रदर्शन नाम सेट करने में विफल", + "error_remove_3pid": "संपर्क जानकारी निकालने में असमर्थ", + "error_invalid_email": "अमान्य ईमेल पता", + "error_invalid_email_detail": "यह एक मान्य ईमेल पता प्रतीत नहीं होता है", + "error_add_email": "ईमेल पता जोड़ने में असमर्थ", + "add_email_instructions": "हमने आपको अपना पता सत्यापित करने के लिए एक ईमेल भेजा है। कृपया वहां दिए गए निर्देशों का पालन करें और फिर नीचे दिए गए बटन पर क्लिक करें।", + "email_address_label": "ईमेल पता", + "msisdn_label": "फ़ोन नंबर" } }, "timeline": { @@ -596,7 +582,11 @@ }, "composer": { "placeholder_reply_encrypted": "एक एन्क्रिप्टेड उत्तर भेजें …", - "placeholder_encrypted": "एक एन्क्रिप्टेड संदेश भेजें …" + "placeholder_encrypted": "एक एन्क्रिप्टेड संदेश भेजें …", + "room_upgraded_link": "वार्तालाप यहां जारी है।", + "room_upgraded_notice": "इस रूम को बदल दिया गया है और अब सक्रिय नहीं है।", + "no_perms_notice": "आपको इस रूम में पोस्ट करने की अनुमति नहीं है", + "poll_button_no_perms_title": "अनुमति आवश्यक है" }, "encryption": { "verification": { @@ -689,19 +679,24 @@ }, "room_settings": { "permissions": { - "no_privileged_users": "इस कमरे में किसी भी उपयोगकर्ता के विशेष विशेषाधिकार नहीं हैं" + "no_privileged_users": "इस कमरे में किसी भी उपयोगकर्ता के विशेष विशेषाधिकार नहीं हैं", + "error_unbanning": "अप्रतिबंधित करने में विफल", + "banned_by": "%(displayName)s द्वारा प्रतिबंधित", + "ban_reason": "कारण" }, "security": { "title": "सुरक्षा और गोपनीयता" }, "general": { "publish_toggle": "इस कमरे को %(domain)s के कमरे की निर्देशिका में जनता के लिए प्रकाशित करें?", - "url_previews_section": "URL पूर्वावलोकन" + "url_previews_section": "URL पूर्वावलोकन", + "aliases_section": "रूम का पता" }, "advanced": { "unfederated": "यह रूम रिमोट मैट्रिक्स सर्वर द्वारा सुलभ नहीं है", "room_version_section": "रूम का संस्करण", - "room_version": "रूम का संस्करण:" + "room_version": "रूम का संस्करण:", + "information_section_room": "रूम जानकारी" } }, "update": { @@ -757,7 +752,14 @@ "update_power_level": "पावर स्तर बदलने में विफल" }, "notifications": { - "enable_prompt_toast_title": "सूचनाएं" + "enable_prompt_toast_title": "सूचनाएं", + "default": "डिफ़ॉल्ट", + "all_messages": "सारे संदेश" }, - "room_summary_card_back_action_label": "रूम जानकारी" + "room_summary_card_back_action_label": "रूम जानकारी", + "member_list": { + "invited_list_heading": "आमंत्रित", + "filter_placeholder": "रूम के सदस्यों को फ़िल्टर करें", + "power_label": "%(userName)s (शक्ति %(powerLevelNumber)s)" + } } diff --git a/src/i18n/strings/hr.json b/src/i18n/strings/hr.json index 47c6834293..47de36f960 100644 --- a/src/i18n/strings/hr.json +++ b/src/i18n/strings/hr.json @@ -103,8 +103,6 @@ "Tue": "Uto", "Mon": "Pon", "Sun": "Ned", - "Permission Required": "Potrebno dopuštenje", - "Could not connect to identity server": "Nije moguće spojiti se na poslužitelja identiteta", "common": { "analytics": "Analitika", "error": "Geška", @@ -191,5 +189,11 @@ }, "notifier": { "m.key.verification.request": "%(name)s traži potvrdu" + }, + "identity_server": { + "error_connection": "Nije moguće spojiti se na poslužitelja identiteta" + }, + "composer": { + "poll_button_no_perms_title": "Potrebno dopuštenje" } } diff --git a/src/i18n/strings/hu.json b/src/i18n/strings/hu.json index cb6a00bd86..4f0928f9d0 100644 --- a/src/i18n/strings/hu.json +++ b/src/i18n/strings/hu.json @@ -2,10 +2,6 @@ "Failed to forget room %(errCode)s": "A szobát nem sikerült elfelejtetni: %(errCode)s", "unknown error code": "ismeretlen hibakód", "Admin Tools": "Admin. Eszközök", - "No Microphones detected": "Nem található mikrofon", - "No Webcams detected": "Nem található webkamera", - "Authentication": "Azonosítás", - "Failed to change password. Is your password correct?": "Nem sikerült megváltoztatni a jelszót. Helyesen írta be a jelszavát?", "Create new room": "Új szoba létrehozása", "%(items)s and %(lastItem)s": "%(items)s és %(lastItem)s", "and %(count)s others...": { @@ -18,61 +14,39 @@ "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?", "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 address": "E-mail-cím", - "Enter passphrase": "Jelmondat megadása", "Error decrypting attachment": "Csatolmány visszafejtése sikertelen", "Failed to ban user": "A felhasználót nem sikerült kizárni", "Failed to load timeline position": "Az idővonal pozíciót nem sikerült betölteni", "Failed to mute user": "A felhasználót némítása sikertelen", "Failed to reject invite": "A meghívót nem sikerült elutasítani", "Failed to reject invitation": "A meghívót nem sikerült elutasítani", - "Failed to set display name": "Megjelenítési nevet nem sikerült beállítani", - "Failed to unban": "A kitiltás visszavonása sikertelen", - "Filter room members": "Szoba tagság szűrése", - "Forget room": "Szoba elfelejtése", - "Historical": "Archív", "Home": "Kezdőlap", - "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", "Join Room": "Belépés a szobába", "Jump to first unread message.": "Ugrás az első olvasatlan üzenetre.", - "Low priority": "Alacsony prioritás", "Moderator": "Moderátor", "New passwords must match each other.": "Az új jelszavaknak meg kell egyezniük egymással.", "not specified": "nincs meghatározva", "No more results": "Nincs több találat", "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.", - "Reason": "Ok", "Reject invitation": "Meghívó elutasítása", "Return to login screen": "Vissza a bejelentkezési képernyőre", - "%(roomName)s does not exist.": "%(roomName)s nem létezik.", - "%(roomName)s is not accessible at this time.": "%(roomName)s jelenleg nem érhető el.", - "Rooms": "Szobák", "Search failed": "Keresés sikertelen", "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 :(", "Session ID": "Kapcsolat azonosító", "This room has no local addresses": "Ennek a szobának nincs helyi címe", - "This doesn't appear to be a valid email address": "Ez nem tűnik helyes e-mail címnek", "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", - "Unable to remove contact information": "A névjegy információkat nem sikerült törölni", - "Unable to verify email address.": "Az e-mail cím ellenőrzése sikertelen.", "Uploading %(filename)s": "%(filename)s feltöltése", "Uploading %(filename)s and %(count)s others": { "one": "%(filename)s és még %(count)s db másik feltöltése", "other": "%(filename)s és még %(count)s db másik feltöltése" }, - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (szint: %(powerLevelNumber)s)", "Verification Pending": "Ellenőrzés függőben", "Warning!": "Figyelmeztetés!", - "You do not have permission to post to this room": "Nincs jogod üzenetet küldeni ebbe a szobába", "You seem to be in a call, are you sure you want to quit?": "Úgy tűnik hívásban vagy, biztosan kilépsz?", "You seem to be uploading files, are you sure you want to quit?": "Úgy tűnik fájlokat töltesz fel, biztosan kilépsz?", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Nem leszel képes visszavonni ezt a változtatást mivel a felhasználót ugyanarra a szintre emeled amin te vagy.", @@ -104,27 +78,16 @@ "one": "(~%(count)s db eredmény)", "other": "(~%(count)s db eredmény)" }, - "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", - "Confirm passphrase": "Jelmondat megerősítése", - "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.", "Confirm Removal": "Törlés megerősítése", "Unable to restore session": "A munkamenetet nem lehet helyreállítani", "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", "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?", "AM": "de.", "PM": "du.", - "Unignore": "Mellőzés feloldása", - "Banned by %(displayName)s": "Kitiltotta: %(displayName)s", "Jump to read receipt": "Olvasási visszaigazolásra ugrás", "Unnamed room": "Névtelen szoba", "And %(count)s more...": { @@ -140,7 +103,6 @@ "expand": "kinyitás", "Send": "Elküldé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.": "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", "This room is not public. You will not be able to rejoin without an invite.": "Ez a szoba nem nyilvános. Kilépés után csak újabb meghívóval tudsz újra belépni a szobába.", "In reply to ": "Válasz neki ", @@ -157,8 +119,6 @@ "Preparing to send logs": "Előkészülés napló küldéshez", "Saturday": "Szombat", "Monday": "Hétfő", - "Invite to this room": "Meghívás a szobába", - "All messages": "Összes üzenet", "All Rooms": "Minden szobában", "You cannot delete this message. (%(code)s)": "Nem törölheted ezt az üzenetet. (%(code)s)", "Thursday": "Csütörtök", @@ -172,8 +132,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.", - "No Audio Outputs detected": "Nem található hangkimenet", - "Audio Output": "Hangkimenet", "Share Link to User": "A felhasználóra mutató hivatkozás", "Share room": "Szoba megosztása", "Share Room": "Szoba megosztása", @@ -185,7 +143,6 @@ "Demote yourself?": "Lefokozod magad?", "Demote": "Lefokozás", "This event could not be displayed": "Az eseményt nem lehet megjeleníteni", - "Permission Required": "Jogosultság szükséges", "Only room administrators will see this warning": "Csak a szoba adminisztrátorai látják ezt a figyelmeztetést", "Upgrade Room Version": "Szoba verziójának fejlesztése", "Create a new room with the same name, description and avatar": "Új szoba készítése ugyanazzal a névvel, leírással és profilképpel", @@ -194,8 +151,6 @@ "Put a link back to the old room at the start of the new room so people can see old messages": "A régi szobára mutató hivatkozás beszúrása a új szoba elejére, hogy az emberek lássák a régi üzeneteket", "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.": "Az üzenete nem lett elküldve, mert ez a Matrix-kiszolgáló elérte a havi aktív felhasználói korlátot. A szolgáltatás használatának folytatásához vegye fel a kapcsolatot a szolgáltatás rendszergazdájával.", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Az üzenete nem lett elküldve, mert a Matrix-kiszolgáló túllépett egy erőforráskorlátot. A szolgáltatás használatának folytatásához vegye fel a kapcsolatot a szolgáltatás rendszergazdájával.", - "This room has been replaced and is no longer active.": "Ezt a szobát lecseréltük és nem aktív többé.", - "The conversation continues here.": "A beszélgetés itt folytatódik.", "Failed to upgrade room": "A szoba fejlesztése sikertelen", "The room upgrade could not be completed": "A szoba fejlesztését nem sikerült befejezni", "Upgrade this room to version %(version)s": "A szoba fejlesztése erre a verzióra: %(version)s", @@ -210,10 +165,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": "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", - "That matches!": "Egyeznek!", - "That doesn't match.": "Nem egyeznek.", - "Go back to set it again.": "Lépj vissza és állítsd be újra.", - "Unable to create key backup": "Kulcs mentés sikertelen", "Unable to load backup status": "A mentés állapotát nem lehet lekérdezni", "Unable to restore backup": "A mentést nem lehet helyreállítani", "No backup found!": "Mentés nem található!", @@ -222,29 +173,11 @@ "Set up": "Beállítás", "Invalid identity server discovery response": "Az azonosítási kiszolgáló felderítésére érkezett válasz érvénytelen", "General failure": "Általános hiba", - "New Recovery Method": "Új helyreállítási mód", - "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.": "Ha nem Ön állította be az új helyreállítási módot, akkor lehet, hogy egy támadó próbálja elérni a fiókját. Változtassa meg a fiókja jelszavát, és amint csak lehet, állítsa be az új helyreállítási eljárást a Beállításokban.", - "Set up Secure Messages": "Biztonságos Üzenetek beállítása", - "Go to Settings": "Irány a Beállítások", "Unable to load commit detail: %(msg)s": "A véglegesítés részleteinek betöltése sikertelen: %(msg)s", "The following users may not exist": "Az alábbi felhasználók lehet, hogy nem léteznek", "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", - "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", - "Unable to verify phone number.": "A telefonszámot nem sikerült ellenőrizni.", - "Verification code": "Ellenőrző kód", - "Phone Number": "Telefonszám", - "Room information": "Szobainformációk", - "Room Addresses": "Szobacímek", - "Email addresses": "E-mail-cím", - "Phone numbers": "Telefonszámok", - "Account management": "Fiókkezelés", - "Ignored users": "Mellőzött felhasználók", - "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.", - "Request media permissions": "Média jogosultságok megkérése", - "Voice & Video": "Hang és videó", "Main address": "Fő cím", "Room avatar": "Szoba profilképe", "Room Name": "Szoba neve", @@ -253,8 +186,6 @@ "Incoming Verification Request": "Bejövő Hitelesítési Kérés", "Email (optional)": "E-mail (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", - "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.", "Dog": "Kutya", "Cat": "Macska", "Lion": "Oroszlán", @@ -327,8 +258,6 @@ "You'll lose access to your encrypted messages": "Elveszted a hozzáférést a titkosított üzeneteidhez", "Are you sure you want to sign out?": "Biztos, hogy ki akarsz jelentkezni?", "Warning: you should only set up key backup from a trusted computer.": "Figyelmeztetés: csak biztonságos számítógépről állítson be kulcsmentést.", - "Your keys are being backed up (the first backup could take a few minutes).": "A kulcsaid mentése folyamatban van (az első mentés több percig is eltarthat).", - "Success!": "Sikeres!", "Scissors": "Olló", "Error updating main address": "Az elsődleges cím frissítése sikertelen", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "A szoba elsődleges címének frissítésénél hiba történt. Vagy nincs engedélyezve a szerveren vagy átmeneti hiba történt.", @@ -359,21 +288,6 @@ }, "Cancel All": "Összes megszakítása", "Upload Error": "Feltöltési hiba", - "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", - "Forget this room": "Szoba elfelejtése", - "Re-join": "Újra-csatlakozás", - "You were banned from %(roomName)s by %(memberName)s": "Téged kitiltott %(memberName)s ebből a szobából: %(roomName)s", - "Something went wrong with your invite to %(roomName)s": "A meghívóddal ebbe a szobába: %(roomName)s valami baj történt", - "You can only join it with a working invite.": "Csak érvényes meghívóval tudsz csatlakozni.", - "Join the discussion": "Beszélgetéshez csatlakozás", - "Try to join anyway": "Csatlakozás mindenképp", - "Do you want to chat with %(user)s?": "%(user)s felhasználóval szeretnél beszélgetni?", - "Do you want to join %(roomName)s?": "%(roomName)s szobába szeretnél belépni?", - " invited you": " meghívott", - "You're previewing %(roomName)s. Want to join it?": "%(roomName)s szoba előnézetét látod. Belépsz?", - "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s szobának nincs előnézete. Be szeretnél lépni?", "This room has already been upgraded.": "Ez a szoba már fejlesztve van.", "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", @@ -382,13 +296,7 @@ "Invalid base_url for m.identity_server": "Érvénytelen base_url az m.identity_server -hez", "Identity server URL does not appear to be a valid identity server": "Az azonosítási kiszolgáló webcíme nem tűnik érvényesnek", "edited": "szerkesztve", - "Add room": "Szoba hozzáadása", "Edit message": "Üzenet szerkesztése", - "Uploaded sound": "Feltöltött hang", - "Sounds": "Hangok", - "Notification sound": "Értesítési hang", - "Set a new custom sound": "Új egyénii hang beállítása", - "Browse": "Böngészés", "Upload all": "Összes feltöltése", "Edited at %(date)s. Click to view edits.": "Szerkesztés ideje: %(date)s. Kattintson a szerkesztések megtekintéséhez.", "Message edits": "Üzenetszerkesztések", @@ -397,55 +305,16 @@ "Clear all data": "Minden adat törlése", "Your homeserver doesn't seem to support this feature.": "Úgy tűnik, hogy a Matrix-kiszolgálója nem támogatja ezt a szolgáltatást.", "Resend %(unsentCount)s reaction(s)": "%(unsentCount)s reakció újraküldése", - "Failed to re-authenticate due to a homeserver problem": "Az újbóli hitelesítés a Matrix-kiszolgáló hibájából sikertelen", - "Clear personal data": "Személyes adatok törlése", "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", - "Checking server": "Kiszolgáló ellenőrzése", - "Terms of service not accepted or the identity server is invalid.": "A felhasználási feltételek nincsenek elfogadva, vagy az azonosítási kiszolgáló nem érvényes.", - "The identity server you have chosen does not have any terms of service.": "A választott azonosítási kiszolgálóhoz nem tartoznak felhasználási feltételek.", - "Disconnect from the identity server ?": "Bontja a kapcsolatot ezzel az azonosítási kiszolgálóval: ?", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Jelenleg a(z) kiszolgálót használja a kapcsolatok kereséséhez, és hogy megtalálják az ismerősei. A használt azonosítási kiszolgálót alább tudja megváltoztatni.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Jelenleg nem használ azonosítási kiszolgálót. A kapcsolatok kereséséhez, és hogy megtalálják az ismerősei, adjon hozzá egy azonosítási kiszolgálót.", - "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.": "Az azonosítási kiszolgáló kapcsolatának bontása azt eredményezi, hogy más felhasználók nem találják meg Önt, és nem tud másokat meghívni e-mail-cím vagy telefonszám alapján.", - "Enter a new identity server": "Új azonosítási kiszolgáló hozzáadása", - "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Azonosítási kiszolgáló (%(serverName)s) felhasználási feltételeinek elfogadása, ezáltal megtalálhatóvá lesz e-mail-cím vagy telefonszám alapján.", - "Discovery": "Felkutatás", "Deactivate account": "Fiók zárolása", - "Unable to revoke sharing for email address": "Az e-mail cím megosztását nem sikerült visszavonni", - "Unable to share email address": "Az e-mail címet nem sikerült megosztani", - "Discovery options will appear once you have added an email above.": "Felkutatási beállítások megjelennek amint hozzáadtál egy e-mail címet alább.", - "Unable to revoke sharing for phone number": "A telefonszám megosztást nem sikerült visszavonni", - "Unable to share phone number": "A telefonszámot nem sikerült megosztani", - "Please enter verification code sent via text.": "Kérlek add meg az ellenőrző kódot amit szövegben küldtünk.", - "Discovery options will appear once you have added a phone number above.": "Felkutatási beállítások megjelennek amint hozzáadtál egy telefonszámot alább.", - "Remove %(email)s?": "%(email)s törlése?", - "Remove %(phone)s?": "%(phone)s törlése?", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "A szöveges üzenetet elküldtük a +%(msisdn)s számra. Kérlek add meg az ellenőrző kódot amit tartalmazott.", "Command Help": "Parancsok súgója", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Ha nem szeretné a(z) kiszolgálót használnia kapcsolatok kereséséhez, és hogy megtalálják az ismerősei, akkor adjon meg egy másik azonosítási kiszolgálót.", - "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.": "Az azonosítási kiszolgáló használata nem kötelező. Ha úgy dönt, hogy nem használ azonosítási kiszolgálót, akkor felhasználók nem találják meg Önt, és nem tud másokat meghívni e-mail-cím vagy telefonszám alapján.", - "Do not use an identity server": "Az azonosítási kiszolgáló mellőzése", "Use an identity server to invite by email. Use the default (%(defaultIdentityServerName)s) or manage in Settings.": "Használjon azonosítási kiszolgálót az e-mailben történő meghíváshoz. Használja az alapértelmezett kiszolgálót (%(defaultIdentityServerName)s) vagy adjon meg egy másikat a Beállításokban.", "Use an identity server to invite by email. Manage in Settings.": "Használjon egy azonosítási kiszolgálót az e-maillel történő meghíváshoz. Kezelés a Beállításokban.", "Deactivate user?": "Felhasználó felfüggesztése?", "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?": "A felhasználó deaktiválása a felhasználót kijelentkezteti és megakadályozza, hogy vissza tudjon lépni. Továbbá kilépteti minden szobából, amelynek tagja volt. Ezt nem lehet visszavonni. Biztos, hogy deaktiválja ezt a felhasználót?", "Deactivate user": "Felhasználó felfüggesztése", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "A meghívó ehhez a szobához: %(roomName)s erre az e-mail címre lett elküldve: %(email)s ami nincs társítva a fiókodhoz", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Kösd össze a Beállításokban ezt az e-mail címet a fiókoddal, hogy közvetlenül a %(brand)sba kaphassa meghívókat.", - "This invite to %(roomName)s was sent to %(email)s": "A meghívó ehhez a szobához: %(roomName)s ide lett elküldve: %(email)s", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Állíts be azonosítási szervert a Beállításokban, hogy közvetlen meghívókat kaphass %(brand)sba.", - "Share this email in Settings to receive invites directly in %(brand)s.": "Oszd meg a Beállításokban ezt az e-mail címet, hogy közvetlen meghívókat kaphass %(brand)sba.", - "Error changing power level": "Hiba történt a hozzáférési szint megváltoztatása során", - "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Hiba történt a felhasználó hozzáférési szintjének megváltoztatása során. Ellenőrizze, hogy megvan-e hozzá a megfelelő jogosultsága, és próbálja újra.", - "Italics": "Dőlt", - "Change identity server": "Azonosítási kiszolgáló módosítása", - "Disconnect from the identity server and connect to instead?": "Bontja a kapcsolatot a(z) azonosítási kiszolgálóval, és inkább ehhez kapcsolódik: ?", - "Disconnect identity server": "Kapcsolat bontása az azonosítási kiszolgálóval", - "You are still sharing your personal data on the identity server .": "Továbbra is megosztja a személyes adatait a(z) azonosítási kiszolgálón.", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Javasoljuk, hogy a kapcsolat bontása előtt távolítsa el az e-mail-címét és a telefonszámát az azonosítási kiszolgálóról.", - "Disconnect anyway": "Kapcsolat bontása mindenképp", "No recent messages by %(user)s found": "Nincs friss üzenet ettől a felhasználótól: %(user)s", "Try scrolling up in the timeline to see if there are any earlier ones.": "Az idővonalon próbálj meg felgörgetni, hogy megnézd van-e régebbi üzenet.", "Remove recent messages by %(user)s": "Friss üzenetek törlése a felhasználótól: %(user)s", @@ -455,25 +324,13 @@ "one": "1 üzenet törlése" }, "Remove recent messages": "Friss üzenetek törlése", - "Error changing power level requirement": "A szükséges hozzáférési szint megváltoztatása nem sikerült", - "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Hiba történt a szobához szükséges hozzáférési szint megváltoztatása során. Ellenőrizze, hogy megvan-e hozzá a megfelelő jogosultsága, és próbálja újra.", - "Explore rooms": "Szobák felderítése", - "Verify the link in your inbox": "Ellenőrizd a hivatkozást a bejövő leveleid között", "e.g. my-room": "pl.: szobam", "Close dialog": "Ablak bezárása", "Show image": "Kép megjelenítése", - "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.", - "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)", - "contact the administrators of identity server ": "vegye fel a kapcsolatot a(z) azonosítási kiszolgáló rendszergazdáival", - "wait and try again later": "várjon és próbálja újra", "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.", "Cancel search": "Keresés megszakítása", - "Room %(name)s": "Szoba: %(name)s", "Message Actions": "Üzenet Műveletek", "You verified %(name)s": "Ellenőrizte: %(name)s", "You cancelled verifying %(name)s": "Az ellenőrzést megszakítottad ehhez: %(name)s", @@ -484,13 +341,11 @@ "%(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", - "None": "Semmi", "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.", "Failed to connect to integration manager": "Az integrációs menedzserhez nem sikerült csatlakozni", "Integrations are disabled": "Az integrációk le vannak tiltva", "Integrations not allowed": "Az integrációk nem engedélyezettek", - "Manage integrations": "Integrációk kezelése", "Verification Request": "Ellenőrzési kérés", "Unencrypted": "Titkosítatlan", "Upgrade private room": "Privát szoba fejlesztése", @@ -498,15 +353,11 @@ "Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "A szoba frissítése nem egyszerű művelet, általában a szoba hibás működése, hiányzó funkció vagy biztonsági sérülékenység esetén javasolt.", "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.": "Ez általában a szoba kiszolgálóoldali kezelésében jelent változást. Ha a(z) %(brand)s kliensben tapasztal problémát, akkor küldjön egy hibajelentést.", "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", - "Unable to set up secret storage": "A biztonsági tárolót nem sikerült beállítani", "Hide verified sessions": "Ellenőrzött munkamenetek eltakarása", "%(count)s verified sessions": { "other": "%(count)s ellenőrzött munkamenet", "one": "1 ellenőrzött munkamenet" }, - "Close preview": "Előnézet bezárása", "Language Dropdown": "Nyelvválasztó lenyíló menü", "Country Dropdown": "Ország lenyíló menü", "Show more": "Több megjelenítése", @@ -523,13 +374,6 @@ "Start Verification": "Ellenőrzés elindítása", "This room is end-to-end encrypted": "Ez a szoba végpontok közötti titkosítást használ", "Everyone in this room is verified": "A szobában mindenki ellenőrizve van", - "Reject & Ignore user": "Felhasználó elutasítása és figyelmen kívül hagyása", - "Enter your account password to confirm the upgrade:": "A fejlesztés megerősítéséhez add meg a fiók jelszavadat:", - "You'll need to authenticate with the server to confirm the upgrade.": "A fejlesztés megerősítéséhez újból hitelesítenie kell a kiszolgálóval.", - "Upgrade your encryption": "Titkosításod fejlesztése", - "This room is bridging messages to the following platforms. Learn more.": "Ez a szoba áthidalja az üzeneteket a felsorolt platformok felé. Tudjon meg többet.", - "Bridges": "Hidak", - "Restore your key backup to upgrade your encryption": "A titkosítás fejlesztéséhez allítsd vissza a kulcs mentést", "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", "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.", @@ -561,10 +405,6 @@ "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.", "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.", - "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.", - "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.": "Ha véletlenül tette, akkor beállíthatja a biztonságos üzeneteket ebben a munkamenetben, ami újra titkosítja a régi üzeneteket a helyreállítási móddal.", "Not Trusted": "Nem megbízható", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) új munkamenetbe lépett be, anélkül, hogy ellenőrizte volna:", "Ask this user to verify their session, or manually verify it below.": "Kérje meg a felhasználót, hogy hitelesítse a munkamenetét, vagy ellenőrizze kézzel lentebb.", @@ -624,7 +464,6 @@ "Confirm your account deactivation by using Single Sign On to prove your identity.": "Erősítsd meg egyszeri bejelentkezéssel, hogy felfüggeszted ezt a fiókot.", "Are you sure you want to deactivate your account? This is irreversible.": "Biztos, hogy felfüggeszted a fiókodat? Ezt nem lehet visszavonni.", "Unable to upload": "Nem lehet feltölteni", - "Unable to query secret storage status": "A biztonsági tároló állapotát nem lehet lekérdezni", "Restoring keys from backup": "Kulcsok helyreállítása mentésből", "%(completed)s of %(total)s keys restored": "%(completed)s/%(total)s kulcs helyreállítva", "Keys restored": "Kulcsok helyreállítva", @@ -650,11 +489,7 @@ "This address is available to use": "Ez a cím használható", "This address is already in use": "Ez a cím már használatban van", "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.": "Ezt a munkamenetet előzőleg egy újabb %(brand)s verzióval használtad. Ahhoz, hogy újra ezt a verziót tudd használni végpontok közötti titkosítással, ki kell lépned majd újra vissza.", - "Use a different passphrase?": "Másik jelmondat használata?", - "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "A kiszolgáló rendszergazdája alapértelmezetten kikapcsolta a végpontok közötti titkosítást a privát szobákban és a közvetlen beszélgetésekben.", - "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 theme": "Kinézet váltása", "Looks good!": "Jónak tűnik!", "The authenticity of this encrypted message can't be guaranteed on this device.": "A titkosított üzenetek valódiságát ezen az eszközön nem lehet garantálni.", @@ -662,15 +497,6 @@ "Security Phrase": "Biztonsági jelmondat", "Security Key": "Biztonsági kulcs", "Use your Security Key to continue.": "Használja a biztonsági kulcsot a folytatáshoz.", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Védekezzen a titkosított üzenetekhez és adatokhoz való hozzáférés elvesztése ellen a titkosítási kulcsok kiszolgálóra történő mentésével.", - "Generate a Security Key": "Biztonsági kulcs előállítása", - "Enter a Security Phrase": "Biztonsági jelmondat megadása", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Olyan biztonsági jelmondatot használjon, amelyet csak Ön ismer, és esetleg mentsen el egy biztonsági kulcsot vésztartaléknak.", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Ha most megszakítod, akkor a munkameneteidhez való hozzáférés elvesztésével elveszítheted a titkosított üzeneteidet és adataidat.", - "You can also set up Secure Backup & manage your keys in Settings.": "A biztonsági mentés beállítását és a kulcsok kezelését a Beállításokban is megadhatja.", - "Set a Security Phrase": "Biztonsági Jelmondat beállítása", - "Confirm Security Phrase": "Biztonsági jelmondat megerősítése", - "Save your Security Key": "Mentse el a biztonsági kulcsát", "This room is public": "Ez egy nyilvános szoba", "Edited at %(date)s": "Szerkesztve ekkor: %(date)s", "Click to view edits": "A szerkesztések megtekintéséhez kattints", @@ -686,7 +512,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", - "Explore public rooms": "Nyilvános szobák felfedezése", "Information": "Információ", "Preparing to download logs": "Napló előkészítése feltöltéshez", "Not encrypted": "Nem titkosított", @@ -713,8 +538,6 @@ "You can only pin up to %(count)s widgets": { "other": "Csak %(count)s kisalkalmazást tud kitűzni" }, - "Show Widgets": "Kisalkalmazások megjelenítése", - "Hide Widgets": "Kisalkalmazások elrejtése", "Invite someone using their name, email address, username (like ) or share this room.": "Hívj meg valakit a nevét, e-mail címét, vagy felhasználónevét (például ) megadva, vagy oszd meg ezt a szobát.", "Start a conversation with someone using their name, email address or username (like ).": "Indítson beszélgetést valakivel a nevének, e-mail-címének vagy a felhasználónevének használatával (mint ).", "Invite by email": "Meghívás e-maillel", @@ -980,10 +803,6 @@ "A call can only be transferred to a single user.": "Csak egy felhasználónak lehet átadni a hívást.", "Open dial pad": "Számlap megnyitása", "Dial pad": "Tárcsázó számlap", - "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", - "Great! This Security Phrase looks strong enough.": "Nagyszerű! Ez a biztonsági jelmondat elég erősnek tűnik.", "If you've forgotten your Security Key you can ": "Ha elfelejtette a biztonsági kulcsot, ", "Access your secure message history and set up secure messaging by entering your Security Key.": "A biztonsági kulcs megadásával hozzáférhet a régi biztonságos üzeneteihez és beállíthatja a biztonságos üzenetküldést.", "Not a valid Security Key": "Érvénytelen biztonsági kulcs", @@ -1003,7 +822,6 @@ "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", "%(count)s members": { "one": "%(count)s tag", "other": "%(count)s tag" @@ -1017,14 +835,9 @@ "Create a new room": "Új szoba készítése", "Space selection": "Tér kiválasztása", "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.": "Nem fogja tudni visszavonni ezt a változtatást, mert lefokozza magát, ha Ön az utolsó privilegizált felhasználó a térben, akkor lehetetlen lesz a jogosultságok visszanyerése.", - "Suggested Rooms": "Javasolt szobák", - "Add existing room": "Létező szoba hozzáadása", - "Invite to this space": "Meghívás a térbe", "Your message was sent": "Üzenet elküldve", "Leave space": "Tér elhagyása", "Create a space": "Tér létrehozása", - "Private space": "Privát tér", - "Public space": "Nyilvános tér", " 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", @@ -1036,7 +849,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.": "Ez általában a szoba kiszolgálóoldali kezelésében jelent változást. Ha a(z) %(brand)s kliensben tapasztal problémát, akkor küldjön egy hibajelentést.", "Invite to %(roomName)s": "Meghívás ide: %(roomName)s", "Edit devices": "Eszközök szerkesztése", - "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.", "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", @@ -1067,8 +879,6 @@ "other": "Az összes %(count)s résztvevő megmutatása" }, "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.", "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…", @@ -1085,10 +895,6 @@ "Add reaction": "Reakció hozzáadása", "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": { - "one": "%(count)s szobába lép be", - "other": "%(count)s szobába lép be" - }, "Some suggestions may be hidden for privacy.": "Adatvédelmi okokból néhány javaslat rejtve lehet.", "If you have permissions, open the menu on any message and select Pin to stick them here.": "Ha van hozzá jogosultsága, nyissa meg a menüt bármelyik üzenetben és válassza a Kitűzés menüpontot a kitűzéshez.", "Or send invite link": "Vagy meghívó link küldése", @@ -1104,22 +910,9 @@ "Published addresses can be used by anyone on any server to join your room.": "A nyilvánosságra hozott címet bárki bármelyik szerverről használhatja a szobához való belépéshez.", "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", - "Address": "Cím", "Unnamed audio": "Névtelen hang", "Error processing audio message": "Hiba a hangüzenet feldolgozásánál", - "Show %(count)s other previews": { - "one": "%(count)s további előnézet megjelenítése", - "other": "%(count)s további előnézet megjelenítése" - }, "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "A %(brand)s nem használhat Integrációs Menedzsert. Kérem vegye fel a kapcsolatot az adminisztrátorral.", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Az integrációkezelők megkapják a beállításokat, módosíthatják a kisalkalmazásokat, szobameghívókat küldhetnek és a hozzáférési szintet állíthatnak be az Ön nevében.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Integrációkezelő használata a botok, kisalkalmazások és matricacsomagok kezeléséhez.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Integrációkezelő használata (%(serverName)s) a botok, kisalkalmazások és matricacsomagok kezeléséhez.", - "Identity server (%(server)s)": "Azonosítási kiszolgáló (%(server)s)", - "Could not connect to identity server": "Az azonosítási kiszolgálóhoz nem lehet csatlakozni", - "Not a valid identity server (status code %(code)s)": "Az azonosítási kiszolgáló nem érvényes (állapotkód: %(code)s)", - "Identity server URL must be HTTPS": "Az azonosítási kiszolgáló webcímének HTTPS-nek kell lennie", "Unable to copy a link to the room to the clipboard.": "Ennek a szobának a hivatkozását nem sikerül a vágólapra másolni.", "Unable to copy room link": "A szoba hivatkozása nem másolható", "Error downloading audio": "Hiba a hang letöltésekor", @@ -1132,7 +925,6 @@ "Select spaces": "Terek kiválasztása", "You're removing all spaces. Access will default to invite only": "Az összes teret törli. A hozzáférés alapállapota „csak meghívóval” lesz.", "User Directory": "Felhasználójegyzék", - "Public room": "Nyilvános szoba", "The call is in an unknown state!": "A hívás ismeretlen állapotban van!", "An unknown error occurred": "Ismeretlen hiba történt", "Their device couldn't start the camera or microphone": "A másik fél eszköze nem képes használni a kamerát vagy a mikrofont", @@ -1152,7 +944,6 @@ "Create a new space": "Új tér készítése", "Want to add a new space instead?": "Inkább új teret adna hozzá?", "Add existing space": "Meglévő tér hozzáadása", - "Add space": "Tér hozzáadása", "These are likely ones other room admins are a part of.": "Ezek valószínűleg olyanok, amelyeknek más szoba adminok is tagjai.", "Leave %(spaceName)s": "Kilép innen: %(spaceName)s", "You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Ön az adminisztrátora néhány szobának vagy térnek amiből ki szeretne lépni. Ha kilép belőlük akkor azok adminisztrátor nélkül maradnak.", @@ -1169,9 +960,6 @@ "Results": "Eredmények", "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", - "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.", "Would you like to leave the rooms in this space?": "Ki szeretne lépni ennek a térnek minden szobájából?", "You are about to leave .": "Éppen el akarja hagyni teret.", @@ -1181,14 +969,8 @@ "MB": "MB", "In reply to this message": "Válasz erre az üzenetre", "Export chat": "Beszélgetés exportálása", - "I'll verify later": "Később ellenőrzöm", - "Proceed with reset": "Lecserélés folytatása", "Skip verification for now": "Ellenőrzés kihagyása most", "Really reset verification keys?": "Biztos, hogy lecseréli az ellenőrzési kulcsokat?", - "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.": "Az ellenőrzéshez használt kulcsok alaphelyzetbe állítását nem lehet visszavonni. A visszaállítás után nem fog hozzáférni a régi titkosított üzenetekhez, és minden ismerőse, aki eddig ellenőrizte a személyazonosságát, biztonsági figyelmeztetést fog látni, amíg újra nem ellenőrzi.", - "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.", "Downloading": "Letöltés", "They won't be able to access whatever you're not an admin of.": "Később nem férhetnek hozzá olyan helyekhez ahol ön nem adminisztrátor.", "Ban them from specific things I'm able to": "Kitiltani őket bizonyos helyekről ahonnan joga van hozzá", @@ -1206,14 +988,8 @@ "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.", "Joined": "Csatlakozott", - "Insert link": "Link beillesztése", "Joining": "Belépés", - "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.", - "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", "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.", @@ -1226,11 +1002,6 @@ "Files": "Fájlok", "Close this widget to view it in this panel": "Kisalkalmazás bezárása ezen a panelen való megjelenítéshez", "Unpin this widget to view it in this panel": "Kisalkalmazás rögzítésének megszüntetése az ezen a panelen való megjelenítéshez", - "You won't get any notifications": "Nem kap semmilyen értesítést", - "Get notified only with mentions and keywords as set up in your settings": "Értesítések fogadása csak megemlítéseknél és kulcsszavaknál, a beállításokban megadottak szerint", - "@mentions & keywords": "@megemlítések és kulcsszavak", - "Get notified for every message": "Értesítés fogadása az összes üzenetről", - "Get notifications as set up in your settings": "Értesítések fogadása a beállításokban megadottak szerint", "Based on %(count)s votes": { "one": "%(count)s szavazat alapján", "other": "%(count)s szavazat alapján" @@ -1252,12 +1023,6 @@ "Messaging": "Üzenetküldés", "Spaces you know that contain this space": "Terek melyről tudja, hogy ezt a teret tartalmazzák", "Chat": "Csevegés", - "Home options": "Kezdőlap beállítások", - "%(spaceName)s menu": "%(spaceName)s menű", - "Join public room": "Belépés nyilvános szobába", - "Add people": "Felhasználók meghívása", - "Invite to space": "Meghívás a térbe", - "Start new chat": "Új beszélgetés indítása", "Recently viewed": "Nemrég megtekintett", "%(count)s votes cast. Vote to see the results": { "one": "%(count)s leadott szavazat. Szavazzon az eredmény megtekintéséhez", @@ -1286,9 +1051,6 @@ "Link to room": "Hivatkozás a szobához", "Including you, %(commaSeparatedMembers)s": "Önt is beleértve, %(commaSeparatedMembers)s", "This groups your chats with members of this space. Turning this off will hide those chats from your view of %(spaceName)s.": "Ez csoportosítja a tér tagjaival folytatott közvetlen beszélgetéseit. A kikapcsolása elrejti ezeket a beszélgetéseket a(z) %(spaceName)s nézetéből.", - "Your new device is now verified. Other users will see it as trusted.": "Az új eszköze ellenőrizve van. Mások megbízhatónak fogják látni.", - "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Ez az eszköz hitelesítve van. A titkosított üzenetekhez hozzáférése van és más felhasználók megbízhatónak látják.", - "Verify with another device": "Ellenőrizze egy másik eszközzel", "Device verified": "Eszköz ellenőrizve", "Verify this device": "Az eszköz ellenőrzése", "Unable to verify this device": "Ennek az eszköznek az ellenőrzése nem lehetséges", @@ -1308,7 +1070,6 @@ "Remove them from specific things I'm able to": "Eltávolításuk bizonyos helyekről ahonnan lehet", "Remove them from everything I'm able to": "Eltávolításuk mindenhonnan ahonnan csak lehet", "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", "Pick a date to jump to": "Idő kiválasztása az ugráshoz", "Jump to date": "Ugrás időpontra", @@ -1316,9 +1077,6 @@ "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", - "Poll": "Szavazás", - "Voice Message": "Hang üzenet", - "Hide stickers": "Matricák elrejtése", "%(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.", @@ -1342,10 +1100,6 @@ "You are sharing your live location": "Ön folyamatosan megosztja az aktuális földrajzi pozícióját", "%(displayName)s's live location": "%(displayName)s élő földrajzi helyzete", "Preserve system messages": "Rendszerüzenetek megtartása", - "Currently removing messages in %(count)s rooms": { - "one": "Üzenet törlése %(count)s szobából", - "other": "Üzenet törlése %(count)s szobából" - }, "Unsent": "Elküldetlen", "Uncheck if you also want to remove system messages on this user (e.g. membership change, profile change…)": "Törölje a kijelölést ha a rendszer üzeneteket is törölni szeretné ettől a felhasználótól (pl. tagság változás, profil változás…)", "You are about to remove %(count)s messages by %(user)s. This will remove them permanently for everyone in the conversation. Do you wish to continue?": { @@ -1355,7 +1109,6 @@ "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.": "Használhatja a más szerver opciót, hogy egy másik matrix szerverre jelentkezz be amihez megadod a szerver url címét. Ezzel használhatja a(z) %(brand)s klienst egy már létező Matrix fiókkal egy másik matrix szerveren.", "Disinvite from room": "Meghívó visszavonása a szobából", "Disinvite from space": "Meghívó visszavonása a térről", - "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.": "A meghívó ellenőrzésekor az alábbi hibát kaptuk: %(errcode)s. Ezt az információt megpróbálhatja eljuttatni a szoba gazdájának.", "An error occurred while stopping your live location, please try again": "Élő pozíció megosztás befejezése közben hiba történt, kérjük próbálja újra", "Live location enabled": "Élő pozíció megosztás engedélyezve", "Close sidebar": "Oldalsáv bezárása", @@ -1377,22 +1130,6 @@ "one": "1 résztvevő", "other": "%(count)s résztvevő" }, - "%(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.": "Amikor a szobát vagy teret próbáltuk elérni ezt a hibaüzenetet kaptuk: %(errcode)s. Ha úgy gondolja, hogy ez egy hiba legyen szívesnyisson egy hibajegyet.", - "Try again later, or ask a room or space admin to check if you have access.": "Próbálkozzon később vagy kérje meg a szoba vagy tér adminisztrátorát, hogy nézze meg van-e hozzáférése.", - "This room or space is not accessible at this time.": "Ez a szoba vagy tér jelenleg elérhetetlen.", - "Are you sure you're at the right place?": "Biztos benne, hogy jó helyen jár?", - "This room or space does not exist.": "Ez a szoba vagy tér nem létezik.", - "There's no preview, would you like to join?": "Előnézet nincs, szeretne csatlakozni?", - "This invite was sent to %(email)s": "Ez a meghívó ide lett küldve: %(email)s", - "This invite was sent to %(email)s which is not associated with your account": "Ez a meghívó ide lett küldve: %(email)s ami nincs összekötve a fiókjával", - "You can still join here.": "Itt továbbra is tud csatlakozni.", - "You were removed by %(memberName)s": "%(memberName)s felhasználó eltávolította", - "You were banned by %(memberName)s": "%(memberName)s felhasználó kitiltotta", - "Something went wrong with your invite.": "Valami hiba történt a meghívójával.", - "Forget this space": "Ennek a térnek az elfelejtése", - "Loading preview": "Előnézet betöltése", - "New video room": "Új videó szoba", - "New room": "Új szoba", "Hide my messages from new joiners": "Üzeneteim elrejtése az újonnan csatlakozók elől", "You will leave all rooms and DMs that you are in": "Minden szobából és közvetlen beszélgetésből kilép", "No one will be able to reuse your username (MXID), including you: this username will remain unavailable": "Senki nem használhatja többet a felhasználónevet (matrix azonosítot), Önt is beleértve: ez a felhasználói név használhatatlan marad", @@ -1400,19 +1137,11 @@ "You will not be able to reactivate your account": "A fiók többi nem aktiválható", "Confirm that you would like to deactivate your account. If you proceed:": "Erősítse meg a fiók deaktiválását. Ha folytatja:", "To continue, please enter your account password:": "A folytatáshoz adja meg a jelszavát:", - "Seen by %(count)s people": { - "one": "%(count)s ember látta", - "other": "%(count)s ember látta" - }, - "Your password was successfully changed.": "A jelszó sikeresen megváltozott.", "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.": "Az összes eszközéről kijelentkezett és leküldéses értesítéseket sem fog kapni. Az értesítések újbóli engedélyezéséhez újra be kell jelentkezni az egyes eszközökön.", "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.": "Ha szeretné megtartani a hozzáférést a titkosított szobákban lévő csevegésekhez, állítson be Kulcs mentést vagy exportálja ki a kulcsokat valamelyik eszközéről mielőtt továbblép.", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "A kijelentkezéssel az üzeneteket titkosító kulcsokat az eszközök törlik magukról ami elérhetetlenné teheti a régi titkosított csevegéseket.", "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?": "Azok a régi üzenetek amiket az emberek már megkaptak továbbra is láthatóak maradnak, mint az e-mailek amiket régebben küldött. Szeretné elrejteni az üzeneteit azon emberek elől aki ez után lépnek be a szobába?", "You will be removed from the identity server: your friends will no longer be able to find you with your email or phone number": "Az azonosítási kiszolgálóról törlésre kerül: a barátai többé nem találják meg az e-mail-címe vagy a telefonszáma alapján", - "To view %(roomName)s, you need an invite": "A %(roomName)s megjelenítéséhez meghívó szükséges", - "Private room": "Privát szoba", - "Video room": "Videó szoba", "%(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.", @@ -1424,12 +1153,7 @@ "Output devices": "Kimeneti eszközök", "Input devices": "Beviteli eszközök", "Open room": "Szoba megnyitása", - "Joining…": "Belépés…", "Show Labs settings": "Labor beállítások megjelenítése", - "To join, please enable video rooms in Labs first": "A belépéshez a Laborban be kell kapcsolni a videó szobákat", - "To view, please enable video rooms in Labs first": "A megjelenítéshez a Laborban be kell kapcsolni a videó szobákat", - "Read receipts": "Olvasási visszajelzés", - "Deactivating your account is a permanent action — be careful!": "A fiók felfüggesztése végleges — legyen óvatos!", "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.": "A kijelentkezéssel a kulcsok az eszközről törlődnek, ami azt jelenti, hogy ha nincsenek meg máshol a kulcsok, vagy nincsenek mentve a kiszolgálón, akkor a titkosított üzenetek olvashatatlanná válnak.", "Remove search filter for %(filter)s": "Keresési szűrő eltávolítása innen: %(filter)s", "Start a group chat": "Csoportos csevegés indítása", @@ -1461,29 +1185,16 @@ "You're in": "Itt van:", "You need to have the right permissions in order to share locations in this room.": "Az ebben a szobában történő helymegosztáshoz a megfelelő jogosultságokra van szüksége.", "You don't have permission to share locations": "Nincs jogosultsága a helymegosztáshoz", - "Join the room to participate": "Csatlakozz a szobához, hogy részt vehess", "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", "Interactively verify by emoji": "Interaktív ellenőrzés emodzsikkal", "Manually verify by text": "Kézi szöveges ellenőrzés", - "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s vagy %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s vagy %(recoveryFile)s", "Video call ended": "Videó hívás befejeződött", "%(name)s started a video call": "%(name)s videóhívást indított", - "Video call (Jitsi)": "Videóhívás (Jitsi)", - "Failed to set pusher state": "A leküldő állapotának beállítása sikertelen", "Room info": "Szoba információ", - "View chat timeline": "Beszélgetés idővonal megjelenítése", - "Close call": "Hívás befejezése", - "Spotlight": "Reflektor", - "Freedom": "Szabadság", - "Video call (%(brand)s)": "Videó hívás (%(brand)s)", - "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.", - "Enable %(brand)s as an additional calling option in this room": "%(brand)s engedélyezése mint további opció hívásokhoz a szobában", "Completing set up of your new device": "Új eszköz beállításának elvégzése", "Waiting for device to sign in": "Várakozás a másik eszköz bejelentkezésére", "Start at the sign in screen": "Kezdje a bejelentkező képernyőn", @@ -1502,16 +1213,8 @@ "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", "Review and approve the sign in": "Belépés áttekintése és engedélyezés", - "Show formatting": "Formázás megjelenítése", "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", - "Connection": "Kapcsolat", - "Voice processing": "Hangfeldolgozás", - "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", - "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.", @@ -1520,7 +1223,6 @@ "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", "Unable to decrypt message": "Üzenet visszafejtése sikertelen", "This message could not be decrypted": "Ezt az üzenetet nem lehet visszafejteni", " in %(room)s": " itt: %(room)s", @@ -1532,14 +1234,7 @@ "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", "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", - "Your account details are managed separately at %(hostname)s.": "A fiókadatok külön vannak kezelve itt: %(hostname)s.", "unknown": "ismeretlen", - "Starting backup…": "Mentés indul…", - "Secure Backup successful": "Biztonsági mentés sikeres", - "Your keys are now being backed up from this device.": "A kulcsai nem kerülnek elmentésre erről az eszközről.", - "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.", "Connecting…": "Kapcsolás…", "Scan QR code": "QR kód beolvasása", "Select '%(scanQRCode)s'": "Kiválasztás „%(scanQRCode)s”", @@ -1552,12 +1247,8 @@ "Waiting for partner to confirm…": "Várakozás a partner megerősítésére…", "Adding…": "Hozzáadás…", "Declining…": "Elutasítás…", - "Rejecting invite…": "Meghívó elutasítása…", - "Joining room…": "Belépés a szobába…", - "Joining space…": "Belépés a térbe…", "Encrypting your message…": "Üzenet titkosítása…", "Sending your message…": "Üzenet küldése…", - "Set a new account password…": "Új fiókjelszó beállítása…", "Starting export process…": "Exportálási folyamat indítása…", "Loading polls": "Szavazások betöltése", "Ended a poll": "Lezárta a szavazást", @@ -1596,13 +1287,8 @@ "Start DM anyway": "Közvetlen beszélgetés indítása mindenképpen", "Start DM anyway and never warn me again": "Közvetlen beszélgetés indítása mindenképpen és később se figyelmeztessen", "Unable to find profiles for the Matrix IDs listed below - would you like to start a DM anyway?": "Nem található fiók profil az alábbi Matrix azonosítókhoz - mégis a közvetlen csevegés elindítása mellett dönt?", - "Formatting": "Formázás", "Search all rooms": "Keresés az összes szobában", "Search this room": "Keresés ebben a szobában", - "Upload custom sound": "Egyéni hang feltöltése", - "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)", "common": { "about": "Névjegy", "analytics": "Analitika", @@ -1708,7 +1394,18 @@ "saving": "Mentés…", "profile": "Profil", "display_name": "Megjelenítési név", - "user_avatar": "Profilkép" + "user_avatar": "Profilkép", + "authentication": "Azonosítás", + "public_room": "Nyilvános szoba", + "video_room": "Videó szoba", + "public_space": "Nyilvános tér", + "private_space": "Privát tér", + "private_room": "Privát szoba", + "rooms": "Szobák", + "low_priority": "Alacsony prioritás", + "historical": "Archív", + "go_to_settings": "Irány a Beállítások", + "setup_secure_messages": "Biztonságos Üzenetek beállítása" }, "action": { "continue": "Folytatás", @@ -1813,7 +1510,16 @@ "unban": "Kitiltás visszavonása", "click_to_copy": "Másolás kattintással", "hide_advanced": "Speciális beállítások elrejtése", - "show_advanced": "Speciális beállítások megjelenítése" + "show_advanced": "Speciális beállítások megjelenítése", + "unignore": "Mellőzés feloldása", + "start_new_chat": "Új beszélgetés indítása", + "invite_to_space": "Meghívás a térbe", + "add_people": "Felhasználók meghívása", + "explore_rooms": "Szobák felderítése", + "new_room": "Új szoba", + "new_video_room": "Új videó szoba", + "add_existing_room": "Létező szoba hozzáadása", + "explore_public_rooms": "Nyilvános szobák felfedezése" }, "a11y": { "user_menu": "Felhasználói menü", @@ -1826,7 +1532,8 @@ "one": "1 olvasatlan üzenet." }, "unread_messages": "Olvasatlan üzenetek.", - "jump_first_invite": "Újrás az első meghívóhoz." + "jump_first_invite": "Újrás az első meghívóhoz.", + "room_name": "Szoba: %(name)s" }, "labs": { "video_rooms": "Videószobák", @@ -2011,7 +1718,22 @@ "space_a11y": "Tér automatikus kiegészítése", "user_description": "Felhasználók", "user_a11y": "Felhasználó automatikus kiegészítése" - } + }, + "room_upgraded_link": "A beszélgetés itt folytatódik.", + "room_upgraded_notice": "Ezt a szobát lecseréltük és nem aktív többé.", + "no_perms_notice": "Nincs jogod üzenetet küldeni ebbe a szobába", + "send_button_voice_message": "Hang üzenet küldése", + "close_sticker_picker": "Matricák elrejtése", + "voice_message_button": "Hang üzenet", + "poll_button_no_perms_title": "Jogosultság szükséges", + "poll_button_no_perms_description": "Nincs joga szavazást kezdeményezni ebben a szobában.", + "poll_button": "Szavazás", + "mode_plain": "Formázás elrejtése", + "mode_rich_text": "Formázás megjelenítése", + "formatting_toolbar_label": "Formázás", + "format_italics": "Dőlt", + "format_insert_link": "Link beillesztése", + "replying_title": "Válasz" }, "Link": "Hivatkozás", "Code": "Kód", @@ -2226,7 +1948,19 @@ "auto_gain_control": "Automatikus hangerőszabályozás", "echo_cancellation": "Visszhangcsillapítás", "noise_suppression": "Zajcsillapítás", - "enable_fallback_ice_server_description": "Csak abban az esetben, ha a Matrix-kiszolgáló nem kínál fel egyet sem. Az IP-címe megosztásra kerülhet a hívás során." + "enable_fallback_ice_server_description": "Csak abban az esetben, ha a Matrix-kiszolgáló nem kínál fel egyet sem. Az IP-címe megosztásra kerülhet a hívás során.", + "missing_permissions_prompt": "Hiányzó média jogosultságok, kattintson a lenti gombra a jogosultságok megadásához.", + "request_permissions": "Média jogosultságok megkérése", + "audio_output": "Hangkimenet", + "audio_output_empty": "Nem található hangkimenet", + "audio_input_empty": "Nem található mikrofon", + "video_input_empty": "Nem található webkamera", + "title": "Hang és videó", + "voice_section": "Hangbeállítások", + "voice_agc": "Mikrofon hangerejének automatikus beállítása", + "video_section": "Videóbeállítások", + "voice_processing": "Hangfeldolgozás", + "connection_section": "Kapcsolat" }, "send_read_receipts_unsupported": "A kiszolgálója nem támogatja az olvasási visszajelzések elküldésének kikapcsolását.", "security": { @@ -2299,7 +2033,11 @@ "key_backup_in_progress": "%(sessionsRemaining)s kulcs biztonsági mentése…", "key_backup_complete": "Az összes kulcs elmentve", "key_backup_algorithm": "Algoritmus:", - "key_backup_inactive_warning": "A kulcsai nem kerülnek mentésre ebből a munkamenetből." + "key_backup_inactive_warning": "A kulcsai nem kerülnek mentésre ebből a munkamenetből.", + "key_backup_active_version_none": "Semmi", + "ignore_users_empty": "Nincsenek mellőzött felhasználók.", + "ignore_users_section": "Mellőzött felhasználók", + "e2ee_default_disabled_warning": "A kiszolgáló rendszergazdája alapértelmezetten kikapcsolta a végpontok közötti titkosítást a privát szobákban és a közvetlen beszélgetésekben." }, "preferences": { "room_list_heading": "Szobalista", @@ -2419,7 +2157,8 @@ "one": "Biztos, hogy ki szeretne lépni %(count)s munkamenetből?", "other": "Biztos, hogy ki szeretne lépni %(count)s munkamenetből?" }, - "other_sessions_subsection_description": "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_subsection_description": "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.", + "error_pusher_state": "A leküldő állapotának beállítása sikertelen" }, "general": { "oidc_manage_button": "Fiók kezelése", @@ -2441,7 +2180,46 @@ "add_msisdn_dialog_title": "Telefonszám hozzáadása", "name_placeholder": "Nincs megjelenítendő név", "error_saving_profile_title": "A saját profil mentése sikertelen", - "error_saving_profile": "A műveletet nem lehetett befejezni" + "error_saving_profile": "A műveletet nem lehetett befejezni", + "error_password_change_unknown": "Ismeretlen jelszómódosítási hiba (%(stringifiedError)s)", + "error_password_change_403": "Nem sikerült megváltoztatni a jelszót. Helyesen írta be a jelszavát?", + "error_password_change_http": "%(errorMessage)s (HTTP állapot: %(httpStatus)s)", + "error_password_change_title": "Hiba a jelszó módosítása során", + "password_change_success": "A jelszó sikeresen megváltozott.", + "emails_heading": "E-mail-cím", + "msisdns_heading": "Telefonszámok", + "password_change_section": "Új fiókjelszó beállítása…", + "external_account_management": "A fiókadatok külön vannak kezelve itt: %(hostname)s.", + "discovery_needs_terms": "Azonosítási kiszolgáló (%(serverName)s) felhasználási feltételeinek elfogadása, ezáltal megtalálhatóvá lesz e-mail-cím vagy telefonszám alapján.", + "deactivate_section": "Fiók felfüggesztése", + "account_management_section": "Fiókkezelés", + "deactivate_warning": "A fiók felfüggesztése végleges — legyen óvatos!", + "discovery_section": "Felkutatás", + "error_revoke_email_discovery": "Az e-mail cím megosztását nem sikerült visszavonni", + "error_share_email_discovery": "Az e-mail címet nem sikerült megosztani", + "email_not_verified": "Az e-mail-címe még nincs ellenőrizve", + "email_verification_instructions": "Ellenőrzéshez kattints a linkre az e-mailben amit kaptál és itt kattints a folytatásra újra.", + "error_email_verification": "Az e-mail cím ellenőrzése sikertelen.", + "discovery_email_verification_instructions": "Ellenőrizd a hivatkozást a bejövő leveleid között", + "discovery_email_empty": "Felkutatási beállítások megjelennek amint hozzáadtál egy e-mail címet alább.", + "error_revoke_msisdn_discovery": "A telefonszám megosztást nem sikerült visszavonni", + "error_share_msisdn_discovery": "A telefonszámot nem sikerült megosztani", + "error_msisdn_verification": "A telefonszámot nem sikerült ellenőrizni.", + "incorrect_msisdn_verification": "Hibás azonosítási kód", + "msisdn_verification_instructions": "Kérlek add meg az ellenőrző kódot amit szövegben küldtünk.", + "msisdn_verification_field_label": "Ellenőrző kód", + "discovery_msisdn_empty": "Felkutatási beállítások megjelennek amint hozzáadtál egy telefonszámot alább.", + "error_set_name": "Megjelenítési nevet nem sikerült beállítani", + "error_remove_3pid": "A névjegy információkat nem sikerült törölni", + "remove_email_prompt": "%(email)s törlése?", + "error_invalid_email": "Érvénytelen e-mail-cím", + "error_invalid_email_detail": "Ez nem tűnik helyes e-mail címnek", + "error_add_email": "Az e-mail címet nem sikerült hozzáadni", + "add_email_instructions": "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_label": "E-mail cím", + "remove_msisdn_prompt": "%(phone)s törlése?", + "add_msisdn_instructions": "A szöveges üzenetet elküldtük a +%(msisdn)s számra. Kérlek add meg az ellenőrző kódot amit tartalmazott.", + "msisdn_label": "Telefonszám" }, "sidebar": { "title": "Oldalsáv", @@ -2454,6 +2232,56 @@ "metaspaces_orphans_description": "Csoportosítsa egy helyre az összes olyan szobát, amely nem egy tér része.", "metaspaces_home_all_rooms_description": "Minden szoba megjelenítése a Kezdőlapon, akkor is ha egy tér része.", "metaspaces_home_all_rooms": "Minden szoba megjelenítése" + }, + "key_backup": { + "backup_in_progress": "A kulcsaid mentése folyamatban van (az első mentés több percig is eltarthat).", + "backup_starting": "Mentés indul…", + "backup_success": "Sikeres!", + "create_title": "Kulcs mentés készítése", + "cannot_create_backup": "Kulcs mentés sikertelen", + "setup_secure_backup": { + "generate_security_key_title": "Biztonsági kulcs előállítása", + "generate_security_key_description": "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.", + "enter_phrase_title": "Biztonsági jelmondat megadása", + "description": "Védekezzen a titkosított üzenetekhez és adatokhoz való hozzáférés elvesztése ellen a titkosítási kulcsok kiszolgálóra történő mentésével.", + "requires_password_confirmation": "A fejlesztés megerősítéséhez add meg a fiók jelszavadat:", + "requires_key_restore": "A titkosítás fejlesztéséhez allítsd vissza a kulcs mentést", + "requires_server_authentication": "A fejlesztés megerősítéséhez újból hitelesítenie kell a kiszolgálóval.", + "session_upgrade_description": "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.", + "enter_phrase_description": "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.", + "phrase_strong_enough": "Nagyszerű! Ez a biztonsági jelmondat elég erősnek tűnik.", + "pass_phrase_match_success": "Egyeznek!", + "use_different_passphrase": "Másik jelmondat használata?", + "pass_phrase_match_failed": "Nem egyeznek.", + "set_phrase_again": "Lépj vissza és állítsd be újra.", + "enter_phrase_to_confirm": "A megerősítéshez adja meg a biztonsági jelmondatot még egyszer.", + "confirm_security_phrase": "Biztonsági Jelmondat megerősítése", + "security_key_safety_reminder": "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.", + "download_or_copy": "%(downloadButton)s vagy %(copyButton)s", + "backup_setup_success_description": "A kulcsai nem kerülnek elmentésre erről az eszközről.", + "backup_setup_success_title": "Biztonsági mentés sikeres", + "secret_storage_query_failure": "A biztonsági tároló állapotát nem lehet lekérdezni", + "cancel_warning": "Ha most megszakítod, akkor a munkameneteidhez való hozzáférés elvesztésével elveszítheted a titkosított üzeneteidet és adataidat.", + "settings_reminder": "A biztonsági mentés beállítását és a kulcsok kezelését a Beállításokban is megadhatja.", + "title_upgrade_encryption": "Titkosításod fejlesztése", + "title_set_phrase": "Biztonsági Jelmondat beállítása", + "title_confirm_phrase": "Biztonsági jelmondat megerősítése", + "title_save_key": "Mentse el a biztonsági kulcsát", + "unable_to_setup": "A biztonsági tárolót nem sikerült beállítani", + "use_phrase_only_you_know": "Olyan biztonsági jelmondatot használjon, amelyet csak Ön ismer, és esetleg mentsen el egy biztonsági kulcsot vésztartaléknak." + } + }, + "key_export_import": { + "export_title": "Szoba kulcsok mentése", + "export_description_1": "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.", + "enter_passphrase": "Jelmondat megadása", + "confirm_passphrase": "Jelmondat megerősítése", + "phrase_cannot_be_empty": "A jelmondat nem lehet üres", + "phrase_must_match": "A jelmondatoknak meg kell egyezniük", + "import_title": "Szoba kulcsok betöltése", + "import_description_1": "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.", + "import_description_2": "A kimentett fájl jelmondattal van védve. A kibontáshoz add meg a jelmondatot.", + "file_to_import": "Fájl betöltése" } }, "devtools": { @@ -2947,7 +2775,19 @@ "collapse_reply_thread": "Üzenetszál összecsukása", "view_related_event": "Kapcsolódó események megjelenítése", "report": "Jelentés" - } + }, + "url_preview": { + "show_n_more": { + "one": "%(count)s további előnézet megjelenítése", + "other": "%(count)s további előnézet megjelenítése" + }, + "close": "Előnézet bezárása" + }, + "read_receipt_title": { + "one": "%(count)s ember látta", + "other": "%(count)s ember látta" + }, + "read_receipts_label": "Olvasási visszajelzés" }, "slash_command": { "spoiler": "A megadott üzenet elküldése kitakarva", @@ -3209,7 +3049,14 @@ "permissions_section_description_room": "A szoba bizonyos beállításainak megváltoztatásához szükséges szerep kiválasztása", "add_privileged_user_heading": "Privilegizált felhasználók hozzáadása", "add_privileged_user_description": "Több jog adása egy vagy több felhasználónak a szobában", - "add_privileged_user_filter_placeholder": "Felhasználók keresése a szobában…" + "add_privileged_user_filter_placeholder": "Felhasználók keresése a szobában…", + "error_unbanning": "A kitiltás visszavonása sikertelen", + "banned_by": "Kitiltotta: %(displayName)s", + "ban_reason": "Ok", + "error_changing_pl_reqs_title": "A szükséges hozzáférési szint megváltoztatása nem sikerült", + "error_changing_pl_reqs_description": "Hiba történt a szobához szükséges hozzáférési szint megváltoztatása során. Ellenőrizze, hogy megvan-e hozzá a megfelelő jogosultsága, és próbálja újra.", + "error_changing_pl_title": "Hiba történt a hozzáférési szint megváltoztatása során", + "error_changing_pl_description": "Hiba történt a felhasználó hozzáférési szintjének megváltoztatása során. Ellenőrizze, hogy megvan-e hozzá a megfelelő jogosultsága, és próbálja újra." }, "security": { "strict_encryption": "Ebben a szobában sose küldjön titkosított üzenetet ellenőrizetlen munkamenetekbe ebből a munkamenetből", @@ -3261,7 +3108,9 @@ "join_rule_upgrade_updating_spaces": { "one": "Terek frissítése…", "other": "Terek frissítése… (%(progress)s / %(count)s)" - } + }, + "error_join_rule_change_title": "A csatlakozási szabályokat nem sikerült frissíteni", + "error_join_rule_change_unknown": "Ismeretlen hiba" }, "general": { "publish_toggle": "Publikálod a szobát a(z) %(domain)s szoba listájába?", @@ -3275,7 +3124,9 @@ "error_save_space_settings": "A tér beállításának mentése sikertelen.", "description_space": "A tér beállításainak szerkesztése.", "save": "Változtatások mentése", - "leave_space": "Tér elhagyása" + "leave_space": "Tér elhagyása", + "aliases_section": "Szobacímek", + "other_section": "Egyéb" }, "advanced": { "unfederated": "Ez a szoba távoli Matrix-kiszolgálóról nem érhető el", @@ -3286,7 +3137,9 @@ "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:" + "room_version": "Szoba verziója:", + "information_section_space": "Tér információi", + "information_section_room": "Szobainformációk" }, "delete_avatar_label": "Profilkép törlése", "upload_avatar_label": "Profilkép feltöltése", @@ -3300,11 +3153,32 @@ "history_visibility_anyone_space": "Tér előnézete", "history_visibility_anyone_space_description": "A tér előnézetének engedélyezése a belépés előtt.", "history_visibility_anyone_space_recommendation": "A nyilvános terekhez ajánlott.", - "guest_access_label": "Vendéghozzáférés engedélyezése" + "guest_access_label": "Vendéghozzáférés engedélyezése", + "alias_section": "Cím" }, "access": { "title": "Hozzáférés", "description_space": "Döntse el, hogy ki láthatja, és léphet be ide: %(spaceName)s." + }, + "bridges": { + "description": "Ez a szoba áthidalja az üzeneteket a felsorolt platformok felé. Tudjon meg többet.", + "empty": "Ez a szoba egy platformra sem hidalja át az üzeneteket. Tudjon meg többet.", + "title": "Hidak" + }, + "notifications": { + "uploaded_sound": "Feltöltött hang", + "settings_link": "Értesítések fogadása a beállításokban megadottak szerint", + "sounds_section": "Hangok", + "notification_sound": "Értesítési hang", + "custom_sound_prompt": "Új egyénii hang beállítása", + "upload_sound_label": "Egyéni hang feltöltése", + "browse_button": "Böngészés" + }, + "voip": { + "enable_element_call_label": "%(brand)s engedélyezése mint további opció hívásokhoz a szobában", + "enable_element_call_caption": "%(brand)s végpontok között titkosított de jelenleg csak kevés számú résztvevővel működik.", + "enable_element_call_no_permissions_tooltip": "Nincs megfelelő jogosultság a megváltoztatáshoz.", + "call_type_section": "Hívás típusa" } }, "encryption": { @@ -3339,7 +3213,19 @@ "unverified_session_toast_accept": "Igen, én voltam", "request_toast_detail": "%(deviceId)s innen: %(ip)s", "request_toast_decline_counter": "Mellőzés (%(counter)s)", - "request_toast_accept": "Munkamenet ellenőrzése" + "request_toast_accept": "Munkamenet ellenőrzése", + "no_key_or_device": "Ú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.", + "reset_proceed_prompt": "Lecserélés folytatása", + "verify_using_key_or_phrase": "Ellenőrzés Biztonsági Kulccsal vagy Jelmondattal", + "verify_using_key": "Ellenőrzés Biztonsági Kulccsal", + "verify_using_device": "Ellenőrizze egy másik eszközzel", + "verification_description": "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_success_with_backup": "Ez az eszköz hitelesítve van. A titkosított üzenetekhez hozzáférése van és más felhasználók megbízhatónak látják.", + "verification_success_without_backup": "Az új eszköze ellenőrizve van. Mások megbízhatónak fogják látni.", + "verification_skip_warning": "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.", + "verify_later": "Később ellenőrzöm", + "verify_reset_warning_1": "Az ellenőrzéshez használt kulcsok alaphelyzetbe állítását nem lehet visszavonni. A visszaállítás után nem fog hozzáférni a régi titkosított üzenetekhez, és minden ismerőse, aki eddig ellenőrizte a személyazonosságát, biztonsági figyelmeztetést fog látni, amíg újra nem ellenőrzi.", + "verify_reset_warning_2": "Csak akkor folytassa ha biztos benne, hogy elvesztett minden hozzáférést a többi eszközéhez és biztonsági kulcsához." }, "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.", @@ -3360,7 +3246,19 @@ "cross_signing_ready_no_backup": "Az eszközök közti hitelesítés készen áll, de a kulcsokról nincs biztonsági mentés.", "cross_signing_untrusted": "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.", "cross_signing_not_ready": "Az eszközök közti hitelesítés nincs beállítva.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Új helyreállítási mód", + "description_1": "A biztonságos üzenetekhez új biztonsági jelmondat és kulcs lett észlelve.", + "description_2": "Ez a munkamenet az új helyreállítási móddal titkosítja a régi üzeneteket.", + "warning": "Ha nem Ön állította be az új helyreállítási módot, akkor lehet, hogy egy támadó próbálja elérni a fiókját. Változtassa meg a fiókja jelszavát, és amint csak lehet, állítsa be az új helyreállítási eljárást a Beállításokban." + }, + "recovery_method_removed": { + "title": "Helyreállítási mód törölve", + "description_1": "A munkamenet észrevette, hogy a biztonságos üzenetek biztonsági jelmondata és kulcsa törölve lett.", + "description_2": "Ha véletlenül tette, akkor beállíthatja a biztonságos üzeneteket ebben a munkamenetben, ami újra titkosítja a régi üzeneteket a helyreállítási móddal.", + "warning": "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." + } }, "emoji": { "category_frequently_used": "Gyakran használt", @@ -3539,7 +3437,11 @@ "autodiscovery_unexpected_error_hs": "A Matrix-kiszolgáló konfiguráció betöltésekor váratlan hiba történt", "autodiscovery_unexpected_error_is": "Az azonosítási kiszolgáló beállításainak feldolgozásánál váratlan hiba történt", "incorrect_credentials_detail": "Vegye figyelembe, hogy a(z) %(hs)s kiszolgálóra jelentkezik be, és nem a matrix.org-ra.", - "create_account_title": "Fiók létrehozása" + "create_account_title": "Fiók létrehozása", + "failed_soft_logout_homeserver": "Az újbóli hitelesítés a Matrix-kiszolgáló hibájából sikertelen", + "soft_logout_subheading": "Személyes adatok törlése", + "soft_logout_warning": "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.", + "forgot_password_send_email": "E-mail küldés" }, "room_list": { "sort_unread_first": "Olvasatlan üzeneteket tartalmazó szobák megjelenítése elől", @@ -3556,7 +3458,23 @@ "notification_options": "Értesítési beállítások", "failed_set_dm_tag": "Nem sikerült a közvetlen beszélgetés címkét beállítani", "failed_remove_tag": "Nem sikerült a szobáról eltávolítani ezt: %(tagName)s", - "failed_add_tag": "Nem sikerült hozzáadni a szobához ezt: %(tagName)s" + "failed_add_tag": "Nem sikerült hozzáadni a szobához ezt: %(tagName)s", + "breadcrumbs_label": "Nemrég meglátogatott szobák", + "breadcrumbs_empty": "Nincsenek nemrégiben meglátogatott szobák", + "add_room_label": "Szoba hozzáadása", + "suggested_rooms_heading": "Javasolt szobák", + "add_space_label": "Tér hozzáadása", + "join_public_room_label": "Belépés nyilvános szobába", + "joining_rooms_status": { + "one": "%(count)s szobába lép be", + "other": "%(count)s szobába lép be" + }, + "redacting_messages_status": { + "one": "Üzenet törlése %(count)s szobából", + "other": "Üzenet törlése %(count)s szobából" + }, + "space_menu_label": "%(spaceName)s menű", + "home_menu_label": "Kezdőlap beállítások" }, "report_content": { "missing_reason": "Adja meg, hogy miért jelenti.", @@ -3811,7 +3729,8 @@ "search_children": "Keresés: %(spaceName)s", "invite_link": "Meghívási hivatkozás megosztása", "invite": "Emberek meghívása", - "invite_description": "Meghívás e-mail-címmel vagy felhasználónévvel" + "invite_description": "Meghívás e-mail-címmel vagy felhasználónévvel", + "invite_this_space": "Meghívás a térbe" }, "location_sharing": { "MapStyleUrlNotConfigured": "Ezen a Matrix-kiszolgálón nincs beállítva a térképek megjelenítése.", @@ -3867,7 +3786,8 @@ "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" + "lists_new_label": "A tiltólista szobaazonosítója vagy címe", + "rules_empty": "Semmi" }, "create_space": { "name_required": "Adjon meg egy nevet a térhez", @@ -3967,8 +3887,71 @@ "forget": "Szoba elfelejtése", "mark_read": "Megjelölés olvasottként", "notifications_default": "Az alapértelmezett beállítások szerint", - "notifications_mute": "Szoba némítása" - } + "notifications_mute": "Szoba némítása", + "title": "Szoba beállítások" + }, + "invite_this_room": "Meghívás a szobába", + "header": { + "video_call_button_jitsi": "Videóhívás (Jitsi)", + "video_call_button_ec": "Videó hívás (%(brand)s)", + "video_call_ec_layout_freedom": "Szabadság", + "video_call_ec_layout_spotlight": "Reflektor", + "video_call_ec_change_layout": "Képernyőbeosztás megváltoztatása", + "forget_room_button": "Szoba elfelejtése", + "hide_widgets_button": "Kisalkalmazások elrejtése", + "show_widgets_button": "Kisalkalmazások megjelenítése", + "close_call_button": "Hívás befejezése", + "video_room_view_chat_button": "Beszélgetés idővonal megjelenítése" + }, + "joining_space": "Belépés a térbe…", + "joining_room": "Belépés a szobába…", + "joining": "Belépés…", + "rejecting": "Meghívó elutasítása…", + "join_title": "Csatlakozz a szobához, hogy részt vehess", + "join_title_account": "Beszélgetéshez való csatlakozás felhasználói fiókkal lehetséges", + "join_button_account": "Fiók készítés", + "loading_preview": "Előnézet betöltése", + "kicked_from_room_by": "Önt %(memberName)s eltávolította ebből a szobából: %(roomName)s", + "kicked_by": "%(memberName)s felhasználó eltávolította", + "kick_reason": "Ok: %(reason)s", + "forget_space": "Ennek a térnek az elfelejtése", + "forget_room": "Szoba elfelejtése", + "rejoin_button": "Újra-csatlakozás", + "banned_from_room_by": "Téged kitiltott %(memberName)s ebből a szobából: %(roomName)s", + "banned_by": "%(memberName)s felhasználó kitiltotta", + "3pid_invite_error_title_room": "A meghívóddal ebbe a szobába: %(roomName)s valami baj történt", + "3pid_invite_error_title": "Valami hiba történt a meghívójával.", + "3pid_invite_error_description": "A meghívó ellenőrzésekor az alábbi hibát kaptuk: %(errcode)s. Ezt az információt megpróbálhatja eljuttatni a szoba gazdájának.", + "3pid_invite_error_invite_subtitle": "Csak érvényes meghívóval tudsz csatlakozni.", + "3pid_invite_error_invite_action": "Csatlakozás mindenképp", + "3pid_invite_error_public_subtitle": "Itt továbbra is tud csatlakozni.", + "join_the_discussion": "Beszélgetéshez csatlakozás", + "3pid_invite_email_not_found_account_room": "A meghívó ehhez a szobához: %(roomName)s erre az e-mail címre lett elküldve: %(email)s ami nincs társítva a fiókodhoz", + "3pid_invite_email_not_found_account": "Ez a meghívó ide lett küldve: %(email)s ami nincs összekötve a fiókjával", + "link_email_to_receive_3pid_invite": "Kösd össze a Beállításokban ezt az e-mail címet a fiókoddal, hogy közvetlenül a %(brand)sba kaphassa meghívókat.", + "invite_sent_to_email_room": "A meghívó ehhez a szobához: %(roomName)s ide lett elküldve: %(email)s", + "invite_sent_to_email": "Ez a meghívó ide lett küldve: %(email)s", + "3pid_invite_no_is_subtitle": "Állíts be azonosítási szervert a Beállításokban, hogy közvetlen meghívókat kaphass %(brand)sba.", + "invite_email_mismatch_suggestion": "Oszd meg a Beállításokban ezt az e-mail címet, hogy közvetlen meghívókat kaphass %(brand)sba.", + "dm_invite_title": "%(user)s felhasználóval szeretnél beszélgetni?", + "dm_invite_subtitle": " csevegni szeretne", + "dm_invite_action": "Beszélgetés elkezdése", + "invite_title": "%(roomName)s szobába szeretnél belépni?", + "invite_subtitle": " meghívott", + "invite_reject_ignore": "Felhasználó elutasítása és figyelmen kívül hagyása", + "peek_join_prompt": "%(roomName)s szoba előnézetét látod. Belépsz?", + "no_peek_join_prompt": "%(roomName)s szobának nincs előnézete. Be szeretnél lépni?", + "no_peek_no_name_join_prompt": "Előnézet nincs, szeretne csatlakozni?", + "not_found_title_name": "%(roomName)s nem létezik.", + "not_found_title": "Ez a szoba vagy tér nem létezik.", + "not_found_subtitle": "Biztos benne, hogy jó helyen jár?", + "inaccessible_name": "%(roomName)s jelenleg nem érhető el.", + "inaccessible": "Ez a szoba vagy tér jelenleg elérhetetlen.", + "inaccessible_subtitle_1": "Próbálkozzon később vagy kérje meg a szoba vagy tér adminisztrátorát, hogy nézze meg van-e hozzáférése.", + "inaccessible_subtitle_2": "Amikor a szobát vagy teret próbáltuk elérni ezt a hibaüzenetet kaptuk: %(errcode)s. Ha úgy gondolja, hogy ez egy hiba legyen szívesnyisson egy hibajegyet.", + "join_failed_needs_invite": "A %(roomName)s megjelenítéséhez meghívó szükséges", + "view_failed_enable_video_rooms": "A megjelenítéshez a Laborban be kell kapcsolni a videó szobákat", + "join_failed_enable_video_rooms": "A belépéshez a Laborban be kell kapcsolni a videó szobákat" }, "file_panel": { "guest_note": "Regisztrálnod kell hogy ezt használhasd", @@ -4116,7 +4099,14 @@ "keyword_new": "Új kulcsszó", "class_global": "Globális", "class_other": "Egyéb", - "mentions_keywords": "Megemlítések és kulcsszavak" + "mentions_keywords": "Megemlítések és kulcsszavak", + "default": "Alapértelmezett", + "all_messages": "Összes üzenet", + "all_messages_description": "Értesítés fogadása az összes üzenetről", + "mentions_and_keywords": "@megemlítések és kulcsszavak", + "mentions_and_keywords_description": "Értesítések fogadása csak megemlítéseknél és kulcsszavaknál, a beállításokban megadottak szerint", + "mute_description": "Nem kap semmilyen értesítést", + "message_didnt_send": "Az üzenet nincs elküldve. Kattintson az információkért." }, "mobile_guide": { "toast_title": "A jobb élmény érdekében használjon alkalmazást", @@ -4142,6 +4132,43 @@ "integration_manager": { "connecting": "Kapcsolódás az integrációkezelőhöz…", "error_connecting_heading": "Nem lehet kapcsolódni az integrációkezelőhöz", - "error_connecting": "Az integrációkezelő nem működik, vagy nem éri el a Matrix-kiszolgálóját." + "error_connecting": "Az integrációkezelő nem működik, vagy nem éri el a Matrix-kiszolgálóját.", + "use_im_default": "Integrációkezelő használata (%(serverName)s) a botok, kisalkalmazások és matricacsomagok kezeléséhez.", + "use_im": "Integrációkezelő használata a botok, kisalkalmazások és matricacsomagok kezeléséhez.", + "manage_title": "Integrációk kezelése", + "explainer": "Az integrációkezelők megkapják a beállításokat, módosíthatják a kisalkalmazásokat, szobameghívókat küldhetnek és a hozzáférési szintet állíthatnak be az Ön nevében." + }, + "identity_server": { + "url_not_https": "Az azonosítási kiszolgáló webcímének HTTPS-nek kell lennie", + "error_invalid": "Az azonosítási kiszolgáló nem érvényes (állapotkód: %(code)s)", + "error_connection": "Az azonosítási kiszolgálóhoz nem lehet csatlakozni", + "checking": "Kiszolgáló ellenőrzése", + "change": "Azonosítási kiszolgáló módosítása", + "change_prompt": "Bontja a kapcsolatot a(z) azonosítási kiszolgálóval, és inkább ehhez kapcsolódik: ?", + "error_invalid_or_terms": "A felhasználási feltételek nincsenek elfogadva, vagy az azonosítási kiszolgáló nem érvényes.", + "no_terms": "A választott azonosítási kiszolgálóhoz nem tartoznak felhasználási feltételek.", + "disconnect": "Kapcsolat bontása az azonosítási kiszolgálóval", + "disconnect_server": "Bontja a kapcsolatot ezzel az azonosítási kiszolgálóval: ?", + "disconnect_offline_warning": "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.", + "suggestions": "Ezt kellene tennie:", + "suggestions_1": "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)", + "suggestions_2": "vegye fel a kapcsolatot a(z) azonosítási kiszolgáló rendszergazdáival", + "suggestions_3": "várjon és próbálja újra", + "disconnect_anyway": "Kapcsolat bontása mindenképp", + "disconnect_personal_data_warning_1": "Továbbra is megosztja a személyes adatait a(z) azonosítási kiszolgálón.", + "disconnect_personal_data_warning_2": "Javasoljuk, hogy a kapcsolat bontása előtt távolítsa el az e-mail-címét és a telefonszámát az azonosítási kiszolgálóról.", + "url": "Azonosítási kiszolgáló (%(server)s)", + "description_connected": "Jelenleg a(z) kiszolgálót használja a kapcsolatok kereséséhez, és hogy megtalálják az ismerősei. A használt azonosítási kiszolgálót alább tudja megváltoztatni.", + "change_server_prompt": "Ha nem szeretné a(z) kiszolgálót használnia kapcsolatok kereséséhez, és hogy megtalálják az ismerősei, akkor adjon meg egy másik azonosítási kiszolgálót.", + "description_disconnected": "Jelenleg nem használ azonosítási kiszolgálót. A kapcsolatok kereséséhez, és hogy megtalálják az ismerősei, adjon hozzá egy azonosítási kiszolgálót.", + "disconnect_warning": "Az azonosítási kiszolgáló kapcsolatának bontása azt eredményezi, hogy más felhasználók nem találják meg Önt, és nem tud másokat meghívni e-mail-cím vagy telefonszám alapján.", + "description_optional": "Az azonosítási kiszolgáló használata nem kötelező. Ha úgy dönt, hogy nem használ azonosítási kiszolgálót, akkor felhasználók nem találják meg Önt, és nem tud másokat meghívni e-mail-cím vagy telefonszám alapján.", + "do_not_use": "Az azonosítási kiszolgáló mellőzése", + "url_field_label": "Új azonosítási kiszolgáló hozzáadása" + }, + "member_list": { + "invited_list_heading": "Meghívva", + "filter_placeholder": "Szoba tagság szűrése", + "power_label": "%(userName)s (szint: %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/id.json b/src/i18n/strings/id.json index 178991db0c..20f60a5be3 100644 --- a/src/i18n/strings/id.json +++ b/src/i18n/strings/id.json @@ -1,24 +1,13 @@ { - "No Microphones detected": "Tidak ada mikrofon terdeteksi", "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?", - "Deactivate Account": "Nonaktifkan Akun", "Email address": "Alamat email", - "Default": "Bawaan", "Download %(text)s": "Unduh %(text)s", "Failed to reject invitation": "Gagal menolak undangan", - "Incorrect verification code": "Kode verifikasi tidak benar", - "Invalid Email Address": "Alamat Email Tidak Absah", - "Invited": "Diundang", - "Low priority": "Prioritas rendah", - "Reason": "Alasan", "Return to login screen": "Kembali ke halaman masuk", - "Rooms": "Ruangan", "Search failed": "Pencarian gagal", "Session ID": "ID Sesi", - "Unable to add email address": "Tidak dapat menambahkan alamat email", - "Unable to verify email address.": "Tidak dapat memverifikasi alamat email.", "unknown error code": "kode kesalahan tidak diketahui", "Verification Pending": "Verifikasi Menunggu", "Warning!": "Peringatan!", @@ -42,8 +31,6 @@ "Nov": "Nov", "Dec": "Des", "Admin Tools": "Peralatan Admin", - "No Webcams detected": "Tidak ada Webcam terdeteksi", - "Authentication": "Autentikasi", "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", @@ -64,14 +51,9 @@ "Wednesday": "Rabu", "You cannot delete this message. (%(code)s)": "Anda tidak dapat menghapus pesan ini. (%(code)s)", "Send": "Kirim", - "All messages": "Semua pesan", - "Invite to this room": "Undang ke ruangan ini", "Thursday": "Kamis", "Yesterday": "Kemarin", - "Failed to change password. Is your password correct?": "Gagal untuk mengubah kata sandi. Apakah kata sandi Anda benar?", "Thank you!": "Terima kasih!", - "Permission Required": "Izin Dibutuhkan", - "Explore rooms": "Jelajahi ruangan", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", "Moderator": "Moderator", "Restricted": "Dibatasi", @@ -335,30 +317,20 @@ "%(duration)sh": "%(duration)sj", "%(duration)sm": "%(duration)sm", "%(duration)ss": "%(duration)sd", - "Unignore": "Hilangkan Abaian", - "Historical": "Riwayat", "Home": "Beranda", "Removing…": "Menghilangkan…", "Resume": "Lanjutkan", "Information": "Informasi", "Widgets": "Widget", "Unencrypted": "Tidak Dienkripsi", - "Bridges": "Jembatan", "Lock": "Gembok", "Accepting…": "Menerima…", - "Italics": "Miring", - "None": "Tidak Ada", "Mushroom": "Jamur", "Folder": "Map", "Scissors": "Gunting", "Ok": "Ok", - "Success!": "Berhasil!", "Notes": "Nota", "edited": "diedit", - "Re-join": "Bergabung Ulang", - "Browse": "Jelajahi", - "Sounds": "Suara", - "Discovery": "Penemuan", "Headphones": "Headphone", "Anchor": "Jangkar", "Bell": "Lonceng", @@ -417,25 +389,15 @@ "Cat": "Kucing", "Dog": "Anjing", "Demote": "Turunkan", - "Replying": "Membalas", "Deactivate user?": "Nonaktifkan pengguna?", - "Remove %(phone)s?": "Hapus %(phone)s?", - "Remove %(email)s?": "Hapus %(email)s?", "Deactivate account": "Nonaktifkan akun", - "Disconnect anyway": "Lepaskan hubungan saja", - "Checking server": "Memeriksa server", "Upload Error": "Kesalahan saat Mengunggah", "Cancel All": "Batalkan Semua", "Upload all": "Unggah semua", "Upload files": "Unggah file", "Power level": "Tingkat daya", "Revoke invite": "Hapus undangan", - "Reason: %(reason)s": "Alasan: %(reason)s", - "Sign Up": "Daftar", - "Add room": "Tambahkan ruangan", "Edit message": "Edit pesan", - "Notification sound": "Suara notifikasi", - "Uploaded sound": "Suara terunggah", "Email (optional)": "Email (opsional)", "Light bulb": "Bohlam lampu", "Thumbs up": "Jempol", @@ -443,14 +405,6 @@ "Room Topic": "Topik Ruangan", "Room Name": "Nama Ruangan", "Main address": "Alamat utama", - "Phone Number": "Nomor Telepon", - "Room Addresses": "Alamat Ruangan", - "Room information": "Informasi ruangan", - "Ignored users": "Pengguna yang diabaikan", - "Account management": "Manajemen akun", - "Phone numbers": "Nomor telepon", - "Email addresses": "Alamat email", - "That matches!": "Mereka cocok!", "General failure": "Kesalahan umum", "Share User": "Bagikan Pengguna", "Share Room": "Bagikan Ruangan", @@ -458,9 +412,6 @@ "Invite anyway": "Undang saja", "Demote yourself?": "Turunkan diri Anda?", "Share room": "Bagikan ruangan", - "Email Address": "Alamat Email", - "Verification code": "Kode verifikasi", - "Audio Output": "Output Audio", "Set up": "Siapkan", "Send Logs": "Kirim Catatan", "Filter results": "Saring hasil", @@ -476,8 +427,6 @@ "Invalid file%(extra)s": "File tidak absah%(extra)s", "not specified": "tidak ditentukan", "Join Room": "Bergabung dengan Ruangan", - "Confirm passphrase": "Konfirmasi frasa sandi", - "Enter passphrase": "Masukkan frasa sandi", "Results": "Hasil", "Joined": "Tergabung", "Joining": "Bergabung", @@ -486,60 +435,19 @@ "Custom level": "Tingkat kustom", "Decrypting": "Mendekripsi", "Downloading": "Mengunduh", - "Forget room": "Lupakan ruangan", - "Address": "Alamat", "Avatar": "Avatar", "Hold": "Jeda", "Transfer": "Pindah", "Sending": "Mengirim", - "Disconnect from the identity server ?": "Putuskan hubungan dari server identitas ?", - "Disconnect identity server": "Putuskan hubungan server identitas", - "The identity server you have chosen does not have any terms of service.": "Server identitas yang Anda pilih tidak memiliki persyaratan layanan.", - "Terms of service not accepted or the identity server is invalid.": "Persyaratan layanan tidak diterima atau server identitasnya tidak absah.", - "Disconnect from the identity server and connect to instead?": "Putuskan hubungan dari server identitas dan hubungkan ke ?", - "Change identity server": "Ubah server identitas", - "Could not connect to identity server": "Tidak dapat menghubung ke server identitas", - "Not a valid identity server (status code %(code)s)": "Bukan server identitas yang absah (kode status %(code)s)", - "Identity server URL must be HTTPS": "URL server identitas harus HTTPS", "Back up your keys before signing out to avoid losing them.": "Cadangkan kunci Anda sebelum keluar untuk menghindari kehilangannya.", "Backup version:": "Versi cadangan:", "This backup is trusted because it has been restored on this session": "Cadangan ini dipercayai karena telah dipulihkan di sesi ini", - "Failed to set display name": "Gagal untuk menetapkan nama tampilan", "To join a space you'll need an invite.": "Untuk bergabung sebuah space Anda membutuhkan undangan.", "Create a space": "Buat space", "IRC display name width": "Lebar nama tampilan IRC", "Your homeserver has exceeded one of its resource limits.": "Homeserver Anda telah melebihi batas sumber dayanya.", "Your homeserver has exceeded its user limit.": "Homeserver Anda telah melebihi batas penggunanya.", - "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.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Gunakan manajer integrasi (%(serverName)s) untuk mengelola bot, widget, dan paket stiker.", - "Enter a new identity server": "Masukkan sebuah server identitas baru", - "Do not use an identity server": "Jangan menggunakan sebuah server identitas", - "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.": "Menggunakan sebuah server identitas itu opsional. Jika Anda tidak menggunakan sebuah server identitas, Anda tidak dapat ditemukan oleh pengguna lain dan Anda tidak dapat mengundang orang lain menggunakan email atau nomor telepon.", - "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.": "Memutuskan hubungan dari server identitas Anda akan berarti Anda tidak dapat ditemukan oleh pengguna lain dan Anda tidak dapat mengundang orang lain menggunakan email atau nomor telepon.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Anda saat ini tidak menggunakan sebuah server identitas. Untuk menemukan dan dapat ditemukan oleh kontak yang Anda tahu, tambahkan satu di bawah.", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Jika Anda tidak ingin menggunakan untuk menemukan dan dapat ditemukan oleh kontak yang Anda tahu, masukkan server identitas yang lain di bawah.", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Anda saat ini menggunakan untuk menemukan dan dapat ditemukan oleh kontak yang Anda tahu. Anda dapat mengubah server identitas di bawah.", - "Identity server (%(server)s)": "Server identitas (%(server)s)", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Kami merekomendasikan Anda menghapus alamat email dan nomor telepon Anda dari server identitasnya sebelum memutuskan hubungan.", - "You are still sharing your personal data on the identity server .": "Anda masih membagikan data personal Anda di server identitas .", - "wait and try again later": "tunggu dan coba lagi", - "contact the administrators of identity server ": "menghubungi administrator server identitas ", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "periksa plugin browser Anda untuk apa saja yang mungkin memblokir server identitasnya (seperti Privacy Badger)", - "You should:": "Anda seharusnya:", - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Anda seharusnya menghapus data personal Anda dari server identitas sebelum memutuskan hubungan. Sayangnya, server identitas saat ini sedang luring atau tidak dapat dicapai.", - "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Admin server Anda telah menonaktifkan enkripsi ujung ke ujung secara bawaan di ruangan privat & Pesan Langsung.", - "You have no ignored users.": "Anda tidak memiliki pengguna 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.", - "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", - "Voice & Video": "Suara & Video", - "No Audio Outputs detected": "Tidak ada output audio yang terdeteksi", - "Request media permissions": "Minta izin media", "Close this widget to view it in this panel": "Tutup widget ini untuk menampilkannya di panel ini", "Unpin this widget to view it in this panel": "Lepaskan pin widget ini untuk menampilkanya di panel ini", "Pinned messages": "Pesan yang dipasangi pin", @@ -600,58 +508,13 @@ "This room is running room version , which this homeserver has marked as unstable.": "Ruangan ini berjalan dengan versi ruangan , yang homeserver ini menandainya sebagai tidak stabil.", "This room has already been upgraded.": "Ruangan ini telah ditingkatkan.", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Meningkatkan ruangan ini akan mematikan instansi ruangan saat ini dan membuat ruangan yang ditingkatkan dengan nama yang sama.", - "%(roomName)s is not accessible at this time.": "%(roomName)s tidak dapat diakses sekarang.", - "%(roomName)s does not exist.": "%(roomName)s tidak ada.", - "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s tidak dapat ditampilkan. Apakah Anda ingin bergabung?", - "You're previewing %(roomName)s. Want to join it?": "Anda melihat tampilan %(roomName)s. Ingin bergabung?", - "Reject & Ignore user": "Tolak & Abaikan pengguna", - " invited you": " mengundang Anda", - "Do you want to join %(roomName)s?": "Apakah Anda ingin bergabung %(roomName)s?", - "Start chatting": "Mulai mengobrol", - " wants to chat": " ingin mengobrol dengan Anda", - "Do you want to chat with %(user)s?": "Apakah Anda ingin mengobrol dengan %(user)s?", - "Share this email in Settings to receive invites directly in %(brand)s.": "Bagikan email ini di Pengaturan untuk mendapatkan undangan secara langsung di %(brand)s.", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Gunakan sebuah server identitas di Pengaturan untuk menerima undangan secara langsung di %(brand)s.", - "This invite to %(roomName)s was sent to %(email)s": "Undangan ke %(roomName)s ini terkirim ke %(email)s", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Tautkan email ini dengan akun Anda di Pengaturan untuk mendapat undangan secara langsung ke %(brand)s.", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Undangan ini yang ke %(roomName)s terkirim ke %(email)s yang tidak diasosiasikan dengan akun Anda", - "Join the discussion": "Bergabung dengan diskusinya", - "Try to join anyway": "Coba bergabung saja", - "You can only join it with a working invite.": "Anda hanya dapat bergabung dengan undangan yang dapat dipakai.", - "Something went wrong with your invite to %(roomName)s": "Ada sesuatu yang salah dengan undangan Anda ke %(roomName)s", - "You were banned from %(roomName)s by %(memberName)s": "Anda telah dicekal dari %(roomName)s oleh %(memberName)s", - "Forget this room": "Lupakan ruangan ini", - "Join the conversation with an account": "Bergabung obrolan dengan sebuah akun", - "Suggested Rooms": "Ruangan yang Disarankan", - "Explore public rooms": "Jelajahi ruangan publik", - "Add existing room": "Tambahkan ruangan yang sudah ada", "Create new room": "Buat ruangan baru", - "Show Widgets": "Tampilkan Widget", - "Hide Widgets": "Sembunyikan Widget", - "Room options": "Opsi ruangan", - "No recently visited rooms": "Tidak ada ruangan yang baru saja dilihat", - "Recently visited rooms": "Ruangan yang baru saja dilihat", - "Room %(name)s": "Ruangan %(name)s", "View message": "Tampilkan pesan", - "Message didn't send. Click for info.": "Pesan tidak terkirim. Klik untuk informasi.", - "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.", - "The conversation continues here.": "Obrolannya dilanjutkan di sini.", "Send voice message": "Kirim sebuah pesan suara", - "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", - "Invite to this space": "Undang ke space ini", "and %(count)s others...": { "one": "dan satu lainnya...", "other": "dan %(count)s lainnya..." }, - "Close preview": "Tutup tampilan", - "Show %(count)s other previews": { - "one": "Tampilkan %(count)s tampilan lainnya", - "other": "Tampilkan %(count)s tampilan lainnya" - }, "Scroll to most recent messages": "Gulir ke pesan yang terbaru", "Failed to send": "Gagal untuk dikirim", "Your message was sent": "Pesan Anda telah terkirim", @@ -671,35 +534,6 @@ "You have verified this user. This user has verified all of their sessions.": "Anda telah memverifikasi pengguna ini. Pengguna ini telah memverifikasi semua sesinya.", "You have not verified this user.": "Anda belum memverifikasi pengguna ini.", "This user has not verified all of their sessions.": "Pengguna ini belum memverifikasi semua sesinya.", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Sebuah teks pesan telah dikirim ke +%(msisdn)s. Silakan masukkan kode verifikasinya.", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Kami telah mengirim sebuah email untuk memverifikasi alamat Anda. Silakan ikuti instruksinya dan klik tombol di bawah.", - "This doesn't appear to be a valid email address": "Ini sepertinya bukan alamat email yang absah", - "Unable to remove contact information": "Tidak dapat menghapus informasi kontak", - "Discovery options will appear once you have added a phone number above.": "Opsi penemuan akan tersedia setelah Anda telah menambahkan sebuah nomor telepon di atas.", - "Discovery options will appear once you have added an email above.": "Opsi penemuan akan tersedia setelah Anda telah menambahkan sebuah email di atas.", - "Please enter verification code sent via text.": "Silakan masukkan kode verifikasi yang terkirim melalui teks.", - "Unable to verify phone number.": "Tidak dapat memverifikasi nomor telepon.", - "Unable to share phone number": "Tidak dapat membagikan nomor telepon", - "Unable to revoke sharing for email address": "Tidak dapat membatalkan pembagian alamat email", - "Unable to revoke sharing for phone number": "Tidak dapat membatalkan pembagian nomor telepon", - "Verify the link in your inbox": "Verifikasi tautannya di kotak masuk Anda", - "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", - "Unknown failure": "Kesalahan yang tidak diketahui", - "Failed to update the join rules": "Gagal untuk memperbarui aturan bergabung", - "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.", - "Error changing power level requirement": "Terjadi kesalahan saat mengubah persyaratan tingkat daya", - "Banned by %(displayName)s": "Dicekal oleh %(displayName)s", - "Failed to unban": "Gagal untuk menghapus cekalan", - "Set a new custom sound": "Atur suara kustom baru", - "You won't get any notifications": "Anda tidak akan mendapatkan notifikasi apa pun", - "Get notifications as set up in your settings": "Dapatkan notifikasi yang diatur di pengaturan Anda", - "Get notified only with mentions and keywords as set up in your settings": "Dapatkan notifikasi hanya dengan sebutan dan kata kunci yang diatur di pengaturan Anda", - "@mentions & keywords": "@sebutan & kata kunci", - "Get notified for every message": "Dapatkan notifikasi untuk setiap pesan", "Can't load this message": "Tidak dapat memuat pesan ini", "Submit logs": "Kirim catatan", "Edited at %(date)s. Click to view edits.": "Diedit di %(date)s. Klik untuk melihat editan.", @@ -823,10 +657,8 @@ "Only people invited will be able to find and join this space.": "Hanya orang-orang yang diundang dapat menemukan dan bergabung dengan space ini.", "Anyone will be able to find and join this space, not just members of .": "Siapa saja dapat menemukan dan bergabung space ini, tidak hanya anggota dari .", "Anyone in will be able to find and join.": "Siapa saja di dapat menemukan dan bergabung.", - "Public space": "Space publik", "Private space (invite only)": "Space pribadi (undangan saja)", "Space visibility": "Visibilitas space", - "Public room": "Ruangan publik", "Clear all data": "Hapus semua data", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Menghapus semua data dari sesi ini itu permanen. Pesan-pesan terenkripsi akan hilang kecuali jika kunci-kuncinya telah dicadangkan.", "Clear all data in this session?": "Hapus semua data di sesi ini?", @@ -934,7 +766,6 @@ "Search for rooms or people": "Cari ruangan atau orang", "Message preview": "Tampilan pesan", "You don't have permission to do this": "Anda tidak memiliki izin untuk melakukannya", - "Unable to query secret storage status": "Tidak dapat menanyakan status penyimpanan rahasia", "Identity server URL does not appear to be a valid identity server": "URL server identitas terlihat bukan sebagai server identitas yang absah", "Invalid base_url for m.identity_server": "base_url tidak absah untuk m.identity_server", "Invalid identity server discovery response": "Respons penemuan server identitas tidak absah", @@ -947,10 +778,6 @@ "Skip verification for now": "Lewatkan verifikasi untuk sementara", "Really reset verification keys?": "Benar-benar ingin mengatur ulang kunci-kunci verifikasi?", "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", "Uploading %(filename)s and %(count)s others": { "one": "Mengunggah %(filename)s dan %(count)s lainnya", @@ -960,7 +787,6 @@ "Tried to load a specific point in this room's timeline, but was unable to find it.": "Mencoba memuat titik spesifik di lini masa ruangan ini, tetapi tidak dapat menemukannya.", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Mencoba memuat titik spesifik di lini masa ruangan ini, tetapi Anda tidak memiliki izin untuk menampilkan pesannya.", " invites you": " mengundang Anda", - "Private space": "Space pribadi", "Search names and descriptions": "Cari nama dan deskripsi", "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.", @@ -998,7 +824,6 @@ "Failed to start livestream": "Gagal untuk memulai siaran langsung", "Copy link to thread": "Salin tautan ke utasan", "Thread options": "Opsi utasan", - "Add space": "Tambahkan space", "Forget": "Lupakan", "View in room": "Tampilkan di ruangan", "Resend %(unsentCount)s reaction(s)": "Kirim ulang %(unsentCount)s reaksi", @@ -1050,36 +875,7 @@ "This widget would like to:": "Widget ini ingin:", "Approve widget permissions": "Setujui izin widget", "Verification Request": "Permintaan Verifikasi", - "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Simpan Kunci Keamanan Anda di tempat yang aman, seperti manajer sandi atau sebuah brankas, yang digunakan untuk mengamankan data terenkripsi Anda.", - "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Tingkatkan sesi ini untuk mengizinkan memverifikasi sesi lainnya, memberikan akses ke pesan terenkripsi dan menandainya sebagai terpercaya untuk pengguna lain.", - "You'll need to authenticate with the server to confirm the upgrade.": "Anda harus mengautentikasi dengan servernya untuk mengkonfirmasi peningkatannya.", - "Restore your key backup to upgrade your encryption": "Pulihkan cadangan kunci Anda untuk meningkatkan enkripsi Anda", - "Enter your account password to confirm the upgrade:": "Masukkan kata sandi akun Anda untuk mengkonfirmasi peningkatannya:", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Amankan dari kehilangan akses ke pesan & data terenkripsi dengan mencadangkan kunci enkripsi ke server Anda.", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Gunakan frasa rahasia yang hanya Anda tahu, dan simpan sebuah Kunci Keamanan untuk menggunakannya untuk cadangan secara opsional.", - "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Kami akan membuat sebuah Kunci Keamanan untuk Anda simpan di tempat yang aman, seperti manajer sandi atau brankas.", - "Generate a Security Key": "Buat sebuah Kunci Keamanan", - "Unable to create key backup": "Tidak dapat membuat cadangan kunci", - "Create key backup": "Buat cadangan kunci", - "Confirm your Security Phrase": "Konfirmasi Frasa Keamanan Anda", - "Your keys are being backed up (the first backup could take a few minutes).": "Kunci Anda sedang dicadangkan (cadangan pertama mungkin membutuhkan beberapa menit).", - "Enter your Security Phrase a second time to confirm it.": "Masukkan Frasa Keamanan sekali lagi untuk mengkonfirmasinya.", - "Go back to set it again.": "Pergi kembali untuk menyiapkannya lagi.", - "That doesn't match.": "Itu tidak cocok.", - "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", - "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", - "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.": "Mengatur ulang kunci verifikasi Anda tidak dapat dibatalkan. Setelah mengatur ulang, Anda tidak akan memiliki akses ke pesan terenkripsi lama, dan semua orang yang sebelumnya telah memverifikasi Anda akan melihat peringatan keamanan sampai Anda memverifikasi ulang dengan mereka.", - "I'll verify later": "Saya verifikasi nanti", - "Verify your identity to access encrypted messages and prove your identity to others.": "Verifikasi identitas Anda untuk mengakses pesan-pesan terenkripsi Anda dan buktikan identitas Anda kepada lainnya.", - "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Tanpa memverifikasi, Anda tidak akan memiliki akses ke semua pesan Anda dan tampak tidak dipercayai kepada lainnya.", - "Verify with Security Key": "Verifikasi dengan Kunci Keamanan", - "Verify with Security Key or Phrase": "Verifikasi dengan Kunci Keamanan atau Frasa", - "Proceed with reset": "Lanjutkan dengan mengatur ulang", - "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.": "Sepertinya Anda tidak memiliki Kunci Keamanan atau perangkat lainnya yang Anda dapat gunakan untuk memverifikasi. Perangkat ini tidak dapat mengakses ke pesan terenkripsi lama. Untuk membuktikan identitas Anda, kunci verifikasi harus diatur ulang.", "Upload %(count)s other files": { "one": "Unggah %(count)s file lainnya", "other": "Unggah %(count)s file lainnya" @@ -1218,25 +1014,6 @@ "one": "%(spaceName)s dan %(count)s lainnya", "other": "%(spaceName)s dan %(count)s lainnya" }, - "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.": "Jika Anda tidak menghapus metode pemulihan, sebuah penyerang mungkin mencoba mengakses akun Anda. Ubah kata sandi akun Anda dan segera tetapkan metode pemulihan baru di Pengaturan.", - "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.": "Jika Anda melakukan ini secara tidak sengaja, Anda dapat mengatur Pesan Aman pada sesi ini yang akan mengenkripsi ulang riwayat pesan sesi ini dengan metode pemulihan baru.", - "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Sesi ini telah mendeteksi bahwa Frasa Keamanan dan kunci untuk Pesan Aman Anda telah dihapus.", - "Recovery Method Removed": "Metode Pemulihan Dihapus", - "Set up Secure Messages": "Siapkan Pesan Aman", - "Go to Settings": "Pergi ke Pengaturan", - "This session is encrypting history using the new recovery method.": "Sesi ini mengenkripsi riwayat menggunakan metode pemulihan yang baru.", - "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.": "Jika Anda tidak menyetel metode pemulihan yang baru, sebuah penyerang mungkin mencoba mengakses akun Anda. Ubah kata sandi akun Anda dan segera tetapkan metode pemulihan yang baru di Pengaturan.", - "A new Security Phrase and key for Secure Messages have been detected.": "Sebuah Frasa Keamanan dan kunci untuk Pesan Aman telah terdeteksi.", - "New Recovery Method": "Metode Pemulihan Baru", - "File to import": "File untuk diimpor", - "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "File yang diekspor akan dilindungi dengan sebuah frasa sandi. Anda harus memasukkan frasa sandinya di sini untuk mendekripsi filenya.", - "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.": "Proses ini memungkinkan Anda untuk mengimpor kunci enkripsi yang sebelumnya telah Anda ekspor dari klien Matrix lain. Anda kemudian akan dapat mendekripsi pesan apa saja yang dapat didekripsi oleh klien lain.", - "Import room keys": "Impor kunci ruangan", - "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.": "Proses ini memungkinkan Anda untuk mengekspor kunci untuk pesan yang Anda terima di ruangan terenkripsi ke file lokal. Anda kemudian dapat mengimpor file ke klien Matrix lain di masa mendatang, sehingga klien juga dapat mendekripsi pesan ini.", - "Export room keys": "Ekspor kunci ruangan", - "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, your vote was not registered. Please try again.": "Maaf, suara Anda tidak didaftarkan. Silakan coba lagi.", "Vote not registered": "Suara tidak didaftarkan", "Developer": "Pengembang", @@ -1244,20 +1021,8 @@ "Themes": "Tema", "Moderation": "Moderasi", "Messaging": "Perpesanan", - "Save your Security Key": "Simpan Kunci Keamanan Anda", - "Confirm Security Phrase": "Konfirmasi Frasa Keamanan", - "Set a Security Phrase": "Atur sebuah Frasa Keamanan", - "Upgrade your encryption": "Tingkatkan enkripsi Anda", - "You can also set up Secure Backup & manage your keys in Settings.": "Anda juga dapat menyiapkan Cadangan Aman & kelola kunci Anda di Pengaturan.", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Jika Anda batalkan sekarang, Anda mungkin kehilangan pesan & data terenkripsi jika Anda kehilangan akses ke login Anda.", "Spaces you know that contain this space": "Space yang Anda tahu yang berisi space ini", "Chat": "Obrolan", - "Home options": "Opsi Beranda", - "%(spaceName)s menu": "Menu %(spaceName)s", - "Join public room": "Bergabung dengan ruangan publik", - "Add people": "Tambahkan orang", - "Invite to space": "Undang ke space", - "Start new chat": "Mulai obrolan baru", "Recently viewed": "Baru saja dilihat", "%(count)s votes cast. Vote to see the results": { "one": "%(count)s suara. Vote untuk melihat hasilnya", @@ -1290,9 +1055,6 @@ "Missing room name or separator e.g. (my-room:domain.org)": "Kurang nama ruangan atau pemisah mis. (ruangan-saya:domain.org)", "Missing domain separator e.g. (:domain.org)": "Kurang pemisah domain mis. (:domain.org)", "This address had invalid server or is already in use": "Alamat ini memiliki server yang tidak absah atau telah digunakan", - "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", "Device verified": "Perangkat telah diverifikasi", "Verify this device": "Verifikasi perangkat ini", "Unable to verify this device": "Tidak dapat memverifikasi perangkat ini", @@ -1303,7 +1065,6 @@ "Could not fetch location": "Tidak dapat mendapatkan lokasi", "From a thread": "Dari sebuah utasan", "Remove from %(roomName)s": "Keluarkan dari %(roomName)s", - "You were removed from %(roomName)s by %(memberName)s": "Anda telah dikeluarkan dari %(roomName)s oleh %(memberName)s", "Remove from room": "Keluarkan dari ruangan", "Failed to remove user": "Gagal untuk mengeluarkan pengguna", "Remove them from specific things I'm able to": "Keluarkan dari hal-hal spesifik yang saya bisa", @@ -1316,9 +1077,6 @@ "Wait!": "Tunggu!", "This address does not point at this room": "Alamat ini tidak mengarah ke ruangan ini", "Location": "Lokasi", - "Poll": "Poll", - "Voice Message": "Pesan Suara", - "Hide stickers": "Sembunyikan stiker", "%(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!", @@ -1347,34 +1105,13 @@ "one": "Anda akan menghapus %(count)s pesan dari %(user)s. Ini akan dihapus secara permanen untuk semua dalam obrolan. Apakah Anda ingin lanjut?", "other": "Anda akan menghapus %(count)s pesan dari %(user)s. Ini akan dihapus secara permanen untuk semua dalam obrolan. Apakah Anda ingin lanjut?" }, - "Currently removing messages in %(count)s rooms": { - "one": "Saat ini menghapus pesan-pesan di %(count)s ruangan", - "other": "Saat ini menghapus pesan-pesan di %(count)s ruangan" - }, "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.": "Anda dapat menggunakan opsi server khusus untuk masuk ke server Matrix lain dengan menentukan URL homeserver yang berbeda. Ini memungkinkan Anda untuk menggunakan %(brand)s dengan akun Matrix yang ada di homeserver yang berbeda.", "Unsent": "Belum dikirim", - "%(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 didapatkan saat mencoba mengakses ruangan atau space. Jika Anda pikir Anda melihat pesan ini secara tidak benar, silakan kirim sebuah laporan kutu.", - "Try again later, or ask a room or space admin to check if you have access.": "Coba ulang nanti, atau tanya kepada admin ruangan atau space untuk memeriksa jika Anda memiliki akses.", - "This room or space is not accessible at this time.": "Ruangan atau space ini tidak dapat diakses pada saat ini.", - "Are you sure you're at the right place?": "Apakah Anda yakin Anda berada di tempat yang benar?", - "This room or space does not exist.": "Ruangan atau space ini tidak ada.", - "There's no preview, would you like to join?": "Tidak ada tampilan, apakah Anda ingin bergabung?", - "This invite was sent to %(email)s": "Undangan ini telah dikirim ke %(email)s", - "This invite was sent to %(email)s which is not associated with your account": "Undangan ini telah dikirim ke %(email)s yang tidak ditautkan dengan akun Anda", - "You can still join here.": "Anda masih dapat bergabung di sini.", - "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.": "Sebuah kesalahan (%(errcode)s) telah diberikan saat mencoba untuk memvalidasikan undangan. Anda bisa saja dapat memberikan informasi ini ke orang yang mengundang Anda.", - "Something went wrong with your invite.": "Terjadi kesalahan dengan undangan Anda.", - "You were banned by %(memberName)s": "Anda telah dicekal oleh %(memberName)s", - "Forget this space": "Lupakan space ini", - "You were removed by %(memberName)s": "Anda telah dikeluarkan oleh %(memberName)s", - "Loading preview": "Memuat tampilan", "An error occurred while stopping your live location, please try again": "Sebuah kesalahan terjadi saat menghentikan lokasi langsung Anda, mohon coba lagi", "%(count)s participants": { "one": "1 perserta", "other": "%(count)s perserta" }, - "New video room": "Ruangan video baru", - "New room": "Ruangan baru", "%(featureName)s Beta feedback": "Masukan %(featureName)s Beta", "Live location ended": "Lokasi langsung berakhir", "View live location": "Tampilkan lokasi langsung", @@ -1405,11 +1142,6 @@ "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.": "Anda telah dikeluarkan dari semua perangkat Anda dan tidak akan dapat notifikasi. Untuk mengaktifkan ulang notifikasi, masuk ulang pada setiap perangkat.", "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.": "Jika Anda ingin mengakses riwayat obrolan di ruangan terenkripsi Anda, siapkan Cadangan Kunci atau ekspor kunci-kunci pesan Anda dari salah satu perangkat Anda yang lain sebelum melanjutkan.", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Mengeluarkan perangkat Anda akan menghapus kunci enkripsi pesan pada perangkat, dan membuat riwayat obrolan terenkripsi tidak dapat dibaca.", - "Seen by %(count)s people": { - "one": "Dilihat oleh %(count)s orang", - "other": "Dilihat oleh %(count)s orang" - }, - "Your password was successfully changed.": "Kata sandi Anda berhasil diubah.", "An error occurred while stopping your live location": "Sebuah kesalahan terjadi saat menghentikan lokasi langsung Anda", "%(members)s and %(last)s": "%(members)s dan %(last)s", "%(members)s and more": "%(members)s dan lainnya", @@ -1418,18 +1150,10 @@ "Output devices": "Perangkat keluaran", "Input devices": "Perangkat masukan", "Show Labs settings": "Tampilkan pengaturan Uji Coba", - "To join, please enable video rooms in Labs first": "Untuk bergabung, mohon aktifkan ruangan video di Uji Coba terlebih dahulu", - "To view, please enable video rooms in Labs first": "Untuk menampilkan, mohon aktifkan ruangan video dalam Uji Coba terlebih dahulu", - "To view %(roomName)s, you need an invite": "Untuk menampilkan %(roomName)s, Anda perlu sebuah undangan", - "Private room": "Ruangan privat", - "Video room": "Ruangan video", "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", "Unread email icon": "Ikon email belum dibaca", - "Joining…": "Bergabung…", - "Read receipts": "Laporan dibaca", - "Deactivating your account is a permanent action — be careful!": "Menonaktifkan akun Anda adalah aksi yang permanen — hati-hati!", "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.", "Remove search filter for %(filter)s": "Hapus saringan pencarian untuk %(filter)s", "Start a group chat": "Mulai sebuah grup obrolan", @@ -1452,7 +1176,6 @@ "Show spaces": "Tampilkan space", "Show rooms": "Tampilkan ruangan", "Explore public spaces in the new search dialog": "Jelajahi space publik di dialog pencarian baru", - "Join the room to participate": "Bergabung dengan ruangan ini untuk berpartisipasi", "Stop and close": "Berhenti dan tutup", "Online community members": "Anggota komunitas daring", "Coworkers and teams": "Teman kerja dan tim", @@ -1468,22 +1191,10 @@ "We're creating a room with %(names)s": "Kami sedang membuat sebuah ruangan dengan %(names)s", "Interactively verify by emoji": "Verifikasi secara interaktif sengan emoji", "Manually verify by text": "Verifikasi secara manual dengan teks", - "%(downloadButton)s or %(copyButton)s": "-%(downloadButton)s atau %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s atau %(recoveryFile)s", - "Video call (Jitsi)": "Panggilan video (Jitsi)", - "Failed to set pusher state": "Gagal menetapkan keadaan pendorong", "Video call ended": "Panggilan video berakhir", "%(name)s started a video call": "%(name)s memulai sebuah panggilan video", - "%(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", - "Close call": "Tutup panggilan", - "Spotlight": "Sorotan", - "Freedom": "Bebas", - "Video call (%(brand)s)": "Panggilan video (%(brand)s)", - "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", "Completing set up of your new device": "Menyelesaikan penyiapan perangkat baru Anda", "Waiting for device to sign in": "Menunggu perangkat untuk masuk", "Review and approve the sign in": "Lihat dan perbolehkan pemasukan", @@ -1502,16 +1213,8 @@ "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 formatting": "Tampilkan formatting", - "Hide formatting": "Sembunyikan format", "Error downloading image": "Kesalahan mengunduh gambar", "Unable to show image due to error": "Tidak dapat menampilkan gambar karena kesalahan", - "Connection": "Koneksi", - "Voice processing": "Pemrosesan suara", - "Video settings": "Pengaturan video", - "Automatically adjust the microphone volume": "Atur volume mikrofon secara otomatis", - "Voice settings": "Pengaturan suara", - "Send email": "Kirim email", "Sign out of all devices": "Keluarkan semua perangkat", "Confirm new password": "Konfirmasi kata sandi baru", "Too many attempts in a short time. Retry after %(timeout)s.": "Terlalu banyak upaya dalam waktu yang singkat. Coba lagi setelah %(timeout)s.", @@ -1520,7 +1223,6 @@ "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", "WARNING: ": "PERINGATAN: ", - "Change layout": "Ubah tata letak", "Unable to decrypt message": "Tidak dapat mendekripsi pesan", "This message could not be decrypted": "Pesan ini tidak dapat didekripsi", " in %(room)s": " di %(room)s", @@ -1530,35 +1232,24 @@ "Can't start voice message": "Tidak dapat memulai pesan suara", "Edit link": "Sunting tautan", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", - "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", "unknown": "tidak diketahui", "Declining…": "Menolak…", "There are no past polls in this room": "Tidak ada pemungutan suara sebelumnya di ruangan ini", "There are no active polls in this room": "Tidak ada pemungutan suara yang aktif di ruangan ini", - "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.": "Peringatan: Data personal Anda (termasuk kunci enkripsi) masih disimpan di sesi ini. Hapus jika Anda selesai menggunakan sesi ini, atau jika ingin masuk ke akun yang lain.", "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.", - "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.", "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…", - "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…", "Starting export process…": "Memulai proses pengeksporan…", - "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.": "Masukkan frasa keamanan yang hanya Anda tahu, yang digunakan untuk mengamankan data Anda. Supaya aman, jangan menggunakan ulang kata sandi akun Anda.", - "Secure Backup successful": "Pencadangan Aman berhasil", - "Your keys are now being backed up from this device.": "Kunci Anda sekarang dicadangkan dari perangkat ini.", "Loading polls": "Memuat pemungutan suara", "Ended a poll": "Mengakhiri sebuah pemungutan suara", "Due to decryption errors, some votes may not be counted": "Karena kesalahan pendekripsian, beberapa suara tidak dihitung", @@ -1596,64 +1287,17 @@ "Start DM anyway": "Mulai percakapan langsung saja", "Start DM anyway and never warn me again": "Mulai percakapan langsung saja dan jangan peringatkan saya lagi", "Unable to find profiles for the Matrix IDs listed below - would you like to start a DM anyway?": "Tidak dapat menemukan profil untuk ID Matrix yang disertakan di bawah — apakah Anda ingin memulai percakapan langsung saja?", - "Formatting": "Format", "Search all rooms": "Cari semua ruangan", "Search this room": "Cari ruangan ini", - "Upload custom sound": "Unggah suara kustom", - "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)", "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", "Waiting for users to join %(brand)s": "Menunggu pengguna untuk bergabung ke %(brand)s", - "You do not have permission to invite users": "Anda tidak memiliki izin untuk mengundang pengguna", "Are you sure you wish to remove (delete) this event?": "Apakah Anda yakin ingin menghilangkan (menghapus) peristiwa ini?", "Note that removing room changes like this could undo the change.": "Diingat bahwa menghilangkan perubahan ruangan dapat mengurungkan perubahannya.", - "Email Notifications": "Notifikasi Surel", - "Email summary": "Kirim surel ikhtisar", - "Receive an email summary of missed notifications": "Terima surel ikhtisar notifikasi yang terlewat", - "People, Mentions and Keywords": "Orang, Sebutan, dan Kata Kunci", - "Show message preview in desktop notification": "Tampilkan tampilan pesan di notifikasi desktop", - "I want to be notified for (Default Setting)": "Saya ingin diberi tahu (Pengaturan Bawaan)", - "This setting will be applied by default to all your rooms.": "Pengaturan ini akan diterapkan secara bawaan ke semua ruangan Anda.", - "Play a sound for": "Mainkan suara", - "Applied by default to all rooms on all devices.": "Diterapkan secara bawaan ke semua ruangan di semua perangkat.", - "Mentions and Keywords": "Sebutan dan Kata Kunci", - "Audio and Video calls": "Panggilan Audio dan Video", - "Other things we think you might be interested in:": "Hal-hal lain yang kami pikir menarik bagi Anda:", - "Invited to a room": "Diundang ke sebuah ruangan", - "New room activity, upgrades and status messages occur": "Aktivitas ruangan baru, pembaruan, dan pesan keadaan terjadi", - "Messages sent by bots": "Pesan terkirim oleh bot", - "Show a badge when keywords are used in a room.": "Tampilkan lencana ketika kata kunci digunakan dalam sebuah ruangan.", - "Notify when someone mentions using @room": "Beri tahu ketika seseorang memberi tahu menggunakan @room", - "Notify when someone uses a keyword": "Beri tahu ketika seseorang menggunakan kata kunci", - "Enter keywords here, or use for spelling variations or nicknames": "Masukkan kata kunci di sini, atau gunakan untuk variasi ejaan atau nama panggilan", - "Quick Actions": "Tindakan Cepat", - "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.", - "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", - "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": "Pembaruan:Kami telah menyederhanakan Pengaturan notifikasi untuk membuat opsi-opsi lebih mudah untuk dicari. Beberapa pengaturan kustom yang Anda pilih tidak ditampilkan di sini, tetapi masih aktif. Jika Anda lanjut, beberapa pengaturan Anda dapat berubah. Pelajari lebih lanjut", - "Notify when someone mentions using @displayname or %(mxid)s": "Beri tahu ketika seseorang memberi tahu menggunakan @namatampilan atau %(mxid)s", - "Unable to find user by email": "Tidak dapat mencari pengguna dengan surel", "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.": "Pesan-pesan di ruangan ini dienkripsi secara ujung ke ujung. Ketika orang-orang bergabung, Anda dapat memverifikasi mereka di profil mereka dengan mengetuk pada foto profil mereka.", "Upgrade room": "Tingkatkan ruangan", - "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Berkas yang diekspor akan memungkinkan siapa saja yang dapat membacanya untuk mendekripsi semua pesan terenkripsi yang dapat Anda lihat, jadi Anda harus berhati-hati untuk menjaganya tetap aman. Untuk mengamankannya, Anda harus memasukkan frasa sandi di bawah ini, yang akan digunakan untuk mengenkripsi data yang diekspor. Impor data hanya dapat dilakukan dengan menggunakan frasa sandi yang sama.", - "Great! This passphrase looks strong enough": "Hebat! Frasa keamanan ini kelihatannya kuat", "Other spaces you know": "Space lainnya yang Anda tahu", - "Request to join sent": "Permintaan untuk bergabung terkirim", - "Ask to join %(roomName)s?": "Tanyakan untuk bergabung ke %(roomName)s?", - "Ask to join?": "Tanyakan untuk bergabung?", - "Request access": "Minta akses", - "Your request to join is pending.": "Permintaan Anda untuk bergabung sedang ditunda.", - "Cancel request": "Batalkan permintaan", - "You need to be granted access to this room in order to view or participate in the conversation. You can send a request to join below.": "Anda memerlukan akses untuk mengakses ruangan ini supaya dapat melihat atau berpartisipasi dalam percakapan. Anda dapat mengirimkan permintaan untuk bergabung di bawah.", - "Message (optional)": "Pesan (opsional)", "Failed to query public rooms": "Gagal melakukan kueri ruangan publik", - "See less": "Lihat lebih sedikit", - "See more": "Lihat lebih banyak", - "Asking to join": "Meminta untuk bergabung", - "No requests": "Tidak ada permintaan", "common": { "about": "Tentang", "analytics": "Analitik", @@ -1759,7 +1403,18 @@ "saving": "Menyimpan…", "profile": "Profil", "display_name": "Nama Tampilan", - "user_avatar": "Gambar profil" + "user_avatar": "Gambar profil", + "authentication": "Autentikasi", + "public_room": "Ruangan publik", + "video_room": "Ruangan video", + "public_space": "Space publik", + "private_space": "Space pribadi", + "private_room": "Ruangan privat", + "rooms": "Ruangan", + "low_priority": "Prioritas rendah", + "historical": "Riwayat", + "go_to_settings": "Pergi ke Pengaturan", + "setup_secure_messages": "Siapkan Pesan Aman" }, "action": { "continue": "Lanjut", @@ -1866,7 +1521,16 @@ "unban": "Hilangkan Cekalan", "click_to_copy": "Klik untuk menyalin", "hide_advanced": "Sembunyikan lanjutan", - "show_advanced": "Tampilkan lanjutan" + "show_advanced": "Tampilkan lanjutan", + "unignore": "Hilangkan Abaian", + "start_new_chat": "Mulai obrolan baru", + "invite_to_space": "Undang ke space", + "add_people": "Tambahkan orang", + "explore_rooms": "Jelajahi ruangan", + "new_room": "Ruangan baru", + "new_video_room": "Ruangan video baru", + "add_existing_room": "Tambahkan ruangan yang sudah ada", + "explore_public_rooms": "Jelajahi ruangan publik" }, "a11y": { "user_menu": "Menu pengguna", @@ -1879,7 +1543,8 @@ "other": "%(count)s pesan yang belum dibaca." }, "unread_messages": "Pesan yang belum dibaca.", - "jump_first_invite": "Pergi ke undangan pertama." + "jump_first_invite": "Pergi ke undangan pertama.", + "room_name": "Ruangan %(name)s" }, "labs": { "video_rooms": "Ruangan video", @@ -2071,7 +1736,22 @@ "space_a11y": "Penyelesaian Space Otomatis", "user_description": "Pengguna", "user_a11y": "Penyelesaian Pengguna Otomatis" - } + }, + "room_upgraded_link": "Obrolannya dilanjutkan di sini.", + "room_upgraded_notice": "Ruangan ini telah diganti dan tidak aktif lagi.", + "no_perms_notice": "Anda tidak memiliki izin untuk mengirim ke ruangan ini", + "send_button_voice_message": "Kirim sebuah pesan suara", + "close_sticker_picker": "Sembunyikan stiker", + "voice_message_button": "Pesan Suara", + "poll_button_no_perms_title": "Izin Dibutuhkan", + "poll_button_no_perms_description": "Anda tidak memiliki izin untuk memulai sebuah poll di ruangan ini.", + "poll_button": "Poll", + "mode_plain": "Sembunyikan format", + "mode_rich_text": "Tampilkan formatting", + "formatting_toolbar_label": "Format", + "format_italics": "Miring", + "format_insert_link": "Tambahkan tautan", + "replying_title": "Membalas" }, "Link": "Tautan", "Code": "Kode", @@ -2251,7 +1931,32 @@ "error_title": "Tidak dapat mengaktifkan Notifikasi", "error_updating": "Sebuah kesalahan terjadi saat memperbarui preferensi notifikasi Anda. Silakan coba mengubah opsi Anda lagi.", "push_targets": "Target notifikasi", - "error_loading": "Sebuah kesalahan terjadi saat memuat pengaturan notifikasi Anda." + "error_loading": "Sebuah kesalahan terjadi saat memuat pengaturan notifikasi Anda.", + "email_section": "Kirim surel ikhtisar", + "email_description": "Terima surel ikhtisar notifikasi yang terlewat", + "email_select": "Pilih surel mana yang ingin dikirimkan ikhtisar. Kelola surel Anda di .", + "people_mentions_keywords": "Orang, Sebutan, dan Kata Kunci", + "mentions_keywords_only": "Hanya Sebutan dan Kata Kunci", + "labs_notice_prompt": "Pembaruan:Kami telah menyederhanakan Pengaturan notifikasi untuk membuat opsi-opsi lebih mudah untuk dicari. Beberapa pengaturan kustom yang Anda pilih tidak ditampilkan di sini, tetapi masih aktif. Jika Anda lanjut, beberapa pengaturan Anda dapat berubah. Pelajari lebih lanjut", + "desktop_notification_message_preview": "Tampilkan tampilan pesan di notifikasi desktop", + "default_setting_section": "Saya ingin diberi tahu (Pengaturan Bawaan)", + "default_setting_description": "Pengaturan ini akan diterapkan secara bawaan ke semua ruangan Anda.", + "play_sound_for_section": "Mainkan suara", + "play_sound_for_description": "Diterapkan secara bawaan ke semua ruangan di semua perangkat.", + "mentions_keywords": "Sebutan dan Kata Kunci", + "voip": "Panggilan Audio dan Video", + "other_section": "Hal-hal lain yang kami pikir menarik bagi Anda:", + "invites": "Diundang ke sebuah ruangan", + "room_activity": "Aktivitas ruangan baru, pembaruan, dan pesan keadaan terjadi", + "notices": "Pesan terkirim oleh bot", + "keywords": "Tampilkan lencana ketika kata kunci digunakan dalam sebuah ruangan.", + "notify_at_room": "Beri tahu ketika seseorang memberi tahu menggunakan @room", + "notify_mention": "Beri tahu ketika seseorang memberi tahu menggunakan @namatampilan atau %(mxid)s", + "notify_keyword": "Beri tahu ketika seseorang menggunakan kata kunci", + "keywords_prompt": "Masukkan kata kunci di sini, atau gunakan untuk variasi ejaan atau nama panggilan", + "quick_actions_section": "Tindakan Cepat", + "quick_actions_mark_all_read": "Tandai semua pesan sebagai dibaca", + "quick_actions_reset": "Atur ulang ke pengaturan bawaan" }, "appearance": { "layout_irc": "IRC (Eksperimental)", @@ -2289,7 +1994,19 @@ "echo_cancellation": "Pembatalan gema", "noise_suppression": "Pengurangan suara bising", "enable_fallback_ice_server": "Perbolehkan server bantuan panggilan cadangan (%(server)s)", - "enable_fallback_ice_server_description": "Hanya diterapkan jika homeserver Anda tidak menyediakan satu. Alamat IP Anda akan dibagikan selama panggilan berlangsung." + "enable_fallback_ice_server_description": "Hanya diterapkan jika homeserver Anda tidak menyediakan satu. Alamat IP Anda akan dibagikan selama panggilan berlangsung.", + "missing_permissions_prompt": "Membutuhkan izin media, klik tombol di bawah untuk meminta izin.", + "request_permissions": "Minta izin media", + "audio_output": "Output Audio", + "audio_output_empty": "Tidak ada output audio yang terdeteksi", + "audio_input_empty": "Tidak ada mikrofon terdeteksi", + "video_input_empty": "Tidak ada Webcam terdeteksi", + "title": "Suara & Video", + "voice_section": "Pengaturan suara", + "voice_agc": "Atur volume mikrofon secara otomatis", + "video_section": "Pengaturan video", + "voice_processing": "Pemrosesan suara", + "connection_section": "Koneksi" }, "send_read_receipts_unsupported": "Server Anda tidak mendukung penonaktifkan pengiriman laporan dibaca.", "security": { @@ -2362,7 +2079,11 @@ "key_backup_in_progress": "Mencadangkan %(sessionsRemaining)s kunci…", "key_backup_complete": "Semua kunci telah dicadangkan", "key_backup_algorithm": "Algoritma:", - "key_backup_inactive_warning": "Kunci Anda tidak dicadangan dari sesi ini." + "key_backup_inactive_warning": "Kunci Anda tidak dicadangan dari sesi ini.", + "key_backup_active_version_none": "Tidak Ada", + "ignore_users_empty": "Anda tidak memiliki pengguna yang diabaikan.", + "ignore_users_section": "Pengguna yang diabaikan", + "e2ee_default_disabled_warning": "Admin server Anda telah menonaktifkan enkripsi ujung ke ujung secara bawaan di ruangan privat & Pesan Langsung." }, "preferences": { "room_list_heading": "Daftar ruangan", @@ -2482,7 +2203,8 @@ "one": "Apakah Anda yakin untuk mengeluarkan %(count)s sesi?", "other": "Apakah Anda yakin untuk mengeluarkan %(count)s sesi?" }, - "other_sessions_subsection_description": "Untuk keamanan yang terbaik, verifikasi sesi Anda dan keluarkan dari sesi yang Anda tidak kenal atau tidak digunakan lagi." + "other_sessions_subsection_description": "Untuk keamanan yang terbaik, verifikasi sesi Anda dan keluarkan dari sesi yang Anda tidak kenal atau tidak digunakan lagi.", + "error_pusher_state": "Gagal menetapkan keadaan pendorong" }, "general": { "oidc_manage_button": "Kelola akun", @@ -2504,7 +2226,46 @@ "add_msisdn_dialog_title": "Tambahkan Nomor Telepon", "name_placeholder": "Tidak ada nama tampilan", "error_saving_profile_title": "Gagal untuk menyimpan profil Anda", - "error_saving_profile": "Operasi ini tidak dapat diselesaikan" + "error_saving_profile": "Operasi ini tidak dapat diselesaikan", + "error_password_change_unknown": "Terjadi kesalahan perubahan kata sandi yang tidak diketahui (%(stringifiedError)s)", + "error_password_change_403": "Gagal untuk mengubah kata sandi. Apakah kata sandi Anda benar?", + "error_password_change_http": "%(errorMessage)s (status HTTP %(httpStatus)s)", + "error_password_change_title": "Terjadi kesalahan mengubah kata sandi", + "password_change_success": "Kata sandi Anda berhasil diubah.", + "emails_heading": "Alamat email", + "msisdns_heading": "Nomor telepon", + "password_change_section": "Atur kata sandi akun baru…", + "external_account_management": "Detail akun Anda dikelola secara terpisah di %(hostname)s.", + "discovery_needs_terms": "Terima Ketentuan Layanannya server identitas %(serverName)s untuk mengizinkan Anda untuk dapat ditemukan dengan alamat email atau nomor telepon.", + "deactivate_section": "Nonaktifkan Akun", + "account_management_section": "Manajemen akun", + "deactivate_warning": "Menonaktifkan akun Anda adalah aksi yang permanen — hati-hati!", + "discovery_section": "Penemuan", + "error_revoke_email_discovery": "Tidak dapat membatalkan pembagian alamat email", + "error_share_email_discovery": "Tidak dapat membagikan alamat email", + "email_not_verified": "Alamat email Anda belum diverifikasi", + "email_verification_instructions": "Klik tautan di email yang Anda terima untuk memverifikasi dan klik lanjutkan lagi.", + "error_email_verification": "Tidak dapat memverifikasi alamat email.", + "discovery_email_verification_instructions": "Verifikasi tautannya di kotak masuk Anda", + "discovery_email_empty": "Opsi penemuan akan tersedia setelah Anda telah menambahkan sebuah email di atas.", + "error_revoke_msisdn_discovery": "Tidak dapat membatalkan pembagian nomor telepon", + "error_share_msisdn_discovery": "Tidak dapat membagikan nomor telepon", + "error_msisdn_verification": "Tidak dapat memverifikasi nomor telepon.", + "incorrect_msisdn_verification": "Kode verifikasi tidak benar", + "msisdn_verification_instructions": "Silakan masukkan kode verifikasi yang terkirim melalui teks.", + "msisdn_verification_field_label": "Kode verifikasi", + "discovery_msisdn_empty": "Opsi penemuan akan tersedia setelah Anda telah menambahkan sebuah nomor telepon di atas.", + "error_set_name": "Gagal untuk menetapkan nama tampilan", + "error_remove_3pid": "Tidak dapat menghapus informasi kontak", + "remove_email_prompt": "Hapus %(email)s?", + "error_invalid_email": "Alamat Email Tidak Absah", + "error_invalid_email_detail": "Ini sepertinya bukan alamat email yang absah", + "error_add_email": "Tidak dapat menambahkan alamat email", + "add_email_instructions": "Kami telah mengirim sebuah email untuk memverifikasi alamat Anda. Silakan ikuti instruksinya dan klik tombol di bawah.", + "email_address_label": "Alamat Email", + "remove_msisdn_prompt": "Hapus %(phone)s?", + "add_msisdn_instructions": "Sebuah teks pesan telah dikirim ke +%(msisdn)s. Silakan masukkan kode verifikasinya.", + "msisdn_label": "Nomor Telepon" }, "sidebar": { "title": "Bilah Samping", @@ -2517,6 +2278,58 @@ "metaspaces_orphans_description": "Kelompokkan semua ruangan yang tidak ada di sebuah space di satu tempat.", "metaspaces_home_all_rooms_description": "Tampilkan semua ruangan di Beranda, walaupun mereka berada di sebuah space.", "metaspaces_home_all_rooms": "Tampilkan semua ruangan" + }, + "key_backup": { + "backup_in_progress": "Kunci Anda sedang dicadangkan (cadangan pertama mungkin membutuhkan beberapa menit).", + "backup_starting": "Memulai pencadangan…", + "backup_success": "Berhasil!", + "create_title": "Buat cadangan kunci", + "cannot_create_backup": "Tidak dapat membuat cadangan kunci", + "setup_secure_backup": { + "generate_security_key_title": "Buat sebuah Kunci Keamanan", + "generate_security_key_description": "Kami akan membuat sebuah Kunci Keamanan untuk Anda simpan di tempat yang aman, seperti manajer sandi atau brankas.", + "enter_phrase_title": "Masukkan sebuah Frasa Keamanan", + "description": "Amankan dari kehilangan akses ke pesan & data terenkripsi dengan mencadangkan kunci enkripsi ke server Anda.", + "requires_password_confirmation": "Masukkan kata sandi akun Anda untuk mengkonfirmasi peningkatannya:", + "requires_key_restore": "Pulihkan cadangan kunci Anda untuk meningkatkan enkripsi Anda", + "requires_server_authentication": "Anda harus mengautentikasi dengan servernya untuk mengkonfirmasi peningkatannya.", + "session_upgrade_description": "Tingkatkan sesi ini untuk mengizinkan memverifikasi sesi lainnya, memberikan akses ke pesan terenkripsi dan menandainya sebagai terpercaya untuk pengguna lain.", + "enter_phrase_description": "Masukkan frasa keamanan yang hanya Anda tahu, yang digunakan untuk mengamankan data Anda. Supaya aman, jangan menggunakan ulang kata sandi akun Anda.", + "phrase_strong_enough": "Hebat! Frasa Keamanan ini kelihatannya kuat.", + "pass_phrase_match_success": "Mereka cocok!", + "use_different_passphrase": "Gunakan frasa sandi yang berbeda?", + "pass_phrase_match_failed": "Itu tidak cocok.", + "set_phrase_again": "Pergi kembali untuk menyiapkannya lagi.", + "enter_phrase_to_confirm": "Masukkan Frasa Keamanan sekali lagi untuk mengkonfirmasinya.", + "confirm_security_phrase": "Konfirmasi Frasa Keamanan Anda", + "security_key_safety_reminder": "Simpan Kunci Keamanan Anda di tempat yang aman, seperti manajer sandi atau sebuah brankas, yang digunakan untuk mengamankan data terenkripsi Anda.", + "download_or_copy": "-%(downloadButton)s atau %(copyButton)s", + "backup_setup_success_description": "Kunci Anda sekarang dicadangkan dari perangkat ini.", + "backup_setup_success_title": "Pencadangan Aman berhasil", + "secret_storage_query_failure": "Tidak dapat menanyakan status penyimpanan rahasia", + "cancel_warning": "Jika Anda batalkan sekarang, Anda mungkin kehilangan pesan & data terenkripsi jika Anda kehilangan akses ke login Anda.", + "settings_reminder": "Anda juga dapat menyiapkan Cadangan Aman & kelola kunci Anda di Pengaturan.", + "title_upgrade_encryption": "Tingkatkan enkripsi Anda", + "title_set_phrase": "Atur sebuah Frasa Keamanan", + "title_confirm_phrase": "Konfirmasi Frasa Keamanan", + "title_save_key": "Simpan Kunci Keamanan Anda", + "unable_to_setup": "Tidak dapat menyiapkan penyimpanan rahasia", + "use_phrase_only_you_know": "Gunakan frasa rahasia yang hanya Anda tahu, dan simpan sebuah Kunci Keamanan untuk menggunakannya untuk cadangan secara opsional." + } + }, + "key_export_import": { + "export_title": "Ekspor kunci ruangan", + "export_description_1": "Proses ini memungkinkan Anda untuk mengekspor kunci untuk pesan yang Anda terima di ruangan terenkripsi ke file lokal. Anda kemudian dapat mengimpor file ke klien Matrix lain di masa mendatang, sehingga klien juga dapat mendekripsi pesan ini.", + "export_description_2": "Berkas yang diekspor akan memungkinkan siapa saja yang dapat membacanya untuk mendekripsi semua pesan terenkripsi yang dapat Anda lihat, jadi Anda harus berhati-hati untuk menjaganya tetap aman. Untuk mengamankannya, Anda harus memasukkan frasa sandi di bawah ini, yang akan digunakan untuk mengenkripsi data yang diekspor. Impor data hanya dapat dilakukan dengan menggunakan frasa sandi yang sama.", + "enter_passphrase": "Masukkan frasa sandi", + "phrase_strong_enough": "Hebat! Frasa keamanan ini kelihatannya kuat", + "confirm_passphrase": "Konfirmasi frasa sandi", + "phrase_cannot_be_empty": "Frasa sandi harus tidak kosong", + "phrase_must_match": "Frasa sandi harus cocok", + "import_title": "Impor kunci ruangan", + "import_description_1": "Proses ini memungkinkan Anda untuk mengimpor kunci enkripsi yang sebelumnya telah Anda ekspor dari klien Matrix lain. Anda kemudian akan dapat mendekripsi pesan apa saja yang dapat didekripsi oleh klien lain.", + "import_description_2": "File yang diekspor akan dilindungi dengan sebuah frasa sandi. Anda harus memasukkan frasa sandinya di sini untuk mendekripsi filenya.", + "file_to_import": "File untuk diimpor" } }, "devtools": { @@ -3028,7 +2841,19 @@ "collapse_reply_thread": "Tutup balasan utasan", "view_related_event": "Tampilkan peristiwa terkait", "report": "Laporkan" - } + }, + "url_preview": { + "show_n_more": { + "one": "Tampilkan %(count)s tampilan lainnya", + "other": "Tampilkan %(count)s tampilan lainnya" + }, + "close": "Tutup tampilan" + }, + "read_receipt_title": { + "one": "Dilihat oleh %(count)s orang", + "other": "Dilihat oleh %(count)s orang" + }, + "read_receipts_label": "Laporan dibaca" }, "slash_command": { "spoiler": "Mengirim pesan sebagai spoiler", @@ -3295,7 +3120,14 @@ "permissions_section_description_room": "Pilih peran yang dibutuhkan untuk mengubah bagian-bagian ruangan ini", "add_privileged_user_heading": "Tambahkan pengguna yang diizinkan", "add_privileged_user_description": "Berikan satu atau beberapa pengguna dalam ruangan ini lebih banyak izin", - "add_privileged_user_filter_placeholder": "Cari pengguna di ruangan ini…" + "add_privileged_user_filter_placeholder": "Cari pengguna di ruangan ini…", + "error_unbanning": "Gagal untuk menghapus cekalan", + "banned_by": "Dicekal oleh %(displayName)s", + "ban_reason": "Alasan", + "error_changing_pl_reqs_title": "Terjadi kesalahan saat mengubah persyaratan tingkat daya", + "error_changing_pl_reqs_description": "Sebuah kesalahan terjadi mengubah persyaratan tingkat daya ruangan. Pastikan Anda mempunyai izin yang dibutuhkan dan coba lagi.", + "error_changing_pl_title": "Terjadi kesalahan saat mengubah tingkat daya", + "error_changing_pl_description": "Sebuah kesalahan terjadi mengubah persyaratan tingkat daya pengguna. Pastikan Anda mempunyai izin yang dibutuhkan dan coba lagi." }, "security": { "strict_encryption": "Jangan kirim pesan terenkripsi ke sesi yang belum diverifikasi di ruangan ini dari sesi ini", @@ -3350,7 +3182,9 @@ "join_rule_upgrade_updating_spaces": { "one": "Memperbarui space...", "other": "Memperbarui space... (%(progress)s dari %(count)s)" - } + }, + "error_join_rule_change_title": "Gagal untuk memperbarui aturan bergabung", + "error_join_rule_change_unknown": "Kesalahan yang tidak diketahui" }, "general": { "publish_toggle": "Publikasi ruangan ini ke publik di direktori ruangan %(domain)s?", @@ -3364,7 +3198,9 @@ "error_save_space_settings": "Gagal untuk menyimpan pengaturan space.", "description_space": "Edit pengaturan yang berkaitan dengan space Anda.", "save": "Simpan Perubahan", - "leave_space": "Tinggalkan Space" + "leave_space": "Tinggalkan Space", + "aliases_section": "Alamat Ruangan", + "other_section": "Lainnya" }, "advanced": { "unfederated": "Ruangan ini tidak dapat diakses oleh pengguna Matrix jarak jauh", @@ -3375,7 +3211,9 @@ "room_predecessor": "Lihat pesan-pesan lama di %(roomName)s.", "room_id": "ID ruangan internal", "room_version_section": "Versi ruangan", - "room_version": "Versi ruangan:" + "room_version": "Versi ruangan:", + "information_section_space": "Informasi space", + "information_section_room": "Informasi ruangan" }, "delete_avatar_label": "Hapus avatar", "upload_avatar_label": "Unggah avatar", @@ -3389,11 +3227,38 @@ "history_visibility_anyone_space": "Tampilkan Space", "history_visibility_anyone_space_description": "Memungkinkan orang-orang untuk memperlihatkan space Anda sebelum mereka bergabung.", "history_visibility_anyone_space_recommendation": "Direkomendasikan untuk space publik.", - "guest_access_label": "Aktifkan akses tamu" + "guest_access_label": "Aktifkan akses tamu", + "alias_section": "Alamat" }, "access": { "title": "Akses", "description_space": "Putuskan siapa yang dapat melihat dan bergabung dengan %(spaceName)s." + }, + "bridges": { + "description": "Ruangan ini menjembatani pesan-pesan ke platform berikut ini. Pelajari lebih lanjut.", + "empty": "Ruangan tidak ini menjembatani pesan-pesan ke platform apa pun. Pelajari lebih lanjut.", + "title": "Jembatan" + }, + "notifications": { + "uploaded_sound": "Suara terunggah", + "settings_link": "Dapatkan notifikasi yang diatur di pengaturan Anda", + "sounds_section": "Suara", + "notification_sound": "Suara notifikasi", + "custom_sound_prompt": "Atur suara kustom baru", + "upload_sound_label": "Unggah suara kustom", + "browse_button": "Jelajahi" + }, + "people": { + "see_less": "Lihat lebih sedikit", + "see_more": "Lihat lebih banyak", + "knock_section": "Meminta untuk bergabung", + "knock_empty": "Tidak ada permintaan" + }, + "voip": { + "enable_element_call_label": "Aktifkan %(brand)s sebagai opsi panggilan tambahan di ruangan ini", + "enable_element_call_caption": "%(brand)s terenkripsi secara ujung ke ujung, tetapi saat ini terbatas jumlah penggunanya.", + "enable_element_call_no_permissions_tooltip": "Anda tidak memiliki izin untuk mengubah ini.", + "call_type_section": "Jenis panggilan" } }, "encryption": { @@ -3428,7 +3293,19 @@ "unverified_session_toast_accept": "Ya, itu saya", "request_toast_detail": "%(deviceId)s dari %(ip)s", "request_toast_decline_counter": "Abaikan (%(counter)s)", - "request_toast_accept": "Verifikasi Sesi" + "request_toast_accept": "Verifikasi Sesi", + "no_key_or_device": "Sepertinya Anda tidak memiliki Kunci Keamanan atau perangkat lainnya yang Anda dapat gunakan untuk memverifikasi. Perangkat ini tidak dapat mengakses ke pesan terenkripsi lama. Untuk membuktikan identitas Anda, kunci verifikasi harus diatur ulang.", + "reset_proceed_prompt": "Lanjutkan dengan mengatur ulang", + "verify_using_key_or_phrase": "Verifikasi dengan Kunci Keamanan atau Frasa", + "verify_using_key": "Verifikasi dengan Kunci Keamanan", + "verify_using_device": "Verifikasi dengan perangkat lain", + "verification_description": "Verifikasi identitas Anda untuk mengakses pesan-pesan terenkripsi Anda dan buktikan identitas Anda kepada lainnya.", + "verification_success_with_backup": "Perangkat baru Anda telah diverifikasi. Perangkat baru Anda dapat mengakses pesan-pesan terenkripsi Anda, dan pengguna lain akan melihat perangkat baru Anda sebagai dipercayai.", + "verification_success_without_backup": "Perangkat baru Anda telah diverifikasi. Pengguna lain akan melihat perangkat baru Anda sebagai dipercayai.", + "verification_skip_warning": "Tanpa memverifikasi, Anda tidak akan memiliki akses ke semua pesan Anda dan tampak tidak dipercayai kepada lainnya.", + "verify_later": "Saya verifikasi nanti", + "verify_reset_warning_1": "Mengatur ulang kunci verifikasi Anda tidak dapat dibatalkan. Setelah mengatur ulang, Anda tidak akan memiliki akses ke pesan terenkripsi lama, dan semua orang yang sebelumnya telah memverifikasi Anda akan melihat peringatan keamanan sampai Anda memverifikasi ulang dengan mereka.", + "verify_reset_warning_2": "Hanya lanjutkan jika Anda yakin Anda telah kehilangan semua perangkat lainnya dan kunci keamanan Anda." }, "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.", @@ -3449,7 +3326,19 @@ "cross_signing_ready_no_backup": "Penandatanganan silang telah siap tetapi kunci belum dicadangkan.", "cross_signing_untrusted": "Akun Anda mempunyai identitas penandatanganan silang di penyimpanan rahasia, tetapi belum dipercayai oleh sesi ini.", "cross_signing_not_ready": "Penandatanganan silang belum disiapkan.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Metode Pemulihan Baru", + "description_1": "Sebuah Frasa Keamanan dan kunci untuk Pesan Aman telah terdeteksi.", + "description_2": "Sesi ini mengenkripsi riwayat menggunakan metode pemulihan yang baru.", + "warning": "Jika Anda tidak menyetel metode pemulihan yang baru, sebuah penyerang mungkin mencoba mengakses akun Anda. Ubah kata sandi akun Anda dan segera tetapkan metode pemulihan yang baru di Pengaturan." + }, + "recovery_method_removed": { + "title": "Metode Pemulihan Dihapus", + "description_1": "Sesi ini telah mendeteksi bahwa Frasa Keamanan dan kunci untuk Pesan Aman Anda telah dihapus.", + "description_2": "Jika Anda melakukan ini secara tidak sengaja, Anda dapat mengatur Pesan Aman pada sesi ini yang akan mengenkripsi ulang riwayat pesan sesi ini dengan metode pemulihan baru.", + "warning": "Jika Anda tidak menghapus metode pemulihan, sebuah penyerang mungkin mencoba mengakses akun Anda. Ubah kata sandi akun Anda dan segera tetapkan metode pemulihan baru di Pengaturan." + } }, "emoji": { "category_frequently_used": "Sering Digunakan", @@ -3631,7 +3520,11 @@ "autodiscovery_unexpected_error_is": "Kesalahan tidak terduga saat menyelesaikan konfigurasi server identitas", "autodiscovery_hs_incompatible": "Homeserver Anda terlalu lawas dan tidak mendukung versi API minimum yang diperlukan. Silakan menghubungi pemilik server Anda, atau tingkatkan server Anda.", "incorrect_credentials_detail": "Mohon dicatat Anda akan masuk ke server %(hs)s, bukan matrix.org.", - "create_account_title": "Buat akun" + "create_account_title": "Buat akun", + "failed_soft_logout_homeserver": "Gagal untuk mengautentikasi ulang karena masalah homeserver", + "soft_logout_subheading": "Hapus data personal", + "soft_logout_warning": "Peringatan: Data personal Anda (termasuk kunci enkripsi) masih disimpan di sesi ini. Hapus jika Anda selesai menggunakan sesi ini, atau jika ingin masuk ke akun yang lain.", + "forgot_password_send_email": "Kirim email" }, "room_list": { "sort_unread_first": "Tampilkan ruangan dengan pesan yang belum dibaca dahulu", @@ -3648,7 +3541,23 @@ "notification_options": "Opsi notifikasi", "failed_set_dm_tag": "Gagal menetapkan tanda pesan langsung", "failed_remove_tag": "Gagal menghapus tanda %(tagName)s dari ruangan", - "failed_add_tag": "Gagal menambahkan tag %(tagName)s ke ruangan" + "failed_add_tag": "Gagal menambahkan tag %(tagName)s ke ruangan", + "breadcrumbs_label": "Ruangan yang baru saja dilihat", + "breadcrumbs_empty": "Tidak ada ruangan yang baru saja dilihat", + "add_room_label": "Tambahkan ruangan", + "suggested_rooms_heading": "Ruangan yang Disarankan", + "add_space_label": "Tambahkan space", + "join_public_room_label": "Bergabung dengan ruangan publik", + "joining_rooms_status": { + "one": "Saat ini bergabung dengan %(count)s ruangan", + "other": "Saat ini bergabung dengan %(count)s ruangan" + }, + "redacting_messages_status": { + "one": "Saat ini menghapus pesan-pesan di %(count)s ruangan", + "other": "Saat ini menghapus pesan-pesan di %(count)s ruangan" + }, + "space_menu_label": "Menu %(spaceName)s", + "home_menu_label": "Opsi Beranda" }, "report_content": { "missing_reason": "Mohon isi kenapa Anda melaporkan.", @@ -3906,7 +3815,8 @@ "search_children": "Cari %(spaceName)s", "invite_link": "Bagikan tautan undangan", "invite": "Undang pengguna", - "invite_description": "Undang dengan email atau nama pengguna" + "invite_description": "Undang dengan email atau nama pengguna", + "invite_this_space": "Undang ke space ini" }, "location_sharing": { "MapStyleUrlNotConfigured": "Homeserver ini tidak diatur untuk menampilkan peta.", @@ -3962,7 +3872,8 @@ "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" + "lists_new_label": "ID ruangan atau alamat daftar larangan", + "rules_empty": "Tidak Ada" }, "create_space": { "name_required": "Mohon masukkan nama untuk space ini", @@ -4064,8 +3975,80 @@ "forget": "Lupakan Ruangan", "mark_read": "Tandai sebagai dibaca", "notifications_default": "Sesuai dengan pengaturan bawaan", - "notifications_mute": "Bisukan ruangan" - } + "notifications_mute": "Bisukan ruangan", + "title": "Opsi ruangan" + }, + "invite_this_room": "Undang ke ruangan ini", + "header": { + "video_call_button_jitsi": "Panggilan video (Jitsi)", + "video_call_button_ec": "Panggilan video (%(brand)s)", + "video_call_ec_layout_freedom": "Bebas", + "video_call_ec_layout_spotlight": "Sorotan", + "video_call_ec_change_layout": "Ubah tata letak", + "forget_room_button": "Lupakan ruangan", + "hide_widgets_button": "Sembunyikan Widget", + "show_widgets_button": "Tampilkan Widget", + "close_call_button": "Tutup panggilan", + "video_room_view_chat_button": "Tampilkan lini masa obrolan" + }, + "error_3pid_invite_email_lookup": "Tidak dapat mencari pengguna dengan surel", + "joining_space": "Bergabung dengan space…", + "joining_room": "Bergabung dengan ruangan…", + "joining": "Bergabung…", + "rejecting": "Menolak undangan…", + "join_title": "Bergabung dengan ruangan ini untuk berpartisipasi", + "join_title_account": "Bergabung obrolan dengan sebuah akun", + "join_button_account": "Daftar", + "loading_preview": "Memuat tampilan", + "kicked_from_room_by": "Anda telah dikeluarkan dari %(roomName)s oleh %(memberName)s", + "kicked_by": "Anda telah dikeluarkan oleh %(memberName)s", + "kick_reason": "Alasan: %(reason)s", + "forget_space": "Lupakan space ini", + "forget_room": "Lupakan ruangan ini", + "rejoin_button": "Bergabung Ulang", + "banned_from_room_by": "Anda telah dicekal dari %(roomName)s oleh %(memberName)s", + "banned_by": "Anda telah dicekal oleh %(memberName)s", + "3pid_invite_error_title_room": "Ada sesuatu yang salah dengan undangan Anda ke %(roomName)s", + "3pid_invite_error_title": "Terjadi kesalahan dengan undangan Anda.", + "3pid_invite_error_description": "Sebuah kesalahan (%(errcode)s) telah diberikan saat mencoba untuk memvalidasikan undangan. Anda bisa saja dapat memberikan informasi ini ke orang yang mengundang Anda.", + "3pid_invite_error_invite_subtitle": "Anda hanya dapat bergabung dengan undangan yang dapat dipakai.", + "3pid_invite_error_invite_action": "Coba bergabung saja", + "3pid_invite_error_public_subtitle": "Anda masih dapat bergabung di sini.", + "join_the_discussion": "Bergabung dengan diskusinya", + "3pid_invite_email_not_found_account_room": "Undangan ini yang ke %(roomName)s terkirim ke %(email)s yang tidak diasosiasikan dengan akun Anda", + "3pid_invite_email_not_found_account": "Undangan ini telah dikirim ke %(email)s yang tidak ditautkan dengan akun Anda", + "link_email_to_receive_3pid_invite": "Tautkan email ini dengan akun Anda di Pengaturan untuk mendapat undangan secara langsung ke %(brand)s.", + "invite_sent_to_email_room": "Undangan ke %(roomName)s ini terkirim ke %(email)s", + "invite_sent_to_email": "Undangan ini telah dikirim ke %(email)s", + "3pid_invite_no_is_subtitle": "Gunakan sebuah server identitas di Pengaturan untuk menerima undangan secara langsung di %(brand)s.", + "invite_email_mismatch_suggestion": "Bagikan email ini di Pengaturan untuk mendapatkan undangan secara langsung di %(brand)s.", + "dm_invite_title": "Apakah Anda ingin mengobrol dengan %(user)s?", + "dm_invite_subtitle": " ingin mengobrol dengan Anda", + "dm_invite_action": "Mulai mengobrol", + "invite_title": "Apakah Anda ingin bergabung %(roomName)s?", + "invite_subtitle": " mengundang Anda", + "invite_reject_ignore": "Tolak & Abaikan pengguna", + "peek_join_prompt": "Anda melihat tampilan %(roomName)s. Ingin bergabung?", + "no_peek_join_prompt": "%(roomName)s tidak dapat ditampilkan. Apakah Anda ingin bergabung?", + "no_peek_no_name_join_prompt": "Tidak ada tampilan, apakah Anda ingin bergabung?", + "not_found_title_name": "%(roomName)s tidak ada.", + "not_found_title": "Ruangan atau space ini tidak ada.", + "not_found_subtitle": "Apakah Anda yakin Anda berada di tempat yang benar?", + "inaccessible_name": "%(roomName)s tidak dapat diakses sekarang.", + "inaccessible": "Ruangan atau space ini tidak dapat diakses pada saat ini.", + "inaccessible_subtitle_1": "Coba ulang nanti, atau tanya kepada admin ruangan atau space untuk memeriksa jika Anda memiliki akses.", + "inaccessible_subtitle_2": "%(errcode)s didapatkan saat mencoba mengakses ruangan atau space. Jika Anda pikir Anda melihat pesan ini secara tidak benar, silakan kirim sebuah laporan kutu.", + "knock_prompt_name": "Tanyakan untuk bergabung ke %(roomName)s?", + "knock_prompt": "Tanyakan untuk bergabung?", + "knock_subtitle": "Anda memerlukan akses untuk mengakses ruangan ini supaya dapat melihat atau berpartisipasi dalam percakapan. Anda dapat mengirimkan permintaan untuk bergabung di bawah.", + "knock_message_field_placeholder": "Pesan (opsional)", + "knock_send_action": "Minta akses", + "knock_sent": "Permintaan untuk bergabung terkirim", + "knock_sent_subtitle": "Permintaan Anda untuk bergabung sedang ditunda.", + "knock_cancel_action": "Batalkan permintaan", + "join_failed_needs_invite": "Untuk menampilkan %(roomName)s, Anda perlu sebuah undangan", + "view_failed_enable_video_rooms": "Untuk menampilkan, mohon aktifkan ruangan video dalam Uji Coba terlebih dahulu", + "join_failed_enable_video_rooms": "Untuk bergabung, mohon aktifkan ruangan video di Uji Coba terlebih dahulu" }, "file_panel": { "guest_note": "Anda harus mendaftar untuk menggunakan kegunaan ini", @@ -4217,7 +4200,15 @@ "keyword_new": "Kata kunci baru", "class_global": "Global", "class_other": "Lainnya", - "mentions_keywords": "Sebutan & kata kunci" + "mentions_keywords": "Sebutan & kata kunci", + "default": "Bawaan", + "all_messages": "Semua pesan", + "all_messages_description": "Dapatkan notifikasi untuk setiap pesan", + "mentions_and_keywords": "@sebutan & kata kunci", + "mentions_and_keywords_description": "Dapatkan notifikasi hanya dengan sebutan dan kata kunci yang diatur di pengaturan Anda", + "mute_description": "Anda tidak akan mendapatkan notifikasi apa pun", + "email_pusher_app_display_name": "Notifikasi Surel", + "message_didnt_send": "Pesan tidak terkirim. Klik untuk informasi." }, "mobile_guide": { "toast_title": "Gunakan aplikasi untuk pengalaman yang lebih baik", @@ -4243,6 +4234,44 @@ "integration_manager": { "connecting": "Menghubungkan ke pengelola integrasi…", "error_connecting_heading": "Tidak dapat menghubungkan ke manajer integrasi", - "error_connecting": "Manager integrasinya mungkin sedang luring atau tidak dapat mencapai homeserver Anda." + "error_connecting": "Manager integrasinya mungkin sedang luring atau tidak dapat mencapai homeserver Anda.", + "use_im_default": "Gunakan manajer integrasi (%(serverName)s) untuk mengelola bot, widget, dan paket stiker.", + "use_im": "Gunakan sebuah manajer integrasi untuk mengelola bot, widget, dan paket stiker.", + "manage_title": "Kelola integrasi", + "explainer": "Manajer integrasi menerima data pengaturan, dan dapat mengubah widget, mengirimkan undangan ruangan, dan mengatur tingkat daya dengan sepengetahuan Anda." + }, + "identity_server": { + "url_not_https": "URL server identitas harus HTTPS", + "error_invalid": "Bukan server identitas yang absah (kode status %(code)s)", + "error_connection": "Tidak dapat menghubung ke server identitas", + "checking": "Memeriksa server", + "change": "Ubah server identitas", + "change_prompt": "Putuskan hubungan dari server identitas dan hubungkan ke ?", + "error_invalid_or_terms": "Persyaratan layanan tidak diterima atau server identitasnya tidak absah.", + "no_terms": "Server identitas yang Anda pilih tidak memiliki persyaratan layanan.", + "disconnect": "Putuskan hubungan server identitas", + "disconnect_server": "Putuskan hubungan dari server identitas ?", + "disconnect_offline_warning": "Anda seharusnya menghapus data personal Anda dari server identitas sebelum memutuskan hubungan. Sayangnya, server identitas saat ini sedang luring atau tidak dapat dicapai.", + "suggestions": "Anda seharusnya:", + "suggestions_1": "periksa plugin browser Anda untuk apa saja yang mungkin memblokir server identitasnya (seperti Privacy Badger)", + "suggestions_2": "menghubungi administrator server identitas ", + "suggestions_3": "tunggu dan coba lagi", + "disconnect_anyway": "Lepaskan hubungan saja", + "disconnect_personal_data_warning_1": "Anda masih membagikan data personal Anda di server identitas .", + "disconnect_personal_data_warning_2": "Kami merekomendasikan Anda menghapus alamat email dan nomor telepon Anda dari server identitasnya sebelum memutuskan hubungan.", + "url": "Server identitas (%(server)s)", + "description_connected": "Anda saat ini menggunakan untuk menemukan dan dapat ditemukan oleh kontak yang Anda tahu. Anda dapat mengubah server identitas di bawah.", + "change_server_prompt": "Jika Anda tidak ingin menggunakan untuk menemukan dan dapat ditemukan oleh kontak yang Anda tahu, masukkan server identitas yang lain di bawah.", + "description_disconnected": "Anda saat ini tidak menggunakan sebuah server identitas. Untuk menemukan dan dapat ditemukan oleh kontak yang Anda tahu, tambahkan satu di bawah.", + "disconnect_warning": "Memutuskan hubungan dari server identitas Anda akan berarti Anda tidak dapat ditemukan oleh pengguna lain dan Anda tidak dapat mengundang orang lain menggunakan email atau nomor telepon.", + "description_optional": "Menggunakan sebuah server identitas itu opsional. Jika Anda tidak menggunakan sebuah server identitas, Anda tidak dapat ditemukan oleh pengguna lain dan Anda tidak dapat mengundang orang lain menggunakan email atau nomor telepon.", + "do_not_use": "Jangan menggunakan sebuah server identitas", + "url_field_label": "Masukkan sebuah server identitas baru" + }, + "member_list": { + "invite_button_no_perms_tooltip": "Anda tidak memiliki izin untuk mengundang pengguna", + "invited_list_heading": "Diundang", + "filter_placeholder": "Saring anggota ruangan", + "power_label": "%(userName)s (tingkat daya %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/is.json b/src/i18n/strings/is.json index cf1240f74b..c61434be6b 100644 --- a/src/i18n/strings/is.json +++ b/src/i18n/strings/is.json @@ -25,24 +25,13 @@ "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)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 %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s", - "Default": "Sjálfgefið", "Restricted": "Takmarkað", "Moderator": "Umsjónarmaður", - "Reason": "Ástæða", "Send": "Senda", - "Authentication": "Auðkenning", "Are you sure?": "Ertu viss?", - "Unignore": "Hætta að hunsa", "Admin Tools": "Kerfisstjóratól", - "Invited": "Boðið", - "Filter room members": "Sía meðlimi spjallrásar", - "You do not have permission to post to this room": "Þú hefur ekki heimild til að senda skilaboð á þessa spjallrás", "Unnamed room": "Nafnlaus spjallrás", "Join Room": "Taka þátt í spjallrás", - "Forget room": "Gleyma spjallrás", - "Rooms": "Spjallrásir", - "Low priority": "Lítill forgangur", - "Historical": "Ferilskráning", "unknown error code": "óþekktur villukóði", "Failed to forget room %(errCode)s": "Mistókst að gleyma spjallrásinni %(errCode)s", "Search…": "Leita…", @@ -72,28 +61,18 @@ "Unavailable": "Ekki tiltækt", "Changelog": "Breytingaskrá", "Confirm Removal": "Staðfesta fjarlægingu", - "Deactivate Account": "Gera notandaaðgang óvirkann", "Filter results": "Sía niðurstöður", "An error has occurred.": "Villa kom upp.", "Send Logs": "Senda atvikaskrár", - "Invalid Email Address": "Ógilt tölvupóstfang", "Verification Pending": "Sannvottun í bið", "Please check your email and click on the link it contains. Once this is done, click continue.": "Skoðaðu tölvupóstinn þinn og smelltu á tengilinn sem hann inniheldur. Þegar því er lokið skaltu smella á að halda áfram.", - "Failed to change password. Is your password correct?": "Mistókst að breyta lykilorðinu. Er lykilorðið rétt?", "You cannot delete this message. (%(code)s)": "Þú getur ekki eytt þessum skilaboðum. (%(code)s)", - "All messages": "Öll skilaboð", - "Invite to this room": "Bjóða inn á þessa spjallrás", "Connectivity to the server has been lost.": "Tenging við vefþjón hefur rofnað.", "Search failed": "Leit mistókst", "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", "Session ID": "Auðkenni setu", - "Export room keys": "Flytja út dulritunarlykla spjallrásar", - "Enter passphrase": "Settu inn lykilfrasann", - "Confirm passphrase": "Staðfestu lykilfrasa", - "Import room keys": "Flytja inn dulritunarlykla spjallrásar", - "File to import": "Skrá til að flytja inn", "Delete Widget": "Eyða viðmótshluta", "Create new room": "Búa til nýja spjallrás", "And %(count)s more...": { @@ -101,9 +80,6 @@ }, "Clear Storage and Sign Out": "Hreinsa gagnageymslu og skrá út", "Unable to restore session": "Tókst ekki að endurheimta setu", - "This doesn't appear to be a valid email address": "Þetta lítur ekki út eins og gilt tölvupóstfang", - "Unable to add email address": "Get ekki bætt við tölvupóstfangi", - "Unable to verify email address.": "Get ekki sannreynt tölvupóstfang.", "Reject invitation": "Hafna boði", "Are you sure you want to reject the invitation?": "Ertu viss um að þú viljir hafna þessu boði?", "Failed to reject invitation": "Mistókst að hafna boði", @@ -115,25 +91,11 @@ "one": "Sendi inn %(filename)s og %(count)s til viðbótar" }, "Uploading %(filename)s": "Sendi inn %(filename)s", - "Unable to remove contact information": "Ekki tókst að fjarlægja upplýsingar um tengilið", - "No Microphones detected": "Engir hljóðnemar fundust", - "No Webcams detected": "Engar vefmyndavélar fundust", - "Passphrases must match": "Lykilfrasar verða að stemma", - "Passphrase must not be empty": "Lykilfrasi má ekki vera auður", - "Explore rooms": "Kanna spjallrásir", - "Add room": "Bæta við spjallrás", - "Room information": "Upplýsingar um spjallrás", - "Room options": "Valkostir spjallrásar", "Finland": "Finnland", "Norway": "Noreg", "Denmark": "Danmörk", "Iceland": "Ísland", - "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", - "Reject & Ignore user": "Hafna og hunsa notanda", "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.", - "Ignored users": "Hunsaðir notendur", "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ð", @@ -160,14 +122,8 @@ "Remove recent messages": "Fjarlægja nýleg skilaboð", "Remove recent messages by %(user)s": "Fjarlægja nýleg skilaboð frá %(user)s", "Messages in this room are not end-to-end encrypted.": "Skilaboð í þessari spjallrás eru ekki enda-í-enda dulrituð.", - "None": "Ekkert", - "Italics": "Skáletrað", - "Discovery": "Uppgötvun", "Removing…": "Er að fjarlægja…", - "Browse": "Skoða", - "Sounds": "Hljóð", "edited": "breytti", - "Re-join": "Taka þátt aftur", "Banana": "Banani", "Fire": "Eldur", "Cloud": "Ský", @@ -193,13 +149,11 @@ "Cat": "Köttur", "Dog": "Hundur", "Demote": "Leggja til baka", - "Replying": "Svara", "%(duration)sd": "%(duration)sd", "%(duration)sh": "%(duration)sklst", "%(duration)sm": "%(duration)sm", "%(duration)ss": "%(duration)ss", "Message edits": "Breytingar á skilaboðum", - "Explore public rooms": "Kanna almenningsspjallrásir", "Search for rooms": "Leita að spjallrásum", "Create a new room": "Búa til nýja spjallrás", "Adding rooms... (%(progress)s out of %(count)s)": { @@ -467,12 +421,6 @@ "Room avatar": "Auðkennismynd spjallrásar", "Room Topic": "Umfjöllunarefni spjallrásar", "Room Name": "Heiti spjallrásar", - " invited you": " bauð þér", - " wants to chat": " langar til að spjalla", - "Go to Settings": "Fara í stillingar", - "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Útflutta skráin verður varin með lykilfrasa. Settu inn lykilfrasann hér til að afkóða skrána.", - "Success!": "Tókst!", - "Use a different passphrase?": "Nota annan lykilfrasa?", "Your password has been reset.": "Lykilorðið þitt hefur verið endursett.", "Results": "Niðurstöður", "No results found": "Engar niðurstöður fundust", @@ -511,9 +459,7 @@ "Sent": "Sent", "Sending": "Sendi", "MB": "MB", - "Public space": "Opinbert svæði", "Private space (invite only)": "Einkasvæði (einungis gegn boði)", - "Public room": "Almenningsspjallrás", "Notes": "Minnispunktar", "Want to add a new room instead?": "Viltu frekar bæta við nýrri spjallrás?", "Add existing rooms": "Bæta við fyrirliggjandi spjallrásum", @@ -543,33 +489,11 @@ "Local address": "Staðvært vistfang", "Stop recording": "Stöðva upptöku", "No microphone found": "Enginn hljóðnemi fannst", - "%(roomName)s does not exist.": "%(roomName)s er ekki til.", - "Do you want to join %(roomName)s?": "Viltu taka þátt í %(roomName)s?", - "Start chatting": "Hefja spjall", - "Sign Up": "Nýskrá", - "Home options": "Valkostir forsíðu", - "Join public room": "Taka þátt í almenningsspjallrás", "Recently viewed": "Nýlega skoðað", "View message": "Sjá skilaboð", - "Insert link": "Setja inn tengil", - "Poll": "Könnun", - "Voice Message": "Talskilaboð", - "Hide stickers": "Fela límmerki", "Failed to send": "Mistókst að senda", "Your message was sent": "Skilaboðin þín voru send", - "Phone Number": "Símanúmer", - "Email Address": "Tölvupóstfang", - "Verification code": "Sannvottunarkóði", - "Unknown failure": "Óþekkt bilun", - "Notification sound": "Hljóð með tilkynningu", - "@mentions & keywords": "@minnst á og stikkorð", - "Bridges": "Brýr", - "Space information": "Upplýsingar um svæði", - "Audio Output": "Hljóðúttak", "Deactivate account": "Gera notandaaðgang óvirkann", - "Phone numbers": "Símanúmer", - "Email addresses": "Tölvupóstföng", - "Address": "Vistfang", "Space selection": "Val svæðis", "Folder": "Mappa", "Headphones": "Heyrnartól", @@ -599,9 +523,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.", - "Set up Secure Messages": "Setja upp örugg skilaboð", - "Permission Required": "Krafist er heimildar", - "Upgrade your encryption": "Uppfærðu dulritunina þína", "Approve widget permissions": "Samþykkja heimildir viðmótshluta", "Clear cache and resync": "Hreinsa skyndiminni og endursamstilla", "Incompatible local cache": "Ósamhæft staðvært skyndiminni", @@ -610,10 +531,8 @@ "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.", - "Room Addresses": "Vistföng spjallrása", "Your homeserver has exceeded one of its resource limits.": "Heimaþjóninn þinn er kominn fram yfir takmörk á tilföngum.", "Your homeserver has exceeded its user limit.": "Heimaþjóninn þinn er kominn fram yfir takmörk á fjölda notenda.", - "Private space": "Einkasvæði", "Reset everything": "Frumstilla allt", "Not Trusted": "Ekki treyst", "Session key": "Dulritunarlykill setu", @@ -632,30 +551,17 @@ "Other published addresses:": "Önnur birt vistföng:", "Published Addresses": "Birt vistföng", "This room has no local addresses": "Þessi spjallrás er ekki með nein staðvær vistföng", - "Suggested Rooms": "Tillögur að spjallrásum", - "Add people": "Bæta við fólki", - "Invite to space": "Bjóða inn á svæði", - "Start new chat": "Hefja nýtt spjall", - "Show Widgets": "Sýna viðmótshluta", - "Hide Widgets": "Fela viðmótshluta", "(~%(count)s results)": { "one": "(~%(count)s niðurstaða)", "other": "(~%(count)s niðurstöður)" }, - "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", - "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", "and %(count)s others...": { "one": "og einn í viðbót...", "other": "og %(count)s til viðbótar..." }, - "Close preview": "Loka forskoðun", "View in room": "Skoða á spjallrás", "Set up": "Setja upp", - "Failed to set display name": "Mistókst að stilla birtingarnafn", "Copy link to thread": "Afrita tengil á spjallþráð", "Create a space": "Búa til svæði", "Guitar": "Gítar", @@ -682,31 +588,13 @@ "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", "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.", "Spanner": "Skrúflykill", "Invalid base_url for m.homeserver": "Ógilt base_url fyrir m.homeserver", "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)", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Stilltu vistföng fyrir þetta svæði svo notendur geti fundið það í gegnum heimaþjóninn þinn (%(localDomain)s)", - "Remove %(email)s?": "Fjarlægja %(email)s?", - "Discovery options will appear once you have added a phone number above.": "Valkostir fyrir uppgötvun munu birtast um leið og þú hefur bætt inn símanúmeri hér fyrir ofan.", - "Discovery options will appear once you have added an email above.": "Valkostir fyrir uppgötvun munu birtast um leið og þú hefur bætt inn tölvupóstfangi hér fyrir ofan.", "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.", - "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.", - "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.": "Ef þú aftengist frá auðkennisþjóninum þínum, munu aðrir notendur ekki geta fundið þig og þú munt ekki geta boðið öðrum með símanúmeri eða tölvupósti.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Þú ert núna ekki að nota neinn auðkennisþjón. Til að uppgötva og vera finnanleg/ur fyrir þá tengiliði sem þú þekkir, skaltu bæta við auðkennisþjóni hér fyrir neðan.", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Ef þú vilt ekki nota til að uppgötva og vera finnanleg/ur fyrir þá tengiliði sem þú þekkir, skaltu setja inn annan auðkennisþjón hér fyrir neðan.", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Þú ert núna að nota til að uppgötva og vera finnanleg/ur fyrir þá tengiliði sem þú þekkir. Þú getur breytt auðkennisþjóninum hér fyrir neðan.", - "Identity server (%(server)s)": "Auðkennisþjónn (%(server)s)", - "Disconnect anyway": "Aftengja samt", - "You should:": "Þú ættir:", - "Disconnect from the identity server ?": "Aftengjast frá auðkennisþjóni ?", - "Disconnect identity server": "Aftengja auðkennisþjón", "Spaces you know that contain this room": "Svæði sem þú veist að innihalda þetta svæði", "Spaces you know that contain this space": "Svæði sem þú veist að innihalda þetta svæði", "Pick a date to jump to": "Veldu dagsetningu til að hoppa á", @@ -714,8 +602,6 @@ "Message pending moderation: %(reason)s": "Efni sem bíður yfirferðar: %(reason)s", "Jump to date": "Hoppa á dagsetningu", "Jump to read receipt": "Fara í fyrstu leskvittun", - "Incorrect verification code": "Rangur sannvottunarkóði", - "Generate a Security Key": "Útbúa öryggislykil", "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", @@ -728,12 +614,9 @@ "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) skráði sig inn í nýja setu án þess að sannvotta hana:", "You signed in to a new session without verifying it:": "Þú skráðir inn í nýja setu án þess að sannvotta hana:", "Your messages are not secure": "Skilaboðin þín eru ekki örugg", - "Could not connect to identity server": "Gat ekki tengst við auðkennisþjón", "Back up your keys before signing out to avoid losing them.": "Taktu öryggisafrit af dulritunarlyklunum áður en þú skráir þig út svo þeir tapist ekki.", "Backup version:": "Útgáfa öryggisafrits:", "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", "Rooms and spaces": "Spjallrásir og svæði", "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", @@ -754,11 +637,6 @@ "The following users may not exist": "Eftirfarandi notendur eru mögulega ekki til", "Create a new space": "Búa til nýtt svæði", "You have ignored this user, so their message is hidden. Show anyways.": "Þú hefur hunsað þennan notanda, þannig að skilaboð frá honum eru falin. Birta samts.", - "Show %(count)s other previews": { - "one": "Sýna %(count)s forskoðun til viðbótar", - "other": "Sýna %(count)s forskoðanir til viðbótar" - }, - "You have no ignored users.": "Þú ert ekki með neina hunsaða notendur.", "Integrations are disabled": "Samþættingar eru óvirkar", "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", @@ -773,10 +651,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?": "Verið er að beina þér á utanaðkomandi vefsvæði til að auðkenna aðganginn þinn til notkunar með %(integrationsUrl)s. Viltu halda áfram?", "Add an Integration": "Bæta við samþættingu", "Failed to connect to integration manager": "Mistókst að tengjast samþættingarstýringu", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Samþættingarstýringar taka við stillingagögnum og geta breytt viðmótshlutum, sent boð í spjallrásir, auk þess að geta úthlutað völdum fyrir þína hönd.", - "Manage integrations": "Sýsla með samþættingar", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Notaðu samþættingarstýringu til að stýra vélmennum, viðmótshlutum og límmerkjapökkum.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Notaðu samþættingarstýringu (%(serverName)s) til að stýra vélmennum, viðmótshlutum og límmerkjapökkum.", "IRC display name width": "Breidd IRC-birtingarnafns", "Cancel search": "Hætta við leitina", "Drop a Pin": "Sleppa pinna", @@ -885,50 +759,22 @@ "one": "Sjá 1 meðlim", "other": "Sjá alla %(count)s meðlimina" }, - "Identity server URL must be HTTPS": "Slóð á auðkennisþjón verður að vera HTTPS", "This event could not be displayed": "Ekki tókst að birta þennan atburð", "Edit message": "Breyta skilaboðum", "Everyone in this room is verified": "Allir á þessari spjallrás eru staðfestir", - "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", - "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", - "Failed to unban": "Tókst ekki að taka úr banni", - "Set a new custom sound": "Stilla nýtt sérsniðið hljóð", - "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óð", - "No Audio Outputs detected": "Engir hljóðútgangar fundust", "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ð", - "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", "From a thread": "Úr spjallþræði", "Someone is using an unknown session": "Einhver er að nota óþekkta setu", "You have not verified this user.": "Þér hefur ekki sannreynt þennan notanda.", - "Remove %(phone)s?": "Fjarlægja %(phone)s?", - "Please enter verification code sent via text.": "Settu inn staðfestingarkóða sem sendur var með SMS.", - "Unable to verify phone number.": "Ekki var hægt að sannreyna símanúmer.", - "Unable to share phone number": "Ekki er hægt að deila símanúmeri", - "Unable to revoke sharing for phone number": "Ekki er hægt að afturkalla að deila símanúmeri", - "Verify the link in your inbox": "Athugaðu tengilinn í pósthólfinu þínu", - "Message didn't send. Click for info.": "Mistókst að senda skilaboð. Smelltu til að fá nánari upplýsingar.", - "That doesn't match.": "Þetta stemmir ekki.", - "That matches!": "Þetta passar!", - "Clear personal data": "Hreinsa persónuleg gögn", "General failure": "Almenn bilun", "You don't have permission": "Þú hefur ekki heimild", "Retry all": "Prófa aftur allt", "Open dial pad": "Opna talnaborð", "You cancelled": "Þú hættir við", "You accepted": "Þú samþykktir", - "Confirm Security Phrase": "Staðfestu öryggisfrasa", - "Confirm your Security Phrase": "Staðfestu öryggisfrasann þinn", - "Enter a Security Phrase": "Settu inn öryggisfrasa", "Device verified": "Tæki er sannreynt", "Could not load user profile": "Gat ekki hlaðið inn notandasniði", " invites you": " býður þér", @@ -959,22 +805,11 @@ "other": "%(count)s svör" }, "Add some now": "Bæta við núna", - "%(roomName)s is not accessible at this time.": "%(roomName)s er ekki aðgengileg í augnablikinu.", - "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", - "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", "Verification Request": "Beiðni um sannvottun", - "Save your Security Key": "Vista öryggislykilinn þinn", - "Set a Security Phrase": "Setja öryggisfrasa", "Security Phrase": "Öryggisfrasi", "Manually export keys": "Flytja út dulritunarlykla handvirkt", "Incoming Verification Request": "Innkomin beiðni um sannvottun", "Revoke invite": "Afturkalla boð", - "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.", "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!", @@ -984,8 +819,6 @@ "Error creating address": "Villa við að búa til vistfang", "Error updating main address": "Villa við uppfærslu á aðalvistfangi", "Failed to revoke invite": "Mistókst að afturkalla boð", - "Forget this room": "Gleyma þessari spjallrás", - "Recovery Method Removed": "Endurheimtuaðferð fjarlægð", "Skip verification for now": "Sleppa sannvottun í bili", "Verify this device": "Sannreyna þetta tæki", "Search names and descriptions": "Leita í nöfnum og lýsingum", @@ -1014,12 +847,6 @@ "Verify User": "Sannreyna notanda", "Start Verification": "Hefja sannvottun", "This space has no local addresses": "Þetta svæði er ekki með nein staðvær vistföng", - "You were banned from %(roomName)s by %(memberName)s": "Þú hefur verið settur í bann á %(roomName)s af %(memberName)s", - "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", - "New Recovery Method": "Ný endurheimtuaðferð", - "I'll verify later": "Ég mun sannreyna síðar", "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", @@ -1049,39 +876,11 @@ "Main address": "Aðalvistfang", "Open thread": "Opna spjallþráð", "Invited by %(sender)s": "Boðið af %(sender)s", - "Join the discussion": "Taktu þátt í umræðunni", - "Missing media permissions, click the button below to request.": "Vantar heimildir fyrir margmiðlunarefni, smelltu á hnappinn hér fyrir neðan til að biðja um þær.", - "Not a valid identity server (status code %(code)s)": "Ekki gildur auðkennisþjónn (stöðukóði %(code)s)", - "This invite to %(roomName)s was sent to %(email)s": "Þetta boð í %(roomName)s var sent til %(email)s", - "Try to join anyway": "Reyna samt að taka þátt", - "You were removed from %(roomName)s by %(memberName)s": "Þú hefur verið fjarlægð/ur á %(roomName)s af %(memberName)s", - "Join the conversation with an account": "Taktu þátt í samtalinu með notandaaðgangi", - "Currently removing messages in %(count)s rooms": { - "one": "Er núna að fjarlægja skilaboð í %(count)s spjallrás", - "other": "Er núna að fjarlægja skilaboð í %(count)s spjallrásum" - }, - "Currently joining %(count)s rooms": { - "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" - }, "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", "Unnamed audio": "Nafnlaust hljóð", "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.", "To join a space you'll need an invite.": "Til að ganga til liðs við svæði þarftu boð.", - "Unable to set up secret storage": "Tókst ekki að setja upp leynigeymslu", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Tryggðu þig gegn því að missa aðgang að dulrituðum skilaboðum og gögnum með því að taka öryggisafrit af dulritunarlyklunum á netþjóninum þinum.", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Notaðu leynilegan frasa eða setningu sem aðeins þú þekkir, og útbúðu öryggislykil fyrir öryggisafrit.", - "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Við munum útbúa öryggislykil fyrir þig til að geyma á öruggum stað, eins og í lykilorðastýringu eða jafnvel í peningaskáp.", - "Your keys are being backed up (the first backup could take a few minutes).": "Verið er að öryggisafrita dulritunarlyklana þína (öryggisafritun getur tekið dálítinn tíma í fyrsta skiptið).", - "Go back to set it again.": "Farðu til baka til að setja hann aftur.", - "Great! This Security Phrase looks strong enough.": "Frábært! Þessi öryggisfrasi virðist vera nógu sterkur.", - "Failed to re-authenticate due to a homeserver problem": "Tókst ekki að endurauðkenna vegna vandamála með heimaþjón", - "Verify with another device": "Sannreyna með öðru tæki", - "Verify with Security Key": "Sannreyna með öryggislykli", - "Verify with Security Key or Phrase": "Sannreyna með öryggisfrasa", - "Proceed with reset": "Halda áfram með endurstillingu", "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?", "Are you sure you want to leave the room '%(roomName)s'?": "Ertu viss um að þú viljir yfirgefa spjallrásina '%(roomName)s'?", @@ -1112,18 +911,13 @@ "Verify by comparing unique emoji.": "Sannprófaðu með því að bera saman einstakar táknmyndir.", "If you can't scan the code above, verify by comparing unique emoji.": "Ef þú getur ekki skannað kóðann hér fyrir ofan, skaltu sannprófa með því að bera saman einstakar táknmyndir.", "Verify by scanning": "Sannprófa með skönnun", - "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Villa kom upp við að breyta valdastigi notandans. Athugaðu hvort þú hafir nægilegar heimildir og prófaðu aftur.", - "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Villa kom upp við að breyta kröfum spjallrásarinnar um valdastig. Athugaðu hvort þú hafir nægilegar heimildir og prófaðu aftur.", "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.", - "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?", "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", - "Unable to query secret storage status": "Tókst ekki að finna stöðu á leynigeymslu", "Unable to restore backup": "Tekst ekki að endurheimta öryggisafrit", "Upload %(count)s other files": { "one": "Senda inn %(count)s skrá til viðbótar", @@ -1157,7 +951,6 @@ "Automatically invite members from this room to the new one": "Bjóða meðlimum á þessari spjallrás sjálfvirkt yfir í þá nýju", "Create a new room with the same name, description and avatar": "Búa til nýja spjallrás með sama heiti, lýsingu og auðkennismynd", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Bara til að minna á; ef þú gleymir lykilorðinu þínu, þá er engin leið til að endurheimta aðganginn þinn.", - "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?", "Add a space to a space you manage.": "Bættu svæði við eitthvað svæði sem þú stýrir.", @@ -1179,25 +972,7 @@ "Unable to access your microphone": "Mistókst að ná aðgangi að hljóðnema", "You don't currently have any stickerpacks enabled": "Í augnablikinu ertu ekki með neina límmerkjapakka virkjaða", "This room has already been upgraded.": "Þessi spjallrás hefur þegar verið uppfærð.", - "This room or space is not accessible at this time.": "Þessi spjallrás eða svæði er ekki aðgengilegt í augnablikinu.", - "Are you sure you're at the right place?": "Ertu viss um að þú sért á réttum stað?", - "This room or space does not exist.": "Þessi spjallrás eða svæði er ekki til.", - "%(roomName)s can't be previewed. Do you want to join it?": "Ekki er hægt að forskoða %(roomName)s. Viltu taka þátt í henni?", - "You're previewing %(roomName)s. Want to join it?": "Þú ert að forskoða %(roomName)s. Viltu taka þátt í henni?", - "This invite was sent to %(email)s": "Þetta boð var sent til %(email)s", - "Something went wrong with your invite.": "Eitthvað fór úrskeiðis varðandi boðið þitt.", - "Something went wrong with your invite to %(roomName)s": "Eitthvað fór úrskeiðis varðandi boðið þitt á %(roomName)s", - "You were banned by %(memberName)s": "Þú hefur verið settur í bann af %(memberName)s", - "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", "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 .", - "contact the administrators of identity server ": "að hafa samband við stjórnendur auðkennisþjónsins ", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "að yfirfara vafraviðbæturnar þínar ef vera kynni að einhverjar þeirra loki á auðkenningarþjóninn (eins og t.d. Privacy Badger)", - "The identity server you have chosen does not have any terms of service.": "Auðkennisþjónninn sem þú valdir er ekki með neina þjónustuskilmála.", - "Terms of service not accepted or the identity server is invalid.": "Þjónustuskilmálar eru ekki samþykktir eða að auðkennisþjónn er ógildur.", - "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.", "Live location enabled": "Staðsetning í rauntíma virkjuð", "Close sidebar": "Loka hliðarstiku", "View List": "Skoða lista", @@ -1219,12 +994,6 @@ "one": "1 þáttakandi", "other": "%(count)s þátttakendur" }, - "Joining…": "Geng í hópinn…", - "New video room": "Ný myndspjallrás", - "New room": "Ný spjallrás", - "Private room": "Einkaspjallrás", - "Video room": "Myndspjallrás", - "Read receipts": "Leskvittanir", "%(members)s and more": "%(members)s og fleiri", "Show Labs settings": "Sýna tilraunastillingar", "%(members)s and %(last)s": "%(members)s og %(last)s", @@ -1251,9 +1020,6 @@ "We'll help you get connected.": "Við munum hjálpa þér að tengjast.", "Choose a locale": "Veldu staðfærslu", "Video call ended": "Mynddsímtali lauk", - "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.", - "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s eða %(copyButton)s", "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", @@ -1266,12 +1032,6 @@ "You're in": "Þú ert inni", "View live location": "Skoða staðsetningu í rauntíma", "%(name)s started a video call": "%(name)s hóf myndsímtal", - "To view %(roomName)s, you need an invite": "Til að skoða %(roomName)s þarftu boð", - "Video call (Jitsi)": "Myndsímtal (Jitsi)", - "Seen by %(count)s people": { - "one": "Séð af %(count)s aðila", - "other": "Séð af %(count)s aðilum" - }, "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.", @@ -1292,7 +1052,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.", - "Send email": "Senda tölvupóst", "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.": "Þú hefur verið skráður út úr öllum tækjum og munt ekki lengur fá ýti-tilkynningar. Til að endurvirkja tilkynningar, þarf að skrá sig aftur inn á hverju tæki fyrir sig.", "Sign out of all devices": "Skrá út af öllum tækjum", "Confirm new password": "Staðfestu nýja lykilorðið", @@ -1307,14 +1066,6 @@ "Text": "Texti", "Create a link": "Búa til tengil", "Edit link": "Breyta tengli", - "View chat timeline": "Skoða tímalínu spjalls", - "Close call": "Loka samtali", - "Change layout": "Breyta framsetningu", - "Spotlight": "Í kastljósi", - "Freedom": "Frelsi", - "Connection": "Tenging", - "Video settings": "Myndstillingar", - "Voice settings": "Raddstillingar", "Unable to show image due to error": "Get ekki birt mynd vegna villu", "%(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í.", @@ -1322,19 +1073,8 @@ "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ð", - "Try again later, or ask a room or space admin to check if you have access.": "Prófaðu aftur síðar, eða spurðu einhvern stjórnanda spjallrásar eða svæðis hvort þú hafir aðgang.", - "This invite was sent to %(email)s which is not associated with your account": "Þetta boð var sent til %(email)s sem er ekki tengt notandaaðgangnum þínum", - "You can still join here.": "Þú getur samt tekið þátt hér.", - "Join the room to participate": "Taka þátt í spjallrás", - "Video call (%(brand)s)": "Myndsímtal (%(brand)s)", - "Show formatting": "Sýna sniðmótun", - "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", - "Call type": "Tegund samtals", - "Failed to update the join rules": "Mistókst að uppfæra reglur fyrir þátttöku", - "Voice processing": "Meðhöndlun tals", - "Automatically adjust the microphone volume": "Aðlaga hljóðstyrk hljóðnema sjálfvirkt", "common": { "about": "Um hugbúnaðinn", "analytics": "Greiningar", @@ -1437,7 +1177,18 @@ "general": "Almennt", "profile": "Notandasnið", "display_name": "Birtingarnafn", - "user_avatar": "Notandamynd" + "user_avatar": "Notandamynd", + "authentication": "Auðkenning", + "public_room": "Almenningsspjallrás", + "video_room": "Myndspjallrás", + "public_space": "Opinbert svæði", + "private_space": "Einkasvæði", + "private_room": "Einkaspjallrás", + "rooms": "Spjallrásir", + "low_priority": "Lítill forgangur", + "historical": "Ferilskráning", + "go_to_settings": "Fara í stillingar", + "setup_secure_messages": "Setja upp örugg skilaboð" }, "action": { "continue": "Halda áfram", @@ -1541,7 +1292,16 @@ "unban": "Afbanna", "click_to_copy": "Smelltu til að afrita", "hide_advanced": "Fela ítarlegt", - "show_advanced": "Birta ítarlegt" + "show_advanced": "Birta ítarlegt", + "unignore": "Hætta að hunsa", + "start_new_chat": "Hefja nýtt spjall", + "invite_to_space": "Bjóða inn á svæði", + "add_people": "Bæta við fólki", + "explore_rooms": "Kanna spjallrásir", + "new_room": "Ný spjallrás", + "new_video_room": "Ný myndspjallrás", + "add_existing_room": "Bæta við fyrirliggjandi spjallrás", + "explore_public_rooms": "Kanna almenningsspjallrásir" }, "a11y": { "user_menu": "Valmynd notandans", @@ -1554,7 +1314,8 @@ "other": "%(count)s ólesin skilaboð." }, "unread_messages": "Ólesin skilaboð.", - "jump_first_invite": "Fara í fyrsta boð." + "jump_first_invite": "Fara í fyrsta boð.", + "room_name": "Spjallrás %(name)s" }, "labs": { "video_rooms": "Myndspjallrásir", @@ -1710,7 +1471,21 @@ "space_a11y": "Orðaklárun svæða", "user_description": "Notendur", "user_a11y": "Orðaklárun notanda" - } + }, + "room_upgraded_link": "Samtalið heldur áfram hér.", + "room_upgraded_notice": "Þessari spjallrás hefur verið skipt út og er hún ekki lengur virk.", + "no_perms_notice": "Þú hefur ekki heimild til að senda skilaboð á þessa spjallrás", + "send_button_voice_message": "Senda talskilaboð", + "close_sticker_picker": "Fela límmerki", + "voice_message_button": "Talskilaboð", + "poll_button_no_perms_title": "Krafist er heimildar", + "poll_button_no_perms_description": "Þú hefur ekki aðgangsheimildir til að hefja kannanir á þessari spjallrás.", + "poll_button": "Könnun", + "mode_plain": "Fela sniðmótun", + "mode_rich_text": "Sýna sniðmótun", + "format_italics": "Skáletrað", + "format_insert_link": "Setja inn tengil", + "replying_title": "Svara" }, "Link": "Tengill", "Code": "Kóði", @@ -1915,7 +1690,19 @@ "allow_p2p_description": "Ef þetta er virkjað, getur viðkomandi mögulega séð IP-vistfangið þitt", "auto_gain_control": "Sjálfvirk stýring styrkaukningar", "echo_cancellation": "Útrýming bergmáls", - "noise_suppression": "Truflanabæling" + "noise_suppression": "Truflanabæling", + "missing_permissions_prompt": "Vantar heimildir fyrir margmiðlunarefni, smelltu á hnappinn hér fyrir neðan til að biðja um þær.", + "request_permissions": "Biðja um heimildir fyrir myndefni", + "audio_output": "Hljóðúttak", + "audio_output_empty": "Engir hljóðútgangar fundust", + "audio_input_empty": "Engir hljóðnemar fundust", + "video_input_empty": "Engar vefmyndavélar fundust", + "title": "Tal og myndmerki", + "voice_section": "Raddstillingar", + "voice_agc": "Aðlaga hljóðstyrk hljóðnema sjálfvirkt", + "video_section": "Myndstillingar", + "voice_processing": "Meðhöndlun tals", + "connection_section": "Tenging" }, "send_read_receipts_unsupported": "Netþjónninn þinn styður ekki að sending leskvittana sé gerð óvirk.", "security": { @@ -1983,7 +1770,11 @@ "key_backup_connect": "Tengja þessa setu við öryggisafrit af lykli", "key_backup_complete": "Allir lyklar öryggisafritaðir", "key_backup_algorithm": "Reiknirit:", - "key_backup_inactive_warning": "Dulritunarlyklarnir þínir eru ekki öryggisafritaðir úr þessari setu." + "key_backup_inactive_warning": "Dulritunarlyklarnir þínir eru ekki öryggisafritaðir úr þessari setu.", + "key_backup_active_version_none": "Ekkert", + "ignore_users_empty": "Þú ert ekki með neina hunsaða notendur.", + "ignore_users_section": "Hunsaðir notendur", + "e2ee_default_disabled_warning": "Kerfisstjóri netþjónsins þíns hefur lokað á sjálfvirka dulritun í einkaspjallrásum og beinum skilaboðum." }, "preferences": { "room_list_heading": "Spjallrásalisti", @@ -2097,7 +1888,38 @@ "add_msisdn_dialog_title": "Bæta við símanúmeri", "name_placeholder": "Ekkert birtingarnafn", "error_saving_profile_title": "Mistókst að vista sniðið þitt", - "error_saving_profile": "Ekki tókst að ljúka aðgerðinni" + "error_saving_profile": "Ekki tókst að ljúka aðgerðinni", + "error_password_change_403": "Mistókst að breyta lykilorðinu. Er lykilorðið rétt?", + "password_change_success": "Það tókst að breyta lykilorðinu þínu.", + "emails_heading": "Tölvupóstföng", + "msisdns_heading": "Símanúmer", + "discovery_needs_terms": "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.", + "deactivate_section": "Gera notandaaðgang óvirkann", + "account_management_section": "Umsýsla notandaaðgangs", + "deactivate_warning": "Að gera aðganginn þinn óvirkan er endanleg aðgerð - farðu varlega!", + "discovery_section": "Uppgötvun", + "error_revoke_email_discovery": "Ekki er hægt að afturkalla að deila tölvupóstfangi", + "error_share_email_discovery": "Get ekki deilt tölvupóstfangi", + "email_not_verified": "Tölvupóstfangið þitt hefur ekki ennþá verið staðfest", + "error_email_verification": "Get ekki sannreynt tölvupóstfang.", + "discovery_email_verification_instructions": "Athugaðu tengilinn í pósthólfinu þínu", + "discovery_email_empty": "Valkostir fyrir uppgötvun munu birtast um leið og þú hefur bætt inn tölvupóstfangi hér fyrir ofan.", + "error_revoke_msisdn_discovery": "Ekki er hægt að afturkalla að deila símanúmeri", + "error_share_msisdn_discovery": "Ekki er hægt að deila símanúmeri", + "error_msisdn_verification": "Ekki var hægt að sannreyna símanúmer.", + "incorrect_msisdn_verification": "Rangur sannvottunarkóði", + "msisdn_verification_instructions": "Settu inn staðfestingarkóða sem sendur var með SMS.", + "msisdn_verification_field_label": "Sannvottunarkóði", + "discovery_msisdn_empty": "Valkostir fyrir uppgötvun munu birtast um leið og þú hefur bætt inn símanúmeri hér fyrir ofan.", + "error_set_name": "Mistókst að stilla birtingarnafn", + "error_remove_3pid": "Ekki tókst að fjarlægja upplýsingar um tengilið", + "remove_email_prompt": "Fjarlægja %(email)s?", + "error_invalid_email": "Ógilt tölvupóstfang", + "error_invalid_email_detail": "Þetta lítur ekki út eins og gilt tölvupóstfang", + "error_add_email": "Get ekki bætt við tölvupóstfangi", + "email_address_label": "Tölvupóstfang", + "remove_msisdn_prompt": "Fjarlægja %(phone)s?", + "msisdn_label": "Símanúmer" }, "sidebar": { "title": "Hliðarspjald", @@ -2110,6 +1932,47 @@ "metaspaces_orphans_description": "Hópaðu allar spjallrásir sem ekki eru hluti af svæðum á einum stað.", "metaspaces_home_all_rooms_description": "Birtu allar spjallrásirnar þínar á forsíðunni, jafnvel þótt þær tilheyri svæði.", "metaspaces_home_all_rooms": "Sýna allar spjallrásir" + }, + "key_backup": { + "backup_in_progress": "Verið er að öryggisafrita dulritunarlyklana þína (öryggisafritun getur tekið dálítinn tíma í fyrsta skiptið).", + "backup_success": "Tókst!", + "create_title": "Gera öryggisafrit af dulritunarlykli", + "cannot_create_backup": "Tókst ekki að gera öryggisafrit af dulritunarlykli", + "setup_secure_backup": { + "generate_security_key_title": "Útbúa öryggislykil", + "generate_security_key_description": "Við munum útbúa öryggislykil fyrir þig til að geyma á öruggum stað, eins og í lykilorðastýringu eða jafnvel í peningaskáp.", + "enter_phrase_title": "Settu inn öryggisfrasa", + "description": "Tryggðu þig gegn því að missa aðgang að dulrituðum skilaboðum og gögnum með því að taka öryggisafrit af dulritunarlyklunum á netþjóninum þinum.", + "requires_password_confirmation": "Sláðu inn lykilorðið þitt til að staðfesta uppfærsluna:", + "phrase_strong_enough": "Frábært! Þessi öryggisfrasi virðist vera nógu sterkur.", + "pass_phrase_match_success": "Þetta passar!", + "use_different_passphrase": "Nota annan lykilfrasa?", + "pass_phrase_match_failed": "Þetta stemmir ekki.", + "set_phrase_again": "Farðu til baka til að setja hann aftur.", + "enter_phrase_to_confirm": "Settu aftur inn öryggisfrasann þinn til að staðfesta hann.", + "confirm_security_phrase": "Staðfestu öryggisfrasann þinn", + "security_key_safety_reminder": "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.", + "download_or_copy": "%(downloadButton)s eða %(copyButton)s", + "secret_storage_query_failure": "Tókst ekki að finna stöðu á leynigeymslu", + "cancel_warning": "Ef þú hættir við núna, geturðu tapað dulrituðum skilaboðum og gögnum ef þú missir aðgang að innskráningum þínum.", + "settings_reminder": "Þú getur líka sett upp varið öryggisafrit og sýslað með dulritunarlykla í stillingunum.", + "title_upgrade_encryption": "Uppfærðu dulritunina þína", + "title_set_phrase": "Setja öryggisfrasa", + "title_confirm_phrase": "Staðfestu öryggisfrasa", + "title_save_key": "Vista öryggislykilinn þinn", + "unable_to_setup": "Tókst ekki að setja upp leynigeymslu", + "use_phrase_only_you_know": "Notaðu leynilegan frasa eða setningu sem aðeins þú þekkir, og útbúðu öryggislykil fyrir öryggisafrit." + } + }, + "key_export_import": { + "export_title": "Flytja út dulritunarlykla spjallrásar", + "enter_passphrase": "Settu inn lykilfrasann", + "confirm_passphrase": "Staðfestu lykilfrasa", + "phrase_cannot_be_empty": "Lykilfrasi má ekki vera auður", + "phrase_must_match": "Lykilfrasar verða að stemma", + "import_title": "Flytja inn dulritunarlykla spjallrásar", + "import_description_2": "Útflutta skráin verður varin með lykilfrasa. Settu inn lykilfrasann hér til að afkóða skrána.", + "file_to_import": "Skrá til að flytja inn" } }, "devtools": { @@ -2539,7 +2402,19 @@ "collapse_reply_thread": "Fella saman svarþráð", "view_related_event": "Skoða tengdan atburð", "report": "Tilkynna" - } + }, + "url_preview": { + "show_n_more": { + "one": "Sýna %(count)s forskoðun til viðbótar", + "other": "Sýna %(count)s forskoðanir til viðbótar" + }, + "close": "Loka forskoðun" + }, + "read_receipt_title": { + "one": "Séð af %(count)s aðila", + "other": "Séð af %(count)s aðilum" + }, + "read_receipts_label": "Leskvittanir" }, "slash_command": { "spoiler": "Sendir skilaboðin sem stríðni", @@ -2789,7 +2664,14 @@ "permissions_section_description_room": "Veldu þau hlutverk sem krafist er til að breyta ýmsum þáttum spjallrásarinnar", "add_privileged_user_heading": "Bæta við notendum með auknar heimildir", "add_privileged_user_description": "Gefðu einum eða fleiri notendum á þessari spjallrás auknar heimildir", - "add_privileged_user_filter_placeholder": "Leita að notendum á þessari spjallrás…" + "add_privileged_user_filter_placeholder": "Leita að notendum á þessari spjallrás…", + "error_unbanning": "Tókst ekki að taka úr banni", + "banned_by": "Bannaður af %(displayName)s", + "ban_reason": "Ástæða", + "error_changing_pl_reqs_title": "Villa við að breyta kröfum um valdastig", + "error_changing_pl_reqs_description": "Villa kom upp við að breyta kröfum spjallrásarinnar um valdastig. Athugaðu hvort þú hafir nægilegar heimildir og prófaðu aftur.", + "error_changing_pl_title": "Villa við að breyta valdastigi", + "error_changing_pl_description": "Villa kom upp við að breyta valdastigi notandans. Athugaðu hvort þú hafir nægilegar heimildir og prófaðu aftur." }, "security": { "strict_encryption": "Aldrei senda dulrituð skilaboð af þessu tæki til ósannvottaðra tækja á þessari spjallrás úr þessari setu", @@ -2831,7 +2713,9 @@ "join_rule_upgrade_updating_spaces": { "one": "Uppfæri svæði...", "other": "Uppfæri svæði... (%(progress)s af %(count)s)" - } + }, + "error_join_rule_change_title": "Mistókst að uppfæra reglur fyrir þátttöku", + "error_join_rule_change_unknown": "Óþekkt bilun" }, "general": { "publish_toggle": "Birta þessa spjallrás opinberlega á skrá %(domain)s yfir spjallrásir?", @@ -2844,7 +2728,9 @@ "error_save_space_settings": "Mistókst að vista stillingar svæðis.", "description_space": "Breyta stillingum viðkomandi svæðinu þínu.", "save": "Vista breytingar", - "leave_space": "Yfirgefa svæði" + "leave_space": "Yfirgefa svæði", + "aliases_section": "Vistföng spjallrása", + "other_section": "Annað" }, "advanced": { "unfederated": "Þessi spjallrás er ekki aðgengileg fjartengdum Matrix-netþjónum", @@ -2854,7 +2740,9 @@ "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:" + "room_version": "Útgáfa spjallrásar:", + "information_section_space": "Upplýsingar um svæði", + "information_section_room": "Upplýsingar um spjallrás" }, "delete_avatar_label": "Eyða auðkennismynd", "upload_avatar_label": "Senda inn auðkennismynd", @@ -2868,11 +2756,25 @@ "history_visibility_anyone_space": "Forskoða svæði", "history_visibility_anyone_space_description": "Bjóddu fólki að forskoða svæðið þitt áður en þau geta tekið þátt.", "history_visibility_anyone_space_recommendation": "Mælt með fyrir opinber almenningssvæði.", - "guest_access_label": "Leyfa aðgang gesta" + "guest_access_label": "Leyfa aðgang gesta", + "alias_section": "Vistfang" }, "access": { "title": "Aðgangur", "description_space": "Veldu hverjir geta skoðað og tekið þátt í %(spaceName)s." + }, + "bridges": { + "title": "Brýr" + }, + "notifications": { + "uploaded_sound": "Innsent hljóð", + "sounds_section": "Hljóð", + "notification_sound": "Hljóð með tilkynningu", + "custom_sound_prompt": "Stilla nýtt sérsniðið hljóð", + "browse_button": "Skoða" + }, + "voip": { + "call_type_section": "Tegund samtals" } }, "encryption": { @@ -2903,7 +2805,12 @@ "unverified_sessions_toast_description": "Yfirfarðu þetta til að tryggja að aðgangurinn þinn sé öruggur", "unverified_sessions_toast_reject": "Seinna", "unverified_session_toast_title": "Ný innskráning. Varst þetta þú?", - "request_toast_detail": "%(deviceId)s frá %(ip)s" + "request_toast_detail": "%(deviceId)s frá %(ip)s", + "reset_proceed_prompt": "Halda áfram með endurstillingu", + "verify_using_key_or_phrase": "Sannreyna með öryggisfrasa", + "verify_using_key": "Sannreyna með öryggislykli", + "verify_using_device": "Sannreyna með öðru tæki", + "verify_later": "Ég mun sannreyna síðar" }, "old_version_detected_title": "Gömul dulritunargögn fundust", "verification_requested_toast_title": "Beðið um sannvottun", @@ -2923,7 +2830,13 @@ "cross_signing_ready_no_backup": "Kross-undirritun er tilbúin en ekki er búið að öryggisafrita dulritunarlykla.", "cross_signing_untrusted": "Aðgangurinn þinn er með auðkenni kross-undirritunar í leynigeymslu, en þessu er ekki ennþá treyst í þessari setu.", "cross_signing_not_ready": "Kross-undirritun er ekki uppsett.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Ný endurheimtuaðferð" + }, + "recovery_method_removed": { + "title": "Endurheimtuaðferð fjarlægð" + } }, "emoji": { "category_frequently_used": "Oft notað", @@ -3082,7 +2995,10 @@ "autodiscovery_unexpected_error_hs": "Óvænt villa kom upp við að lesa uppsetningu heimaþjóns", "autodiscovery_unexpected_error_is": "Óvænt villa kom upp við að lesa uppsetningu auðkenningarþjóns", "incorrect_credentials_detail": "Athugaðu að þú ert að skrá þig inn á %(hs)s þjóninn, ekki inn á matrix.org.", - "create_account_title": "Stofna notandaaðgang" + "create_account_title": "Stofna notandaaðgang", + "failed_soft_logout_homeserver": "Tókst ekki að endurauðkenna vegna vandamála með heimaþjón", + "soft_logout_subheading": "Hreinsa persónuleg gögn", + "forgot_password_send_email": "Senda tölvupóst" }, "room_list": { "sort_unread_first": "Birta spjallrásir með ólesnum skilaboðum fyrst", @@ -3099,7 +3015,23 @@ "notification_options": "Valkostir tilkynninga", "failed_set_dm_tag": "Ekki tókst að stilla merki um bein skilaboð", "failed_remove_tag": "Mistókst að fjarlægja merkið %(tagName)s af spjallrás", - "failed_add_tag": "Mistókst að bæta merkinu %(tagName)s á spjallrás" + "failed_add_tag": "Mistókst að bæta merkinu %(tagName)s á spjallrás", + "breadcrumbs_label": "Nýlega skoðaðar spjallrásir", + "breadcrumbs_empty": "Engar nýlega skoðaðar spjallrásir", + "add_room_label": "Bæta við spjallrás", + "suggested_rooms_heading": "Tillögur að spjallrásum", + "add_space_label": "Bæta við svæði", + "join_public_room_label": "Taka þátt í almenningsspjallrás", + "joining_rooms_status": { + "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" + }, + "redacting_messages_status": { + "one": "Er núna að fjarlægja skilaboð í %(count)s spjallrás", + "other": "Er núna að fjarlægja skilaboð í %(count)s spjallrásum" + }, + "space_menu_label": "Valmynd %(spaceName)s", + "home_menu_label": "Valkostir forsíðu" }, "report_content": { "missing_reason": "Fylltu út skýringu á því hvers vegna þú ert að kæra.", @@ -3331,7 +3263,8 @@ "search_children": "Leita í %(spaceName)s", "invite_link": "Deila boðstengli", "invite": "Bjóða fólki", - "invite_description": "Bjóða með tölvupóstfangi eða notandanafni" + "invite_description": "Bjóða með tölvupóstfangi eða notandanafni", + "invite_this_space": "Bjóða inn á þetta svæði" }, "location_sharing": { "MapStyleUrlNotConfigured": "Heimaþjónninn er ekki stilltur til að birta landakort.", @@ -3379,7 +3312,8 @@ "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" + "lists_new_label": "Auðkenni spjallrásar eða vistfang bannlista", + "rules_empty": "Ekkert" }, "create_space": { "name_required": "Settu inn eitthvað nafn fyrir svæðið", @@ -3461,8 +3395,59 @@ "copy_link": "Afrita tengil spjallrásar", "low_priority": "Lítill forgangur", "forget": "Gleyma spjallrás", - "mark_read": "Merkja sem lesið" - } + "mark_read": "Merkja sem lesið", + "title": "Valkostir spjallrásar" + }, + "invite_this_room": "Bjóða inn á þessa spjallrás", + "header": { + "video_call_button_jitsi": "Myndsímtal (Jitsi)", + "video_call_button_ec": "Myndsímtal (%(brand)s)", + "video_call_ec_layout_freedom": "Frelsi", + "video_call_ec_layout_spotlight": "Í kastljósi", + "video_call_ec_change_layout": "Breyta framsetningu", + "forget_room_button": "Gleyma spjallrás", + "hide_widgets_button": "Fela viðmótshluta", + "show_widgets_button": "Sýna viðmótshluta", + "close_call_button": "Loka samtali", + "video_room_view_chat_button": "Skoða tímalínu spjalls" + }, + "joining": "Geng í hópinn…", + "join_title": "Taka þátt í spjallrás", + "join_title_account": "Taktu þátt í samtalinu með notandaaðgangi", + "join_button_account": "Nýskrá", + "loading_preview": "Hleð inn forskoðun", + "kicked_from_room_by": "Þú hefur verið fjarlægð/ur á %(roomName)s af %(memberName)s", + "kicked_by": "Þú hefur verið fjarlægð/ur af %(memberName)s", + "kick_reason": "Ástæða: %(reason)s", + "forget_space": "Gleyma þessu svæði", + "forget_room": "Gleyma þessari spjallrás", + "rejoin_button": "Taka þátt aftur", + "banned_from_room_by": "Þú hefur verið settur í bann á %(roomName)s af %(memberName)s", + "banned_by": "Þú hefur verið settur í bann af %(memberName)s", + "3pid_invite_error_title_room": "Eitthvað fór úrskeiðis varðandi boðið þitt á %(roomName)s", + "3pid_invite_error_title": "Eitthvað fór úrskeiðis varðandi boðið þitt.", + "3pid_invite_error_invite_action": "Reyna samt að taka þátt", + "3pid_invite_error_public_subtitle": "Þú getur samt tekið þátt hér.", + "join_the_discussion": "Taktu þátt í umræðunni", + "3pid_invite_email_not_found_account_room": "Þetta boð í %(roomName)s var sent til %(email)s sem er ekki tengt notandaaðgangnum þínum", + "3pid_invite_email_not_found_account": "Þetta boð var sent til %(email)s sem er ekki tengt notandaaðgangnum þínum", + "invite_sent_to_email_room": "Þetta boð í %(roomName)s var sent til %(email)s", + "invite_sent_to_email": "Þetta boð var sent til %(email)s", + "dm_invite_title": "Viltu spjalla við %(user)s?", + "dm_invite_subtitle": " langar til að spjalla", + "dm_invite_action": "Hefja spjall", + "invite_title": "Viltu taka þátt í %(roomName)s?", + "invite_subtitle": " bauð þér", + "invite_reject_ignore": "Hafna og hunsa notanda", + "peek_join_prompt": "Þú ert að forskoða %(roomName)s. Viltu taka þátt í henni?", + "no_peek_join_prompt": "Ekki er hægt að forskoða %(roomName)s. Viltu taka þátt í henni?", + "not_found_title_name": "%(roomName)s er ekki til.", + "not_found_title": "Þessi spjallrás eða svæði er ekki til.", + "not_found_subtitle": "Ertu viss um að þú sért á réttum stað?", + "inaccessible_name": "%(roomName)s er ekki aðgengileg í augnablikinu.", + "inaccessible": "Þessi spjallrás eða svæði er ekki aðgengilegt í augnablikinu.", + "inaccessible_subtitle_1": "Prófaðu aftur síðar, eða spurðu einhvern stjórnanda spjallrásar eða svæðis hvort þú hafir aðgang.", + "join_failed_needs_invite": "Til að skoða %(roomName)s þarftu boð" }, "file_panel": { "guest_note": "Þú verður að skrá þig til að geta notað þennan eiginleika", @@ -3600,7 +3585,13 @@ "keyword_new": "Nýtt stikkorð", "class_global": "Víðvært", "class_other": "Annað", - "mentions_keywords": "Tilvísanir og stikkorð" + "mentions_keywords": "Tilvísanir og stikkorð", + "default": "Sjálfgefið", + "all_messages": "Öll skilaboð", + "all_messages_description": "Fáðu tilkynningu fyrir öll skilaboð", + "mentions_and_keywords": "@minnst á og stikkorð", + "mute_description": "Þú munt ekki fá neinar tilkynningar", + "message_didnt_send": "Mistókst að senda skilaboð. Smelltu til að fá nánari upplýsingar." }, "mobile_guide": { "toast_title": "Notaðu smáforritið til að njóta betur reynslunnar", @@ -3624,6 +3615,42 @@ "a11y_jump_first_unread_room": "Fara í fyrstu ólesnu spjallrásIna.", "integration_manager": { "error_connecting_heading": "Get ekki tengst samþættingarstýringu", - "error_connecting": "Samþættingarstýringin er ekki nettengd og nær ekki að tengjast heimaþjóninum þínum." + "error_connecting": "Samþættingarstýringin er ekki nettengd og nær ekki að tengjast heimaþjóninum þínum.", + "use_im_default": "Notaðu samþættingarstýringu (%(serverName)s) til að stýra vélmennum, viðmótshlutum og límmerkjapökkum.", + "use_im": "Notaðu samþættingarstýringu til að stýra vélmennum, viðmótshlutum og límmerkjapökkum.", + "manage_title": "Sýsla með samþættingar", + "explainer": "Samþættingarstýringar taka við stillingagögnum og geta breytt viðmótshlutum, sent boð í spjallrásir, auk þess að geta úthlutað völdum fyrir þína hönd." + }, + "identity_server": { + "url_not_https": "Slóð á auðkennisþjón verður að vera HTTPS", + "error_invalid": "Ekki gildur auðkennisþjónn (stöðukóði %(code)s)", + "error_connection": "Gat ekki tengst við auðkennisþjón", + "checking": "Athuga með þjón", + "change": "Skipta um auðkennisþjón", + "change_prompt": "Aftengjast frá auðkennisþjóninum og tengjast í staðinn við ?", + "error_invalid_or_terms": "Þjónustuskilmálar eru ekki samþykktir eða að auðkennisþjónn er ógildur.", + "no_terms": "Auðkennisþjónninn sem þú valdir er ekki með neina þjónustuskilmála.", + "disconnect": "Aftengja auðkennisþjón", + "disconnect_server": "Aftengjast frá auðkennisþjóni ?", + "suggestions": "Þú ættir:", + "suggestions_1": "að yfirfara vafraviðbæturnar þínar ef vera kynni að einhverjar þeirra loki á auðkenningarþjóninn (eins og t.d. Privacy Badger)", + "suggestions_2": "að hafa samband við stjórnendur auðkennisþjónsins ", + "suggestions_3": "bíða og reyna aftur síðar", + "disconnect_anyway": "Aftengja samt", + "disconnect_personal_data_warning_1": "Þú ert áfram að deila persónulegum gögnum á auðkenningarþjóninum .", + "disconnect_personal_data_warning_2": "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.", + "url": "Auðkennisþjónn (%(server)s)", + "description_connected": "Þú ert núna að nota til að uppgötva og vera finnanleg/ur fyrir þá tengiliði sem þú þekkir. Þú getur breytt auðkennisþjóninum hér fyrir neðan.", + "change_server_prompt": "Ef þú vilt ekki nota til að uppgötva og vera finnanleg/ur fyrir þá tengiliði sem þú þekkir, skaltu setja inn annan auðkennisþjón hér fyrir neðan.", + "description_disconnected": "Þú ert núna ekki að nota neinn auðkennisþjón. Til að uppgötva og vera finnanleg/ur fyrir þá tengiliði sem þú þekkir, skaltu bæta við auðkennisþjóni hér fyrir neðan.", + "disconnect_warning": "Ef þú aftengist frá auðkennisþjóninum þínum, munu aðrir notendur ekki geta fundið þig og þú munt ekki geta boðið öðrum með símanúmeri eða tölvupósti.", + "description_optional": "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.", + "do_not_use": "Ekki nota auðkennisþjón", + "url_field_label": "Settu inn nýjan auðkennisþjón" + }, + "member_list": { + "invited_list_heading": "Boðið", + "filter_placeholder": "Sía meðlimi spjallrásar", + "power_label": "%(userName)s (með völd sem %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/it.json b/src/i18n/strings/it.json index 6affd93341..72c6a434bb 100644 --- a/src/i18n/strings/it.json +++ b/src/i18n/strings/it.json @@ -2,11 +2,7 @@ "Failed to forget room %(errCode)s": "Impossibile dimenticare la stanza %(errCode)s", "unknown error code": "codice errore sconosciuto", "Create new room": "Crea una nuova stanza", - "Failed to change password. Is your password correct?": "Modifica password fallita. La tua password è corretta?", "Admin Tools": "Strumenti di amministrazione", - "No Microphones detected": "Nessun Microfono rilevato", - "No Webcams detected": "Nessuna Webcam rilevata", - "Authentication": "Autenticazione", "Warning!": "Attenzione!", "Sun": "Dom", "Mon": "Lun", @@ -32,30 +28,20 @@ "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s", - "Rooms": "Stanze", "Unnamed room": "Stanza senza nome", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s", - "Default": "Predefinito", "Restricted": "Limitato", "Moderator": "Moderatore", - "Reason": "Motivo", "Send": "Invia", - "Incorrect verification code": "Codice di verifica sbagliato", - "Failed to set display name": "Impostazione nome visibile fallita", "Failed to ban user": "Ban utente fallito", "Failed to mute user": "Impossibile silenziare l'utente", "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.": "Non potrai annullare questa modifica dato che ti stai declassando, se sei l'ultimo utente privilegiato nella stanza sarà impossibile ottenere di nuovo i privilegi.", "Are you sure?": "Sei sicuro?", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Non potrai annullare questa modifica dato che stai promuovendo l'utente al tuo stesso grado.", - "Unignore": "Non ignorare più", "and %(count)s others...": { "other": "e altri %(count)s ...", "one": "e un altro..." }, - "Invited": "Invitato/a", - "Filter room members": "Filtra membri della stanza", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (poteri %(powerLevelNumber)s)", - "You do not have permission to post to this room": "Non hai il permesso di inviare in questa stanza", "%(duration)ss": "%(duration)ss", "%(duration)sm": "%(duration)sm", "%(duration)sh": "%(duration)so", @@ -65,14 +51,7 @@ "one": "(~%(count)s risultato)" }, "Join Room": "Entra nella stanza", - "Forget room": "Dimentica la stanza", - "Low priority": "Bassa priorità", - "Historical": "Cronologia", "Jump to read receipt": "Salta alla ricevuta di lettura", - "%(roomName)s does not exist.": "%(roomName)s non esiste.", - "%(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", "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", @@ -96,16 +75,11 @@ "other": "E altri %(count)s ..." }, "Confirm Removal": "Conferma la rimozione", - "Deactivate Account": "Disattiva l'account", "An error has occurred.": "Si è verificato un errore.", "Unable to restore session": "Impossibile ripristinare la sessione", "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 hai usato precedentemente una versione più recente di %(brand)s, la tua sessione potrebbe essere incompatibile con questa versione. Chiudi questa finestra e torna alla versione più recente.", - "Invalid Email Address": "Indirizzo email non valido", - "This doesn't appear to be a valid email address": "Questo non sembra essere un indirizzo email valido", "Verification Pending": "In attesa di verifica", "Please check your email and click on the link it contains. Once this is done, click continue.": "Controlla la tua email e clicca il link contenuto. Una volta fatto, clicca continua.", - "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.", "Reject invitation": "Rifiuta l'invito", "Are you sure you want to reject the invitation?": "Sei sicuro di volere rifiutare l'invito?", @@ -128,21 +102,10 @@ "one": "Invio di %(filename)s e altri %(count)s" }, "Uploading %(filename)s": "Invio di %(filename)s", - "Unable to remove contact information": "Impossibile rimuovere le informazioni di contatto", "A new password must be entered.": "Deve essere inserita una nuova password.", "New passwords must match each other.": "Le nuove password devono coincidere.", "Return to login screen": "Torna alla schermata di accesso", "Session ID": "ID sessione", - "Passphrases must match": "Le password devono coincidere", - "Passphrase must not be empty": "La password non può essere vuota", - "Export room keys": "Esporta chiavi della stanza", - "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.": "Questa procedura ti permette di esportare in un file locale le chiavi per i messaggi che hai ricevuto nelle stanze criptate. Potrai poi importare il file in un altro client Matrix in futuro, in modo che anche quel client possa decifrare quei messaggi.", - "Enter passphrase": "Inserisci password", - "Confirm passphrase": "Conferma password", - "Import room keys": "Importa chiavi della stanza", - "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.": "Questa procedura ti permette di importare le chiavi di crittografia precedentemente esportate da un altro client Matrix. Potrai poi decifrare tutti i messaggi che quel client poteva decifrare.", - "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Il file esportato sarà protetto da una password. Dovresti inserire la password qui, per decifrarlo.", - "File to import": "File da importare", "You don't currently have any stickerpacks enabled": "Non hai ancora alcun pacchetto di adesivi attivato", "Sunday": "Domenica", "Today": "Oggi", @@ -160,8 +123,6 @@ "All Rooms": "Tutte le stanze", "Wednesday": "Mercoledì", "You cannot delete this message. (%(code)s)": "Non puoi eliminare questo messaggio. (%(code)s)", - "All messages": "Tutti i messaggi", - "Invite to this room": "Invita in questa stanza", "Thursday": "Giovedì", "Logs sent": "Log inviati", "Yesterday": "Ieri", @@ -171,7 +132,6 @@ "Clear Storage and Sign Out": "Elimina l'archiviazione e disconnetti", "Send Logs": "Invia i log", "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.", - "Replying": "Rispondere", "Share Link to User": "Condividi link utente", "Share room": "Condividi stanza", "Share Room": "Condividi stanza", @@ -179,9 +139,6 @@ "Share User": "Condividi utente", "Share Room Message": "Condividi messaggio stanza", "Link to selected message": "Link al messaggio selezionato", - "No Audio Outputs detected": "Nessuna uscita audio rilevata", - "Audio Output": "Uscita audio", - "Permission Required": "Permesso richiesto", "This event could not be displayed": "Questo evento non può essere mostrato", "Demote yourself?": "Vuoi declassarti?", "Demote": "Declassa", @@ -194,8 +151,6 @@ "Put a link back to the old room at the start of the new room so people can see old messages": "Inseriremo un link alla vecchia stanza all'inizio della di quella nuova in modo che la gente possa vedere i messaggi precedenti", "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.": "Il tuo messaggio non è stato inviato perché questo homeserver ha raggiunto il suo limite di utenti attivi mensili. Contatta l'amministratore del servizio per continuare ad usarlo.", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Il tuo messaggio non è stato inviato perché questo homeserver ha oltrepassato un limite di risorse. Contatta l'amministratore del servizio per continuare ad usarlo.", - "This room has been replaced and is no longer active.": "Questa stanza è stata sostituita e non è più attiva.", - "The conversation continues here.": "La conversazione continua qui.", "Failed to upgrade room": "Aggiornamento stanza fallito", "The room upgrade could not be completed": "Non è stato possibile completare l'aggiornamento della stanza", "Upgrade this room to version %(version)s": "Aggiorna questa stanza alla versione %(version)s", @@ -215,18 +170,10 @@ "No backup found!": "Nessun backup trovato!", "Failed to decrypt %(failedCount)s sessions!": "Decifrazione di %(failedCount)s sessioni fallita!", "Invalid homeserver discovery response": "Risposta della ricerca homeserver non valida", - "That matches!": "Corrisponde!", - "That doesn't match.": "Non corrisponde.", - "Go back to set it again.": "Torna per reimpostare.", - "Unable to create key backup": "Impossibile creare backup della chiave", "Set up": "Imposta", "Invalid identity server discovery response": "Risposta non valida cercando server di identità", "General failure": "Guasto generale", "Unable to load commit detail: %(msg)s": "Caricamento dettagli del commit fallito: %(msg)s", - "New Recovery Method": "Nuovo metodo di recupero", - "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.": "Se non hai impostato il nuovo metodo di recupero, un aggressore potrebbe tentare di accedere al tuo account. Cambia la password del tuo account e imposta immediatamente un nuovo metodo di recupero nelle impostazioni.", - "Set up Secure Messages": "Imposta i messaggi sicuri", - "Go to Settings": "Vai alle impostazioni", "The following users may not exist": "I seguenti utenti potrebbero non esistere", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Impossibile trovare profili per gli ID Matrix elencati sotto - vuoi comunque invitarli?", "Invite anyway and never warn me again": "Invitali lo stesso e non avvisarmi più", @@ -293,23 +240,9 @@ "Anchor": "Ancora", "Headphones": "Auricolari", "Folder": "Cartella", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Ti abbiamo inviato un'email per verificare il tuo indirizzo. Segui le istruzioni contenute e poi clicca il pulsante sotto.", - "Email Address": "Indirizzo email", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "I messaggi cifrati sono resi sicuri con una crittografia end-to-end. Solo tu e il/i destinatario/i avete le chiavi per leggere questi messaggi.", "Back up your keys before signing out to avoid losing them.": "Fai una copia delle tue chiavi prima di disconnetterti per evitare di perderle.", "Start using Key Backup": "Inizia ad usare il backup chiavi", - "Unable to verify phone number.": "Impossibile verificare il numero di telefono.", - "Verification code": "Codice di verifica", - "Phone Number": "Numero di telefono", - "Email addresses": "Indirizzi email", - "Phone numbers": "Numeri di telefono", - "Account management": "Gestione account", - "Ignored users": "Utenti ignorati", - "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", - "Room information": "Informazioni stanza", - "Room Addresses": "Indirizzi stanza", "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", @@ -331,10 +264,6 @@ "Couldn't load page": "Caricamento pagina fallito", "Could not load user profile": "Impossibile caricare il profilo utente", "Your password has been reset.": "La tua password è stata reimpostata.", - "Your keys are being backed up (the first backup could take a few minutes).": "Il backup delle chiavi è in corso (il primo backup potrebbe richiedere qualche minuto).", - "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.", "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", @@ -342,21 +271,6 @@ "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", - "Join the conversation with an account": "Unisciti alla conversazione con un account", - "Sign Up": "Registrati", - "Reason: %(reason)s": "Motivo: %(reason)s", - "Forget this room": "Dimentica questa stanza", - "Re-join": "Rientra", - "You were banned from %(roomName)s by %(memberName)s": "Sei stato bandito da %(roomName)s da %(memberName)s", - "Something went wrong with your invite to %(roomName)s": "Qualcosa è andato storto con il tuo invito a %(roomName)s", - "You can only join it with a working invite.": "Puoi unirti solo con un invito valido.", - "Join the discussion": "Unisciti alla discussione", - "Try to join anyway": "Prova ad unirti comunque", - "Do you want to chat with %(user)s?": "Vuoi chattare con %(user)s?", - "Do you want to join %(roomName)s?": "Vuoi unirti a %(roomName)s?", - " invited you": " ti ha invitato/a", - "You're previewing %(roomName)s. Want to join it?": "Stai vedendo l'anteprima di %(roomName)s. Vuoi unirti?", - "%(roomName)s can't be previewed. Do you want to join it?": "Anteprima di %(roomName)s non disponibile. Vuoi unirti?", "This room has already been upgraded.": "Questa stanza è già stata aggiornata.", "edited": "modificato", "Edit message": "Modifica messaggio", @@ -378,17 +292,11 @@ "Cancel All": "Annulla tutto", "Upload Error": "Errore di invio", "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", "Invalid base_url for m.homeserver": "Base_url per m.homeserver non valido", "Homeserver URL does not appear to be a valid Matrix homeserver": "L'URL dell'homeserver non sembra essere un homeserver Matrix valido", "Invalid base_url for m.identity_server": "Base_url per m.identity_server non valido", "Identity server URL does not appear to be a valid identity server": "L'URL del server di identità non sembra essere un server di identità valido", - "Uploaded sound": "Suono inviato", - "Sounds": "Suoni", - "Notification sound": "Suoni di notifica", - "Set a new custom sound": "Imposta un nuovo suono personalizzato", - "Browse": "Sfoglia", "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", @@ -398,55 +306,15 @@ "Clear all data": "Elimina tutti i dati", "Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Per favore dicci cos'è andato storto, o meglio, crea una segnalazione su GitHub che descriva il problema.", "Removing…": "Rimozione…", - "Failed to re-authenticate due to a homeserver problem": "Riautenticazione fallita per un problema dell'homeserver", - "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", - "Checking server": "Controllo del server", - "Disconnect from the identity server ?": "Disconnettere dal server di identità ?", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Stai attualmente usando per trovare ed essere trovabile dai contatti esistenti che conosci. Puoi cambiare il tuo server di identità sotto.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Attualmente non stai usando un server di identità. Per trovare ed essere trovabile dai contatti esistenti che conosci, aggiungine uno sotto.", - "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.": "La disconnessione dal tuo server di identità significa che non sarai trovabile da altri utenti e non potrai invitare nessuno per email o telefono.", - "Discovery": "Scopri", "Deactivate account": "Disattiva account", - "Unable to revoke sharing for email address": "Impossibile revocare la condivisione dell'indirizzo email", - "Unable to share email address": "Impossibile condividere l'indirizzo email", - "Discovery options will appear once you have added an email above.": "Le opzioni di scoperta appariranno dopo aver aggiunto un'email sopra.", - "Unable to revoke sharing for phone number": "Impossibile revocare la condivisione del numero di telefono", - "Unable to share phone number": "Impossibile condividere il numero di telefono", - "Please enter verification code sent via text.": "Inserisci il codice di verifica inviato via SMS.", - "Discovery options will appear once you have added a phone number above.": "Le opzioni di scoperta appariranno dopo aver aggiunto un numero di telefono sopra.", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "È stato inviato un SMS a +%(msisdn)s. Inserisci il codice di verifica contenuto.", "Command Help": "Aiuto comando", - "The identity server you have chosen does not have any terms of service.": "Il server di identità che hai scelto non ha alcuna condizione di servizio.", - "Terms of service not accepted or the identity server is invalid.": "Condizioni di servizio non accettate o server di identità non valido.", - "Enter a new identity server": "Inserisci un nuovo server di identità", - "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Accetta le condizioni di servizio del server di identità (%(serverName)s) per poter essere trovabile tramite indirizzo email o numero di telefono.", - "Remove %(email)s?": "Rimuovere %(email)s?", - "Remove %(phone)s?": "Rimuovere %(phone)s?", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Se non vuoi usare per trovare ed essere trovato dai contatti esistenti che conosci, inserisci un altro server di identità qua sotto.", - "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.": "Usare un server di identità è facoltativo. Se scegli di non usarne uno, non potrai essere trovato dagli altri utenti e non potrai invitarne altri per email o telefono.", - "Do not use an identity server": "Non usare un server di identità", "Deactivate user?": "Disattivare l'utente?", "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?": "Disattivare questo utente lo disconnetterà e ne impedirà nuovi accessi. In aggiunta, abbandonerà tutte le stanze in cui è presente. Questa azione non può essere annullata. Sei sicuro di volere disattivare questo utente?", "Deactivate user": "Disattiva utente", "Use an identity server to invite by email. Use the default (%(defaultIdentityServerName)s) or manage in Settings.": "Usa un server d'identità per invitare via email. Usa quello predefinito (%(defaultIdentityServerName)s) o gestiscilo nelle impostazioni.", "Use an identity server to invite by email. Manage in Settings.": "Usa un server di identità per invitare via email. Gestisci nelle impostazioni.", - "Error changing power level": "Errore cambiando il livello di poteri", - "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Si è verificato un errore cambiando il livello di poteri dell'utente. Assicurati di averne l'autorizzazione e riprova.", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Questo invito per %(roomName)s è stato inviato a %(email)s , la quale non è associata al tuo account", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Collega questa email al tuo account nelle impostazioni per ricevere inviti direttamente in %(brand)s.", - "This invite to %(roomName)s was sent to %(email)s": "Questo invito per %(roomName)s è stato inviato a %(email)s", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Usa un server di identià nelle impostazioni per ricevere inviti direttamente in %(brand)s.", - "Share this email in Settings to receive invites directly in %(brand)s.": "Condividi questa email nelle impostazioni per ricevere inviti direttamente in %(brand)s.", - "Change identity server": "Cambia server d'identità", - "Disconnect from the identity server and connect to instead?": "Disconnettersi dal server d'identità e connettesi invece a ?", - "Disconnect identity server": "Disconnetti dal server d'identità", - "You are still sharing your personal data on the identity server .": "Stai ancora fornendo le tue informazioni personali sul server d'identità .", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Ti suggeriamo di rimuovere il tuo indirizzo email e numero di telefono dal server d'identità prima di disconnetterti.", - "Disconnect anyway": "Disconnetti comunque", - "Error changing power level requirement": "Errore nella modifica del livello dei permessi", - "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "C'é stato un errore nel cambio di libelli dei permessi. Assicurati di avere i permessi necessari e riprova.", "No recent messages by %(user)s found": "Non sono stati trovati messaggi recenti dell'utente %(user)s", "Try scrolling up in the timeline to see if there are any earlier ones.": "Prova a scorrere la linea temporale per vedere se ce ne sono di precedenti.", "Remove recent messages by %(user)s": "Rimuovi gli ultimi messaggi di %(user)s", @@ -456,25 +324,13 @@ "one": "Rimuovi 1 messaggio" }, "Remove recent messages": "Rimuovi i messaggi recenti", - "Italics": "Corsivo", - "Verify the link in your inbox": "Verifica il link nella tua posta in arrivo", "e.g. my-room": "es. mia-stanza", "Close dialog": "Chiudi finestra", - "Explore rooms": "Esplora stanze", "Show image": "Mostra immagine", - "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.", - "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)", - "contact the administrators of identity server ": "contattare l'amministratore del server di identità ", - "wait and try again later": "attendere e riprovare più tardi", "Failed to deactivate user": "Disattivazione utente fallita", "This client does not support end-to-end encryption.": "Questo client non supporta la crittografia end-to-end.", "Messages in this room are not end-to-end encrypted.": "I messaggi in questa stanza non sono cifrati end-to-end.", "Cancel search": "Annulla ricerca", - "Room %(name)s": "Stanza %(name)s", - "None": "Nessuno", "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", @@ -490,7 +346,6 @@ "Failed to connect to integration manager": "Connessione al gestore di integrazioni fallita", "Integrations are disabled": "Le integrazioni sono disattivate", "Integrations not allowed": "Integrazioni non permesse", - "Manage integrations": "Gestisci integrazioni", "Verification Request": "Richiesta verifica", "Unencrypted": "Non criptato", "Upgrade private room": "Aggiorna stanza privata", @@ -498,15 +353,11 @@ "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 .", - " wants to chat": " vuole chattare", - "Start chatting": "Inizia a chattare", "Hide verified sessions": "Nascondi sessioni verificate", "%(count)s verified sessions": { "other": "%(count)s sessioni verificate", "one": "1 sessione verificata" }, - "Unable to set up secret storage": "Impossibile impostare un archivio segreto", - "Close preview": "Chiudi anteprima", "Language Dropdown": "Lingua a tendina", "Country Dropdown": "Nazione a tendina", "Recent Conversations": "Conversazioni recenti", @@ -523,13 +374,7 @@ "Start Verification": "Inizia la verifica", "This room is end-to-end encrypted": "Questa stanza è cifrata end-to-end", "Everyone in this room is verified": "Tutti in questa stanza sono verificati", - "Reject & Ignore user": "Rifiuta e ignora l'utente", - "Enter your account password to confirm the upgrade:": "Inserisci la password del tuo account per confermare l'aggiornamento:", - "You'll need to authenticate with the server to confirm the upgrade.": "Dovrai autenticarti con il server per confermare l'aggiornamento.", - "Upgrade your encryption": "Aggiorna la tua crittografia", "This backup is trusted because it has been restored on this session": "Questo backup è fidato perchè è stato ripristinato in questa sessione", - "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", "This user has not verified all of their sessions.": "Questo utente non ha verificato tutte le sue sessioni.", "You have not verified this user.": "Non hai verificato questo utente.", "You have verified this user. This user has verified all of their sessions.": "Hai verificato questo utente. Questo utente ha verificato tutte le sue sessioni.", @@ -560,11 +405,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.", - "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", - "This session is encrypting history using the new recovery method.": "Questa sessione sta cifrando la cronologia usando il nuovo metodo di recupero.", - "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.": "Se l'hai fatto accidentalmente, puoi configurare Messaggi Sicuri su questa sessione che cripterà nuovamente la cronologia dei messaggi con un nuovo metodo di recupero.", "Not Trusted": "Non fidato", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) ha fatto l'accesso con una nuova sessione senza verificarla:", "Ask this user to verify their session, or manually verify it below.": "Chiedi a questo utente di verificare la sua sessione o verificala manualmente sotto.", @@ -624,7 +464,6 @@ "Submit logs": "Invia registri", "Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Promemoria: il tuo browser non è supportato, perciò la tua esperienza può essere imprevedibile.", "Unable to upload": "Impossibile inviare", - "Unable to query secret storage status": "Impossibile rilevare lo stato dell'archivio segreto", "Restoring keys from backup": "Ripristino delle chiavi dal backup", "%(completed)s of %(total)s keys restored": "%(completed)s di %(total)s chiavi ripristinate", "Keys restored": "Chiavi ripristinate", @@ -647,30 +486,17 @@ "This address is available to use": "Questo indirizzo è disponibile per l'uso", "This address is already in use": "Questo indirizzo è già in uso", "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.": "Hai precedentemente usato una versione più recente di %(brand)s con questa sessione. Per usare ancora questa versione con la crittografia end to end, dovrai disconnetterti e riaccedere.", - "Use a different passphrase?": "Usare una password diversa?", "Your homeserver has exceeded its user limit.": "Il tuo homeserver ha superato il limite di utenti.", "Your homeserver has exceeded one of its resource limits.": "Il tuo homeserver ha superato uno dei suoi limiti di risorse.", "Ok": "Ok", - "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", - "No recently visited rooms": "Nessuna stanza visitata di recente", "Message preview": "Anteprima messaggio", - "Room options": "Opzioni stanza", "Looks good!": "Sembra giusta!", "The authenticity of this encrypted message can't be guaranteed on this device.": "L'autenticità di questo messaggio cifrato non può essere garantita su questo dispositivo.", "Wrong file type": "Tipo di file errato", "Security Phrase": "Frase di sicurezza", "Security Key": "Chiave di sicurezza", "Use your Security Key to continue.": "Usa la tua chiave di sicurezza per continuare.", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Proteggiti contro la perdita dell'accesso ai messaggi e dati cifrati facendo un backup delle chiavi crittografiche sul tuo server.", - "Generate a Security Key": "Genera una chiave di sicurezza", - "Enter a Security Phrase": "Inserisci una frase di sicurezza", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Usa una frase segreta che conosci solo tu e salva facoltativamente una chiave di sicurezza da usare come backup.", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Se annulli ora, potresti perdere i messaggi e dati cifrati in caso tu perda l'accesso ai tuoi login.", - "You can also set up Secure Backup & manage your keys in Settings.": "Puoi anche impostare il Backup Sicuro e gestire le tue chiavi nelle impostazioni.", - "Set a Security Phrase": "Imposta una frase di sicurezza", - "Confirm Security Phrase": "Conferma frase di sicurezza", - "Save your Security Key": "Salva la tua chiave di sicurezza", "This room is public": "Questa stanza è pubblica", "Edited at %(date)s": "Modificato il %(date)s", "Click to view edits": "Clicca per vedere le modifiche", @@ -686,7 +512,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", - "Explore public rooms": "Esplora stanze pubbliche", "Preparing to download logs": "Preparazione al download dei log", "Information": "Informazione", "Backup version:": "Versione backup:", @@ -711,8 +536,6 @@ "You can only pin up to %(count)s widgets": { "other": "Puoi ancorare al massimo %(count)s widget" }, - "Show Widgets": "Mostra i widget", - "Hide Widgets": "Nascondi i widget", "Data on this screen is shared with %(widgetDomain)s": "I dati in questa schermata vengono condivisi con %(widgetDomain)s", "Invite someone using their name, email address, username (like ) or share this room.": "Invita qualcuno usando il suo nome, indirizzo email, nome utente (come ) o condividi questa stanza.", "Start a conversation with someone using their name, email address or username (like ).": "Inizia una conversazione con qualcuno usando il suo nome, indirizzo email o nome utente (come ).", @@ -980,10 +803,6 @@ "A call can only be transferred to a single user.": "Una chiamata può essere trasferita solo ad un singolo utente.", "Open dial pad": "Apri tastierino", "Dial pad": "Tastierino", - "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Questa sessione ha rilevato che la tua password di sicurezza e la chiave per i messaggi sicuri sono state rimosse.", - "A new Security Phrase and key for Secure Messages have been detected.": "Sono state rilevate una nuova password di sicurezza e una chiave per i messaggi sicuri.", - "Confirm your Security Phrase": "Conferma password di sicurezza", - "Great! This Security Phrase looks strong enough.": "Ottimo! Questa password di sicurezza sembra abbastanza robusta.", "If you've forgotten your Security Key you can ": "Se hai dimenticato la tua chiave di sicurezza puoi ", "Access your secure message history and set up secure messaging by entering your Security Key.": "Accedi alla cronologia sicura dei messaggi e imposta la messaggistica sicura inserendo la tua chiave di sicurezza.", "Not a valid Security Key": "Chiave di sicurezza non valida", @@ -1003,7 +822,6 @@ "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", - "Recently visited rooms": "Stanze visitate di recente", "%(count)s members": { "one": "%(count)s membro", "other": "%(count)s membri" @@ -1017,14 +835,9 @@ "Create a new room": "Crea nuova stanza", "Space selection": "Selezione spazio", "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.": "Non potrai annullare questa modifica dato che ti stai declassando, se sei l'ultimo utente privilegiato nello spazio sarà impossibile riottenere il grado.", - "Suggested Rooms": "Stanze suggerite", - "Add existing room": "Aggiungi stanza esistente", - "Invite to this space": "Invita in questo spazio", "Your message was sent": "Il tuo messaggio è stato inviato", "Leave space": "Esci dallo spazio", "Create a space": "Crea uno spazio", - "Private space": "Spazio privato", - "Public space": "Spazio pubblico", " 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", @@ -1048,7 +861,6 @@ "Consult first": "Prima consulta", "Reset event store?": "Reinizializzare l'archivio eventi?", "Reset event store": "Reinizializza archivio eventi", - "Verify your identity to access encrypted messages and prove your identity to others.": "Verifica la tua identità per accedere ai messaggi cifrati e provare agli altri che sei tu.", "You are the only person here. If you leave, no one will be able to join in the future, including you.": "Sei l'unica persona qui. Se esci, nessuno potrà entrare in futuro, incluso te.", "If you reset everything, you will restart with no trusted sessions, no trusted users, and might not be able to see past messages.": "Se reimposti tutto, ricomincerai senza sessioni fidate, senza utenti fidati e potresti non riuscire a vedere i messaggi passati.", "Only do this if you have no other device to complete verification with.": "Fallo solo se non hai altri dispositivi con cui completare la verifica.", @@ -1067,8 +879,6 @@ "other": "Vedi tutti i %(count)s membri" }, "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.", "Want to add a new room instead?": "Vuoi invece aggiungere una nuova stanza?", "Adding rooms... (%(progress)s out of %(count)s)": { "one": "Aggiunta stanza...", @@ -1085,10 +895,6 @@ "You may contact me if you have any follow up questions": "Potete contattarmi se avete altre domande", "To leave the beta, visit your settings.": "Per abbandonare la beta, vai nelle impostazioni.", "Add reaction": "Aggiungi reazione", - "Currently joining %(count)s rooms": { - "one": "Stai entrando in %(count)s stanza", - "other": "Stai entrando in %(count)s stanze" - }, "Or send invite link": "O manda un collegamento di invito", "Some suggestions may be hidden for privacy.": "Alcuni suggerimenti potrebbero essere nascosti per privacy.", "Search for rooms or people": "Cerca stanze o persone", @@ -1099,29 +905,16 @@ "Pinned messages": "Messaggi ancorati", "Please provide an address": "Inserisci un indirizzo", "This space has no local addresses": "Questo spazio non ha indirizzi locali", - "Space information": "Informazioni spazio", - "Address": "Indirizzo", "Message search initialisation failed, check your settings for more information": "Inizializzazione ricerca messaggi fallita, controlla le impostazioni per maggiori informazioni", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Imposta gli indirizzi per questo spazio affinché gli utenti lo trovino attraverso il tuo homeserver (%(localDomain)s)", "To publish an address, it needs to be set as a local address first.": "Per pubblicare un indirizzo, deve prima essere impostato come indirizzo locale.", "Published addresses can be used by anyone on any server to join your room.": "Gli indirizzi pubblicati possono essere usati da chiunque su tutti i server per entrare nella tua stanza.", "Published addresses can be used by anyone on any server to join your space.": "Gli indirizzi pubblicati possono essere usati da chiunque su tutti i server per entrare nel tuo spazio.", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Il tuo %(brand)s non ti permette di usare il gestore di integrazioni per questa azione. Contatta un amministratore.", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "I gestori di integrazione ricevono dati di configurazione e possono modificare widget, inviare inviti alla stanza, assegnare permessi a tuo nome.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Usa un gestore di integrazioni per gestire bot, widget e pacchetti di adesivi.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Usa un gestore di integrazioni (%(serverName)s) per gestire bot, widget e pacchetti di adesivi.", - "Identity server (%(server)s)": "Server di identità (%(server)s)", - "Could not connect to identity server": "Impossibile connettersi al server di identità", - "Not a valid identity server (status code %(code)s)": "Non è un server di identità valido (codice di stato %(code)s)", - "Identity server URL must be HTTPS": "L'URL del server di identità deve essere HTTPS", "Unable to copy a link to the room to the clipboard.": "Impossibile copiare un collegamento alla stanza negli appunti.", "Unable to copy room link": "Impossibile copiare il link della stanza", "Unnamed audio": "Audio senza nome", "Error processing audio message": "Errore elaborazione messaggio audio", - "Show %(count)s other previews": { - "one": "Mostra %(count)s altra anteprima", - "other": "Mostra altre %(count)s anteprime" - }, "Error downloading audio": "Errore di scaricamento dell'audio", "Please note upgrading will make a new version of the room. All current messages will stay in this archived room.": "Nota che aggiornare creerà una nuova versione della stanza. Tutti i messaggi attuali resteranno in questa stanza archiviata.", "Automatically invite members from this room to the new one": "Invita automaticamente i membri da questa stanza a quella nuova", @@ -1133,7 +926,6 @@ "Select spaces": "Seleziona spazi", "You're removing all spaces. Access will default to invite only": "Stai rimuovendo tutti gli spazi. L'accesso tornerà solo su invito", "User Directory": "Elenco utenti", - "Public room": "Stanza pubblica", "The call is in an unknown state!": "La chiamata è in uno stato sconosciuto!", "Call back": "Richiama", "No answer": "Nessuna risposta", @@ -1141,7 +933,6 @@ "Their device couldn't start the camera or microphone": "Il suo dispositivo non ha potuto avviare la fotocamera o il microfono", "Connection failed": "Connessione fallita", "Could not connect media": "Connessione del media fallita", - "Add space": "Aggiungi spazio", "Leave %(spaceName)s": "Esci da %(spaceName)s", "You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Sei l'unico amministratore di alcune delle stanze o spazi che vuoi abbandonare. Se esci li lascerai senza amministratori.", "You're the only admin of this space. Leaving it will mean no one has control over it.": "Sei l'unico amministratore di questo spazio. Se esci nessuno ne avrà il controllo.", @@ -1169,21 +960,12 @@ "Results": "Risultati", "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", - "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?", "You are about to leave .": "Stai per uscire da .", "Leave some rooms": "Esci da alcune stanze", "Leave all rooms": "Esci da tutte le stanze", "Don't leave any rooms": "Non uscire da alcuna stanza", - "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.": "La reimpostazione delle chiavi di verifica non può essere annullata. Dopo averlo fatto, non avrai accesso ai vecchi messaggi cifrati, e gli amici che ti avevano verificato in precedenza vedranno avvisi di sicurezza fino a quando non ti ri-verifichi con loro.", - "I'll verify later": "Verificherò dopo", - "Verify with Security Key": "Verifica con chiave di sicurezza", - "Verify with Security Key or Phrase": "Verifica con chiave di sicurezza o frase", - "Proceed with reset": "Procedi con la reimpostazione", - "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.": "Pare che tu non abbia una chiave di sicurezza o altri dispositivi con cui poterti verificare. Questo dispositivo non potrà accedere ai vecchi messaggi cifrati. Per potere verificare la tua ideintità su questo dispositivo, dovrai reimpostare le chiavi di verifica.", "Skip verification for now": "Salta la verifica per adesso", "Really reset verification keys?": "Reimpostare le chiavi di verifica?", "MB": "MB", @@ -1206,29 +988,18 @@ "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", "Joined": "Entrato/a", - "Insert link": "Inserisci collegamento", "Joining": "Entrata in corso", - "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Conserva la chiave di sicurezza in un posto sicuro, come in un gestore di password o in una cassaforte, dato che è usata per proteggere i tuoi dati cifrati.", - "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.", "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", "Yours, or the other users' internet connection": "La tua connessione internet o quella degli altri utenti", "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.", - "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", "Reply in thread": "Rispondi nella conversazione", "Forget": "Dimentica", "Files": "File", - "You won't get any notifications": "Non riceverai alcuna notifica", - "Get notified only with mentions and keywords as set up in your settings": "Ricevi notifiche solo per citazioni e parole chiave come configurato nelle tue impostazioni", - "@mentions & keywords": "@citazioni e parole chiave", - "Get notified for every message": "Ricevi notifiche per ogni messaggio", - "Get notifications as set up in your settings": "Ricevi notifiche come configurato nelle tue impostazioni", "Close this widget to view it in this panel": "Chiudi questo widget per vederlo in questo pannello", "Unpin this widget to view it in this panel": "Sblocca questo widget per vederlo in questo pannello", "Based on %(count)s votes": { @@ -1252,12 +1023,6 @@ "Moderation": "Moderazione", "Spaces you know that contain this space": "Spazi di cui sai che contengono questo spazio", "Chat": "Chat", - "Home options": "Opzioni pagina iniziale", - "%(spaceName)s menu": "Menu di %(spaceName)s", - "Join public room": "Entra nella stanza pubblica", - "Add people": "Aggiungi persone", - "Invite to space": "Invita nello spazio", - "Start new chat": "Inizia nuova chat", "%(count)s votes cast. Vote to see the results": { "one": "%(count)s voto. Vota per vedere i risultati", "other": "%(count)s voti. Vota per vedere i risultati" @@ -1290,9 +1055,6 @@ "Missing room name or separator e.g. (my-room:domain.org)": "Nome o separatore della stanza mancante, es. (mia-stanza:dominio.org)", "Missing domain separator e.g. (:domain.org)": "Separatore del dominio mancante, es. (:dominio.org)", "toggle event": "commuta evento", - "Your new device is now verified. Other users will see it as trusted.": "Il tuo nuovo dispositivo è ora verificato. Gli altri utenti lo vedranno come fidato.", - "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Il tuo nuovo dispositivo ora è verificato. Ha accesso ai messaggi cifrati e gli altri utenti lo vedranno come fidato.", - "Verify with another device": "Verifica con un altro dispositivo", "Device verified": "Dispositivo verificato", "Verify this device": "Verifica questo dispositivo", "Unable to verify this device": "Impossibile verificare questo dispositivo", @@ -1307,7 +1069,6 @@ "Remove them from specific things I'm able to": "Rimuovilo da cose specifiche dove posso farlo", "Remove them from everything I'm able to": "Rimuovilo da ovunque io possa farlo", "Remove from %(roomName)s": "Rimuovi da %(roomName)s", - "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", "Pick a date to jump to": "Scegli una data in cui saltare", @@ -1316,9 +1077,6 @@ "Wait!": "Aspetta!", "This address does not point at this room": "Questo indirizzo non punta a questa stanza", "Location": "Posizione", - "Poll": "Sondaggio", - "Voice Message": "Messaggio vocale", - "Hide stickers": "Nascondi gli adesivi", "Use to scroll": "Usa per scorrere", "Feedback sent! Thanks, we appreciate it!": "Opinione inviata! Grazie, lo apprezziamo!", "%(space1Name)s and %(space2Name)s": "%(space1Name)s e %(space2Name)s", @@ -1347,34 +1105,13 @@ "other": "Stai per rimuovere %(count)s messaggi di %(user)s. Verranno rimossi permanentemente per chiunque nella conversazione. Vuoi continuare?" }, "%(displayName)s's live location": "Posizione in tempo reale di %(displayName)s", - "Currently removing messages in %(count)s rooms": { - "one": "Rimozione di messaggi in corso in %(count)s stanza", - "other": "Rimozione di messaggi in corso in %(count)s stanze" - }, "Unsent": "Non inviato", "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.": "Puoi usare le opzioni server personalizzate per accedere ad altri server Matrix specificando un URL homeserver diverso. Ciò ti permette di usare %(brand)s con un account Matrix esistente su un homeserver differente.", - "%(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 si è verificato tentando di accedere alla stanza o spazio. Se pensi che tu stia vedendo questo messaggio per errore, invia una segnalazione.", - "Try again later, or ask a room or space admin to check if you have access.": "Riprova più tardi, o chiedi ad un admin della stanza o spazio di controllare se hai l'accesso.", - "This room or space is not accessible at this time.": "Questa stanza o spazio non è al momento accessibile.", - "Are you sure you're at the right place?": "Sei sicuro di essere nel posto giusto?", - "This room or space does not exist.": "Questa stanza o spazio non esiste.", - "There's no preview, would you like to join?": "Non c'è un'anteprima, vuoi entrare?", - "This invite was sent to %(email)s": "Questo invito è stato inviato a %(email)s", - "This invite was sent to %(email)s which is not associated with your account": "Questo invito è stato inviato a %(email)s , la quale non è associata al tuo account", - "You can still join here.": "Puoi comunque entrare qui.", - "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.": "Si è verificato un errore (%(errcode)s) tentando di validare il tuo invito. Puoi provare a passare questa informazione alla persona che ti ha invitato/a.", - "Something went wrong with your invite.": "Qualcosa è andato storto con il tuo invito.", - "You were banned by %(memberName)s": "Sei stato bandito da %(memberName)s", - "Forget this space": "Dimentica questo spazio", - "You were removed by %(memberName)s": "Sei stato rimosso da %(memberName)s", - "Loading preview": "Caricamento anteprima", "An error occurred while stopping your live location, please try again": "Si è verificato un errore fermando la tua posizione in tempo reale, riprova", "%(count)s participants": { "one": "1 partecipante", "other": "%(count)s partecipanti" }, - "New video room": "Nuova stanza video", - "New room": "Nuova stanza", "%(featureName)s Beta feedback": "Feedback %(featureName)s beta", "Live location enabled": "Posizione in tempo reale attivata", "Close sidebar": "Chiudi barra laterale", @@ -1405,31 +1142,18 @@ "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.": "Hai eseguito la disconnessione da tutti i dispositivi e non riceverai più notifiche push. Per riattivare le notifiche, riaccedi su ogni dispositivo.", "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.": "Se vuoi mantenere l'accesso alla cronologia della chat nelle stanze cifrate, imposta il backup delle chiavi o esporta le tue chiavi dei messaggi da un altro dispositivo prima di procedere.", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "La disconnessione dai tuoi dispositivi eliminerà le chiavi di crittografia dei messaggi salvate in essi, rendendo illeggibile la cronologia delle chat cifrate.", - "Seen by %(count)s people": { - "one": "Visto da %(count)s persona", - "other": "Visto da %(count)s persone" - }, - "Your password was successfully changed.": "La tua password è stata cambiata correttamente.", "An error occurred while stopping your live location": "Si è verificato un errore fermando la tua posizione in tempo reale", "%(members)s and %(last)s": "%(members)s e %(last)s", "%(members)s and more": "%(members)s e altri", "Open room": "Apri stanza", - "To view %(roomName)s, you need an invite": "Per vedere %(roomName)s ti serve un invito", - "Private room": "Stanza privata", - "Video room": "Stanza video", "Your message wasn't sent because this homeserver has been blocked by its administrator. Please contact your service administrator to continue using the service.": "Il tuo messaggio non è stato inviato perché questo homeserver è stato bloccato dal suo amministratore. Contatta l'amministratore del servizio per continuare ad usarlo.", "Cameras": "Fotocamere", "Input devices": "Dispositivi di input", "Output devices": "Dispositivi di output", "Show Labs settings": "Mostra impostazioni Laboratori", - "To view, please enable video rooms in Labs first": "Per vederla, prima attiva le stanze video in Laboratori", - "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", "Unread email icon": "Icona email non letta", - "Joining…": "Ingresso…", - "Read receipts": "Ricevuta di lettura", - "Deactivating your account is a permanent action — be careful!": "La disattivazione dell'account è permanente - attenzione!", "Some results may be hidden": "Alcuni risultati potrebbero essere nascosti", "Copy invite link": "Copia collegamento di invito", "If you can't see who you're looking for, send them your invite link.": "Se non vedi chi stai cercando, mandagli il tuo collegamento di invito.", @@ -1453,7 +1177,6 @@ "Show rooms": "Mostra stanze", "Explore public spaces in the new search dialog": "Esplora gli spazi pubblici nella nuova finestra di ricerca", "Stop and close": "Ferma e chiudi", - "Join the room to participate": "Entra nella stanza per partecipare", "You're in": "Sei dentro", "Online community members": "Membri di comunità online", "Coworkers and teams": "Colleghi e squadre", @@ -1468,22 +1191,10 @@ "We're creating a room with %(names)s": "Stiamo creando una stanza con %(names)s", "Interactively verify by emoji": "Verifica interattivamente con emoji", "Manually verify by text": "Verifica manualmente con testo", - "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s o %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s o %(recoveryFile)s", - "Video call (Jitsi)": "Videochiamata (Jitsi)", - "Failed to set pusher state": "Impostazione stato del push fallita", "Video call ended": "Videochiamata terminata", "%(name)s started a video call": "%(name)s ha iniziato una videochiamata", "Room info": "Info stanza", - "View chat timeline": "Vedi linea temporale chat", - "Close call": "Chiudi chiamata", - "Spotlight": "Riflettore", - "Freedom": "Libertà", - "Video call (%(brand)s)": "Videochiamata (%(brand)s)", - "Call type": "Tipo chiamata", - "You do not have sufficient permissions to change this.": "Non hai autorizzazioni sufficienti per cambiarlo.", - "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s è crittografato end-to-end, ma attualmente è limitato ad un minore numero di utenti.", - "Enable %(brand)s as an additional calling option in this room": "Attiva %(brand)s come opzione di chiamata aggiuntiva in questa stanza", "Completing set up of your new device": "Completamento configurazione nuovo dispositivo", "Waiting for device to sign in": "In attesa che il dispositivo acceda", "Review and approve the sign in": "Verifica e approva l'accesso", @@ -1502,16 +1213,8 @@ "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 formatting": "Mostra formattazione", "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", - "Connection": "Connessione", - "Voice processing": "Elaborazione vocale", - "Video settings": "Impostazioni video", - "Automatically adjust the microphone volume": "Regola automaticamente il volume del microfono", - "Voice settings": "Impostazioni voce", - "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.", @@ -1520,7 +1223,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", - "Change layout": "Cambia disposizione", "Unable to decrypt message": "Impossibile decifrare il messaggio", "This message could not be decrypted": "Non è stato possibile decifrare questo messaggio", "Text": "Testo", @@ -1532,15 +1234,10 @@ "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", "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", - "Your account details are managed separately at %(hostname)s.": "I dettagli del tuo account sono gestiti separatamente su %(hostname)s.", "unknown": "sconosciuto", - "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.": "Attenzione: i tuoi dati personali (incluse le chiavi di crittografia) sono ancora memorizzati in questa sessione. Cancellali se hai finito di usare questa sessione o se vuoi accedere ad un altro account.", "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…", - "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.", "Connecting…": "In connessione…", "Scan QR code": "Scansiona codice QR", "Select '%(scanQRCode)s'": "Seleziona '%(scanQRCode)s'", @@ -1550,15 +1247,9 @@ "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…", - "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…", - "Set a new account password…": "Imposta una nuova password dell'account…", "Starting export process…": "Inizio processo di esportazione…", - "Secure Backup successful": "Backup Sicuro completato", - "Your keys are now being backed up from this device.": "Viene ora fatto il backup delle tue chiavi da questo dispositivo.", "Loading polls": "Caricamento sondaggi", "Ended a poll": "Terminato un sondaggio", "Due to decryption errors, some votes may not be counted": "A causa di errori di decifrazione, alcuni voti potrebbero non venire contati", @@ -1596,64 +1287,17 @@ "Start DM anyway": "Inizia il messaggio lo stesso", "Start DM anyway and never warn me again": "Inizia il messaggio lo stesso e non avvisarmi più", "Unable to find profiles for the Matrix IDs listed below - would you like to start a DM anyway?": "Impossibile trovare profili per gli ID Matrix elencati sotto - vuoi comunque iniziare un messaggio diretto?", - "Formatting": "Formattazione", "Search all rooms": "Cerca in tutte le stanze", "Search this room": "Cerca in questa stanza", - "Upload custom sound": "Carica suono personalizzato", - "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)", "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", "Waiting for users to join %(brand)s": "In attesa che gli utenti si uniscano a %(brand)s", - "You do not have permission to invite users": "Non hai l'autorizzazione per invitare utenti", "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", - "Receive an email summary of missed notifications": "Ricevi un riepilogo via email delle notifiche perse", - "People, Mentions and Keywords": "Persone, menzioni e parole chiave", - "Mentions and Keywords only": "Solo menzioni e parole chiave", - "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": "Aggiornamento:abbiamo semplificato le impostazioni di notifica per rendere più facili da trovare le opzioni. Alcune impostazioni personalizzate che hai scelto in precedenza non vengono mostrate qui, ma sono ancora attive. Se procedi, alcune tue impostazioni possono cambiare. Maggiori info", - "Audio and Video calls": "Chiamate audio e video", - "Notify when someone mentions using @room": "Avvisa quando qualcuno menziona usando @stanza", - "Notify when someone mentions using @displayname or %(mxid)s": "Avvisa quando qualcuno menziona usando @nomeutente o %(mxid)s", - "Mark all messages as read": "Segna tutti i messaggi come letti", - "Reset to default settings": "Ripristina alle impostazioni predefinite", - "Unable to find user by email": "Impossibile trovare l'utente per email", "Messages here are end-to-end encrypted. Verify %(displayName)s in their profile - tap on their profile picture.": "Qui i messaggi sono cifrati end-to-end. Verifica %(displayName)s nel suo profilo - tocca la sua immagine.", - "Email Notifications": "Notifiche email", - "Email summary": "Riepilogo email", - "I want to be notified for (Default Setting)": "Voglio ricevere una notifica per (impostazione predefinita)", - "This setting will be applied by default to all your rooms.": "Questa impostazione verrà applicata in modo predefinito a tutte le tue stanze.", - "Play a sound for": "Riproduci un suono per", - "Mentions and Keywords": "Menzioni e parole chiave", - "Other things we think you might be interested in:": "Altre cose che pensiamo potrebbero interessarti:", - "Invited to a room": "Invitato in una stanza", - "New room activity, upgrades and status messages occur": "Si verificano nuove attività nella stanza, aggiornamenti e messaggi di stato", - "Messages sent by bots": "Messaggi inviati da bot", - "Notify when someone uses a keyword": "Avvisa quando qualcuno usa una parola chiave", - "Enter keywords here, or use for spelling variations or nicknames": "Inserisci le parole chiave qui, o usa per variazioni ortografiche o nomi utente", - "Quick Actions": "Azioni rapide", - "Select which emails you want to send summaries to. Manage your emails in .": "Seleziona a quali email vuoi inviare i riepiloghi. Gestisci le email in .", - "Show message preview in desktop notification": "Mostra l'anteprima dei messaggi nelle notifiche desktop", - "Applied by default to all rooms on all devices.": "Applicato in modo predefinito a tutte le stanze su tutti i dispositivi.", - "Show a badge when keywords are used in a room.": "Mostra una targhetta quando vendono usate parole chiave in una stanza.", "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.": "I messaggi in questa stanza sono cifrati end-to-end. Quando qualcuno entra puoi verificarlo nel suo profilo, ti basta toccare la sua immagine.", "Upgrade room": "Aggiorna stanza", - "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Il file esportato permetterà a chiunque possa leggerlo di decifrare tutti i messaggi criptati che vedi, quindi dovresti conservarlo in modo sicuro. Per aiutarti, potresti inserire una password dedicata sotto, che verrà usata per criptare i dati esportati. Sarà possibile importare i dati solo usando la stessa password.", - "You need to be granted access to this room in order to view or participate in the conversation. You can send a request to join below.": "Ti deve venire dato l'accesso alla stanza per potere vedere o partecipare alla conversazione. Puoi inviare una richiesta di accesso sotto.", - "Ask to join %(roomName)s?": "Chiedi di entrare in %(roomName)s?", - "Ask to join?": "Chiedi di entrare?", - "Message (optional)": "Messaggio (facoltativo)", - "Request access": "Richiedi accesso", - "Request to join sent": "Richiesta di ingresso inviata", - "Your request to join is pending.": "La tua richiesta di ingresso è in attesa.", - "Cancel request": "Annulla richiesta", "Other spaces you know": "Altri spazi che conosci", "Failed to query public rooms": "Richiesta di stanze pubbliche fallita", - "See less": "Riduci", - "See more": "Espandi", - "No requests": "Nessuna richiesta", - "Asking to join": "Richiesta di entrare", "common": { "about": "Al riguardo", "analytics": "Statistiche", @@ -1759,7 +1403,18 @@ "saving": "Salvataggio…", "profile": "Profilo", "display_name": "Nome visualizzato", - "user_avatar": "Immagine del profilo" + "user_avatar": "Immagine del profilo", + "authentication": "Autenticazione", + "public_room": "Stanza pubblica", + "video_room": "Stanza video", + "public_space": "Spazio pubblico", + "private_space": "Spazio privato", + "private_room": "Stanza privata", + "rooms": "Stanze", + "low_priority": "Bassa priorità", + "historical": "Cronologia", + "go_to_settings": "Vai alle impostazioni", + "setup_secure_messages": "Imposta i messaggi sicuri" }, "action": { "continue": "Continua", @@ -1866,7 +1521,16 @@ "unban": "Togli ban", "click_to_copy": "Clicca per copiare", "hide_advanced": "Nascondi avanzate", - "show_advanced": "Mostra avanzate" + "show_advanced": "Mostra avanzate", + "unignore": "Non ignorare più", + "start_new_chat": "Inizia nuova chat", + "invite_to_space": "Invita nello spazio", + "add_people": "Aggiungi persone", + "explore_rooms": "Esplora stanze", + "new_room": "Nuova stanza", + "new_video_room": "Nuova stanza video", + "add_existing_room": "Aggiungi stanza esistente", + "explore_public_rooms": "Esplora stanze pubbliche" }, "a11y": { "user_menu": "Menu utente", @@ -1879,7 +1543,8 @@ "one": "1 messaggio non letto." }, "unread_messages": "Messaggi non letti.", - "jump_first_invite": "Salta al primo invito." + "jump_first_invite": "Salta al primo invito.", + "room_name": "Stanza %(name)s" }, "labs": { "video_rooms": "Stanze video", @@ -2071,7 +1736,22 @@ "space_a11y": "Autocompletamento spazio", "user_description": "Utenti", "user_a11y": "Autocompletamento utenti" - } + }, + "room_upgraded_link": "La conversazione continua qui.", + "room_upgraded_notice": "Questa stanza è stata sostituita e non è più attiva.", + "no_perms_notice": "Non hai il permesso di inviare in questa stanza", + "send_button_voice_message": "Invia messaggio vocale", + "close_sticker_picker": "Nascondi gli adesivi", + "voice_message_button": "Messaggio vocale", + "poll_button_no_perms_title": "Permesso richiesto", + "poll_button_no_perms_description": "Non hai i permessi per creare sondaggi in questa stanza.", + "poll_button": "Sondaggio", + "mode_plain": "Nascondi formattazione", + "mode_rich_text": "Mostra formattazione", + "formatting_toolbar_label": "Formattazione", + "format_italics": "Corsivo", + "format_insert_link": "Inserisci collegamento", + "replying_title": "Rispondere" }, "Link": "Collegamento", "Code": "Codice", @@ -2251,7 +1931,32 @@ "error_title": "Impossibile attivare le notifiche", "error_updating": "Si è verificato un errore aggiornando le tue preferenze di notifica. Prova ad attivare/disattivare di nuovo l'opzione.", "push_targets": "Obiettivi di notifica", - "error_loading": "Si è verificato un errore caricando le tue impostazioni di notifica." + "error_loading": "Si è verificato un errore caricando le tue impostazioni di notifica.", + "email_section": "Riepilogo email", + "email_description": "Ricevi un riepilogo via email delle notifiche perse", + "email_select": "Seleziona a quali email vuoi inviare i riepiloghi. Gestisci le email in .", + "people_mentions_keywords": "Persone, menzioni e parole chiave", + "mentions_keywords_only": "Solo menzioni e parole chiave", + "labs_notice_prompt": "Aggiornamento:abbiamo semplificato le impostazioni di notifica per rendere più facili da trovare le opzioni. Alcune impostazioni personalizzate che hai scelto in precedenza non vengono mostrate qui, ma sono ancora attive. Se procedi, alcune tue impostazioni possono cambiare. Maggiori info", + "desktop_notification_message_preview": "Mostra l'anteprima dei messaggi nelle notifiche desktop", + "default_setting_section": "Voglio ricevere una notifica per (impostazione predefinita)", + "default_setting_description": "Questa impostazione verrà applicata in modo predefinito a tutte le tue stanze.", + "play_sound_for_section": "Riproduci un suono per", + "play_sound_for_description": "Applicato in modo predefinito a tutte le stanze su tutti i dispositivi.", + "mentions_keywords": "Menzioni e parole chiave", + "voip": "Chiamate audio e video", + "other_section": "Altre cose che pensiamo potrebbero interessarti:", + "invites": "Invitato in una stanza", + "room_activity": "Si verificano nuove attività nella stanza, aggiornamenti e messaggi di stato", + "notices": "Messaggi inviati da bot", + "keywords": "Mostra una targhetta quando vendono usate parole chiave in una stanza.", + "notify_at_room": "Avvisa quando qualcuno menziona usando @stanza", + "notify_mention": "Avvisa quando qualcuno menziona usando @nomeutente o %(mxid)s", + "notify_keyword": "Avvisa quando qualcuno usa una parola chiave", + "keywords_prompt": "Inserisci le parole chiave qui, o usa per variazioni ortografiche o nomi utente", + "quick_actions_section": "Azioni rapide", + "quick_actions_mark_all_read": "Segna tutti i messaggi come letti", + "quick_actions_reset": "Ripristina alle impostazioni predefinite" }, "appearance": { "layout_irc": "IRC (Sperimentale)", @@ -2289,7 +1994,19 @@ "echo_cancellation": "Cancellazione dell'eco", "noise_suppression": "Riduzione del rumore", "enable_fallback_ice_server": "Permetti server di chiamata di ripiego (%(server)s)", - "enable_fallback_ice_server_description": "Si applica solo se il tuo homeserver non ne offre uno. Il tuo indirizzo IP verrebbe condiviso durante una chiamata." + "enable_fallback_ice_server_description": "Si applica solo se il tuo homeserver non ne offre uno. Il tuo indirizzo IP verrebbe condiviso durante una chiamata.", + "missing_permissions_prompt": "Autorizzazione multimediale mancante, clicca il pulsante sotto per richiederla.", + "request_permissions": "Richiedi autorizzazioni multimediali", + "audio_output": "Uscita audio", + "audio_output_empty": "Nessuna uscita audio rilevata", + "audio_input_empty": "Nessun Microfono rilevato", + "video_input_empty": "Nessuna Webcam rilevata", + "title": "Voce e video", + "voice_section": "Impostazioni voce", + "voice_agc": "Regola automaticamente il volume del microfono", + "video_section": "Impostazioni video", + "voice_processing": "Elaborazione vocale", + "connection_section": "Connessione" }, "send_read_receipts_unsupported": "Il tuo server non supporta la disattivazione delle conferme di lettura.", "security": { @@ -2362,7 +2079,11 @@ "key_backup_in_progress": "Backup di %(sessionsRemaining)s chiavi…", "key_backup_complete": "Tutte le chiavi sono state copiate", "key_backup_algorithm": "Algoritmo:", - "key_backup_inactive_warning": "Il backup chiavi non viene fatto per questa sessione." + "key_backup_inactive_warning": "Il backup chiavi non viene fatto per questa sessione.", + "key_backup_active_version_none": "Nessuno", + "ignore_users_empty": "Non hai utenti ignorati.", + "ignore_users_section": "Utenti ignorati", + "e2ee_default_disabled_warning": "L'amministratore del server ha disattivato la crittografia end-to-end in modo predefinito nelle stanze private e nei messaggi diretti." }, "preferences": { "room_list_heading": "Elenco stanze", @@ -2482,7 +2203,8 @@ "one": "Vuoi davvero disconnetterti da %(count)s sessione?", "other": "Vuoi davvero disconnetterti da %(count)s sessioni?" }, - "other_sessions_subsection_description": "Per una maggiore sicurezza, verifica le tue sessioni e disconnetti quelle che non riconosci o che non usi più." + "other_sessions_subsection_description": "Per una maggiore sicurezza, verifica le tue sessioni e disconnetti quelle che non riconosci o che non usi più.", + "error_pusher_state": "Impostazione stato del push fallita" }, "general": { "oidc_manage_button": "Gestisci account", @@ -2504,7 +2226,46 @@ "add_msisdn_dialog_title": "Aggiungi numero di telefono", "name_placeholder": "Nessun nome visibile", "error_saving_profile_title": "Salvataggio del profilo fallito", - "error_saving_profile": "Impossibile completare l'operazione" + "error_saving_profile": "Impossibile completare l'operazione", + "error_password_change_unknown": "Errore sconosciuto di modifica della password (%(stringifiedError)s)", + "error_password_change_403": "Modifica password fallita. La tua password è corretta?", + "error_password_change_http": "%(errorMessage)s (stato HTTP %(httpStatus)s)", + "error_password_change_title": "Errore nella modifica della password", + "password_change_success": "La tua password è stata cambiata correttamente.", + "emails_heading": "Indirizzi email", + "msisdns_heading": "Numeri di telefono", + "password_change_section": "Imposta una nuova password dell'account…", + "external_account_management": "I dettagli del tuo account sono gestiti separatamente su %(hostname)s.", + "discovery_needs_terms": "Accetta le condizioni di servizio del server di identità (%(serverName)s) per poter essere trovabile tramite indirizzo email o numero di telefono.", + "deactivate_section": "Disattiva l'account", + "account_management_section": "Gestione account", + "deactivate_warning": "La disattivazione dell'account è permanente - attenzione!", + "discovery_section": "Scopri", + "error_revoke_email_discovery": "Impossibile revocare la condivisione dell'indirizzo email", + "error_share_email_discovery": "Impossibile condividere l'indirizzo email", + "email_not_verified": "Il tuo indirizzo email non è ancora stato verificato", + "email_verification_instructions": "Clicca il link nell'email che hai ricevuto per verificare e poi clicca di nuovo Continua.", + "error_email_verification": "Impossibile verificare l'indirizzo email.", + "discovery_email_verification_instructions": "Verifica il link nella tua posta in arrivo", + "discovery_email_empty": "Le opzioni di scoperta appariranno dopo aver aggiunto un'email sopra.", + "error_revoke_msisdn_discovery": "Impossibile revocare la condivisione del numero di telefono", + "error_share_msisdn_discovery": "Impossibile condividere il numero di telefono", + "error_msisdn_verification": "Impossibile verificare il numero di telefono.", + "incorrect_msisdn_verification": "Codice di verifica sbagliato", + "msisdn_verification_instructions": "Inserisci il codice di verifica inviato via SMS.", + "msisdn_verification_field_label": "Codice di verifica", + "discovery_msisdn_empty": "Le opzioni di scoperta appariranno dopo aver aggiunto un numero di telefono sopra.", + "error_set_name": "Impostazione nome visibile fallita", + "error_remove_3pid": "Impossibile rimuovere le informazioni di contatto", + "remove_email_prompt": "Rimuovere %(email)s?", + "error_invalid_email": "Indirizzo email non valido", + "error_invalid_email_detail": "Questo non sembra essere un indirizzo email valido", + "error_add_email": "Impossibile aggiungere l'indirizzo email", + "add_email_instructions": "Ti abbiamo inviato un'email per verificare il tuo indirizzo. Segui le istruzioni contenute e poi clicca il pulsante sotto.", + "email_address_label": "Indirizzo email", + "remove_msisdn_prompt": "Rimuovere %(phone)s?", + "add_msisdn_instructions": "È stato inviato un SMS a +%(msisdn)s. Inserisci il codice di verifica contenuto.", + "msisdn_label": "Numero di telefono" }, "sidebar": { "title": "Barra laterale", @@ -2517,6 +2278,58 @@ "metaspaces_orphans_description": "Raggruppa tutte le tue stanze che non fanno parte di uno spazio in un unico posto.", "metaspaces_home_all_rooms_description": "Mostra tutte le tue stanze nella pagina principale, anche se sono in uno spazio.", "metaspaces_home_all_rooms": "Mostra tutte le stanze" + }, + "key_backup": { + "backup_in_progress": "Il backup delle chiavi è in corso (il primo backup potrebbe richiedere qualche minuto).", + "backup_starting": "Avvio del backup…", + "backup_success": "Completato!", + "create_title": "Crea backup chiavi", + "cannot_create_backup": "Impossibile creare backup della chiave", + "setup_secure_backup": { + "generate_security_key_title": "Genera una chiave di sicurezza", + "generate_security_key_description": "Genereremo per te una chiave di sicurezza da conservare in un posto sicuro, come un in gestore di password o in una cassaforte.", + "enter_phrase_title": "Inserisci una frase di sicurezza", + "description": "Proteggiti contro la perdita dell'accesso ai messaggi e dati cifrati facendo un backup delle chiavi crittografiche sul tuo server.", + "requires_password_confirmation": "Inserisci la password del tuo account per confermare l'aggiornamento:", + "requires_key_restore": "Ripristina il tuo backup chiavi per aggiornare la crittografia", + "requires_server_authentication": "Dovrai autenticarti con il server per confermare l'aggiornamento.", + "session_upgrade_description": "Aggiorna questa sessione per consentirle di verificare altre sessioni, garantendo loro l'accesso ai messaggi cifrati e contrassegnandole come fidate per gli altri utenti.", + "enter_phrase_description": "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.", + "phrase_strong_enough": "Ottimo! Questa password di sicurezza sembra abbastanza robusta.", + "pass_phrase_match_success": "Corrisponde!", + "use_different_passphrase": "Usare una password diversa?", + "pass_phrase_match_failed": "Non corrisponde.", + "set_phrase_again": "Torna per reimpostare.", + "enter_phrase_to_confirm": "Inserisci di nuovo la password di sicurezza per confermarla.", + "confirm_security_phrase": "Conferma password di sicurezza", + "security_key_safety_reminder": "Conserva la chiave di sicurezza in un posto sicuro, come in un gestore di password o in una cassaforte, dato che è usata per proteggere i tuoi dati cifrati.", + "download_or_copy": "%(downloadButton)s o %(copyButton)s", + "backup_setup_success_description": "Viene ora fatto il backup delle tue chiavi da questo dispositivo.", + "backup_setup_success_title": "Backup Sicuro completato", + "secret_storage_query_failure": "Impossibile rilevare lo stato dell'archivio segreto", + "cancel_warning": "Se annulli ora, potresti perdere i messaggi e dati cifrati in caso tu perda l'accesso ai tuoi login.", + "settings_reminder": "Puoi anche impostare il Backup Sicuro e gestire le tue chiavi nelle impostazioni.", + "title_upgrade_encryption": "Aggiorna la tua crittografia", + "title_set_phrase": "Imposta una frase di sicurezza", + "title_confirm_phrase": "Conferma frase di sicurezza", + "title_save_key": "Salva la tua chiave di sicurezza", + "unable_to_setup": "Impossibile impostare un archivio segreto", + "use_phrase_only_you_know": "Usa una frase segreta che conosci solo tu e salva facoltativamente una chiave di sicurezza da usare come backup." + } + }, + "key_export_import": { + "export_title": "Esporta chiavi della stanza", + "export_description_1": "Questa procedura ti permette di esportare in un file locale le chiavi per i messaggi che hai ricevuto nelle stanze criptate. Potrai poi importare il file in un altro client Matrix in futuro, in modo che anche quel client possa decifrare quei messaggi.", + "export_description_2": "Il file esportato permetterà a chiunque possa leggerlo di decifrare tutti i messaggi criptati che vedi, quindi dovresti conservarlo in modo sicuro. Per aiutarti, potresti inserire una password dedicata sotto, che verrà usata per criptare i dati esportati. Sarà possibile importare i dati solo usando la stessa password.", + "enter_passphrase": "Inserisci password", + "phrase_strong_enough": "Ottimo! Questa password sembra abbastanza robusta", + "confirm_passphrase": "Conferma password", + "phrase_cannot_be_empty": "La password non può essere vuota", + "phrase_must_match": "Le password devono coincidere", + "import_title": "Importa chiavi della stanza", + "import_description_1": "Questa procedura ti permette di importare le chiavi di crittografia precedentemente esportate da un altro client Matrix. Potrai poi decifrare tutti i messaggi che quel client poteva decifrare.", + "import_description_2": "Il file esportato sarà protetto da una password. Dovresti inserire la password qui, per decifrarlo.", + "file_to_import": "File da importare" } }, "devtools": { @@ -3028,7 +2841,19 @@ "collapse_reply_thread": "Riduci conversazione di risposta", "view_related_event": "Vedi evento correlato", "report": "Segnala" - } + }, + "url_preview": { + "show_n_more": { + "one": "Mostra %(count)s altra anteprima", + "other": "Mostra altre %(count)s anteprime" + }, + "close": "Chiudi anteprima" + }, + "read_receipt_title": { + "one": "Visto da %(count)s persona", + "other": "Visto da %(count)s persone" + }, + "read_receipts_label": "Ricevuta di lettura" }, "slash_command": { "spoiler": "Invia il messaggio come spoiler", @@ -3295,7 +3120,14 @@ "permissions_section_description_room": "Seleziona i ruoli necessari per cambiare varie parti della stanza", "add_privileged_user_heading": "Aggiungi utenti privilegiati", "add_privileged_user_description": "Dai più privilegi a uno o più utenti in questa stanza", - "add_privileged_user_filter_placeholder": "Cerca utenti in questa stanza…" + "add_privileged_user_filter_placeholder": "Cerca utenti in questa stanza…", + "error_unbanning": "Rimozione ban fallita", + "banned_by": "Bandito da %(displayName)s", + "ban_reason": "Motivo", + "error_changing_pl_reqs_title": "Errore nella modifica del livello dei permessi", + "error_changing_pl_reqs_description": "C'é stato un errore nel cambio di libelli dei permessi. Assicurati di avere i permessi necessari e riprova.", + "error_changing_pl_title": "Errore cambiando il livello di poteri", + "error_changing_pl_description": "Si è verificato un errore cambiando il livello di poteri dell'utente. Assicurati di averne l'autorizzazione e riprova." }, "security": { "strict_encryption": "Non inviare mai messaggi cifrati a sessioni non verificate in questa stanza da questa sessione", @@ -3350,7 +3182,9 @@ "join_rule_upgrade_updating_spaces": { "one": "Aggiornamento spazio...", "other": "Aggiornamento spazi... (%(progress)s di %(count)s)" - } + }, + "error_join_rule_change_title": "Modifica delle regole di accesso fallita", + "error_join_rule_change_unknown": "Errore sconosciuto" }, "general": { "publish_toggle": "Pubblicare questa stanza nell'elenco pubblico delle stanze in %(domain)s ?", @@ -3364,7 +3198,9 @@ "error_save_space_settings": "Impossibile salvare le impostazioni dello spazio.", "description_space": "Modifica le impostazioni relative al tuo spazio.", "save": "Salva modifiche", - "leave_space": "Esci dallo spazio" + "leave_space": "Esci dallo spazio", + "aliases_section": "Indirizzi stanza", + "other_section": "Altro" }, "advanced": { "unfederated": "Questa stanza non è accessibile da server di Matrix remoti", @@ -3375,7 +3211,9 @@ "room_predecessor": "Vedi messaggi più vecchi in %(roomName)s.", "room_id": "ID interno stanza", "room_version_section": "Versione stanza", - "room_version": "Versione stanza:" + "room_version": "Versione stanza:", + "information_section_space": "Informazioni spazio", + "information_section_room": "Informazioni stanza" }, "delete_avatar_label": "Elimina avatar", "upload_avatar_label": "Invia avatar", @@ -3389,11 +3227,38 @@ "history_visibility_anyone_space": "Anteprima spazio", "history_visibility_anyone_space_description": "Permetti a chiunque di vedere l'anteprima dello spazio prima di unirsi.", "history_visibility_anyone_space_recommendation": "Consigliato per gli spazi pubblici.", - "guest_access_label": "Attiva accesso ospiti" + "guest_access_label": "Attiva accesso ospiti", + "alias_section": "Indirizzo" }, "access": { "title": "Accesso", "description_space": "Decidi chi può vedere ed entrare in %(spaceName)s." + }, + "bridges": { + "description": "Questa stanza fa un bridge dei messaggi con le seguenti piattaforme. Maggiori informazioni.", + "empty": "Questa stanza non fa un bridge dei messaggi con alcuna piattaforma. Maggiori informazioni.", + "title": "Bridge" + }, + "notifications": { + "uploaded_sound": "Suono inviato", + "settings_link": "Ricevi notifiche come configurato nelle tue impostazioni", + "sounds_section": "Suoni", + "notification_sound": "Suoni di notifica", + "custom_sound_prompt": "Imposta un nuovo suono personalizzato", + "upload_sound_label": "Carica suono personalizzato", + "browse_button": "Sfoglia" + }, + "people": { + "see_less": "Riduci", + "see_more": "Espandi", + "knock_section": "Richiesta di entrare", + "knock_empty": "Nessuna richiesta" + }, + "voip": { + "enable_element_call_label": "Attiva %(brand)s come opzione di chiamata aggiuntiva in questa stanza", + "enable_element_call_caption": "%(brand)s è crittografato end-to-end, ma attualmente è limitato ad un minore numero di utenti.", + "enable_element_call_no_permissions_tooltip": "Non hai autorizzazioni sufficienti per cambiarlo.", + "call_type_section": "Tipo chiamata" } }, "encryption": { @@ -3428,7 +3293,19 @@ "unverified_session_toast_accept": "Sì, ero io", "request_toast_detail": "%(deviceId)s da %(ip)s", "request_toast_decline_counter": "Ignora (%(counter)s)", - "request_toast_accept": "Verifica sessione" + "request_toast_accept": "Verifica sessione", + "no_key_or_device": "Pare che tu non abbia una chiave di sicurezza o altri dispositivi con cui poterti verificare. Questo dispositivo non potrà accedere ai vecchi messaggi cifrati. Per potere verificare la tua ideintità su questo dispositivo, dovrai reimpostare le chiavi di verifica.", + "reset_proceed_prompt": "Procedi con la reimpostazione", + "verify_using_key_or_phrase": "Verifica con chiave di sicurezza o frase", + "verify_using_key": "Verifica con chiave di sicurezza", + "verify_using_device": "Verifica con un altro dispositivo", + "verification_description": "Verifica la tua identità per accedere ai messaggi cifrati e provare agli altri che sei tu.", + "verification_success_with_backup": "Il tuo nuovo dispositivo ora è verificato. Ha accesso ai messaggi cifrati e gli altri utenti lo vedranno come fidato.", + "verification_success_without_backup": "Il tuo nuovo dispositivo è ora verificato. Gli altri utenti lo vedranno come fidato.", + "verification_skip_warning": "Senza la verifica, non avrai accesso a tutti i tuoi messaggi e potresti apparire agli altri come non fidato.", + "verify_later": "Verificherò dopo", + "verify_reset_warning_1": "La reimpostazione delle chiavi di verifica non può essere annullata. Dopo averlo fatto, non avrai accesso ai vecchi messaggi cifrati, e gli amici che ti avevano verificato in precedenza vedranno avvisi di sicurezza fino a quando non ti ri-verifichi con loro.", + "verify_reset_warning_2": "Procedi solo se sei sicuro di avere perso tutti gli altri tuoi dispositivi e la chiave di sicurezza." }, "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.", @@ -3449,7 +3326,19 @@ "cross_signing_ready_no_backup": "La firma incrociata è pronta ma c'è un backup delle chiavi.", "cross_signing_untrusted": "Il tuo account ha un'identità a firma incrociata nell'archivio segreto, ma non è ancora fidata da questa sessione.", "cross_signing_not_ready": "La firma incrociata non è impostata.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Nuovo metodo di recupero", + "description_1": "Sono state rilevate una nuova password di sicurezza e una chiave per i messaggi sicuri.", + "description_2": "Questa sessione sta cifrando la cronologia usando il nuovo metodo di recupero.", + "warning": "Se non hai impostato il nuovo metodo di recupero, un aggressore potrebbe tentare di accedere al tuo account. Cambia la password del tuo account e imposta immediatamente un nuovo metodo di recupero nelle impostazioni." + }, + "recovery_method_removed": { + "title": "Metodo di ripristino rimosso", + "description_1": "Questa sessione ha rilevato che la tua password di sicurezza e la chiave per i messaggi sicuri sono state rimosse.", + "description_2": "Se l'hai fatto accidentalmente, puoi configurare Messaggi Sicuri su questa sessione che cripterà nuovamente la cronologia dei messaggi con un nuovo metodo di recupero.", + "warning": "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." + } }, "emoji": { "category_frequently_used": "Usati di frequente", @@ -3631,7 +3520,11 @@ "autodiscovery_unexpected_error_is": "Errore inaspettato risolvendo la configurazione del server identità", "autodiscovery_hs_incompatible": "Il tuo homeserver è troppo vecchio e non supporta la versione API minima richiesta. Contatta il proprietario del server o aggiornalo.", "incorrect_credentials_detail": "Nota che stai accedendo nel server %(hs)s , non matrix.org.", - "create_account_title": "Crea account" + "create_account_title": "Crea account", + "failed_soft_logout_homeserver": "Riautenticazione fallita per un problema dell'homeserver", + "soft_logout_subheading": "Elimina dati personali", + "soft_logout_warning": "Attenzione: i tuoi dati personali (incluse le chiavi di crittografia) sono ancora memorizzati in questa sessione. Cancellali se hai finito di usare questa sessione o se vuoi accedere ad un altro account.", + "forgot_password_send_email": "Invia email" }, "room_list": { "sort_unread_first": "Mostra prima le stanze con messaggi non letti", @@ -3648,7 +3541,23 @@ "notification_options": "Opzioni di notifica", "failed_set_dm_tag": "Impostazione etichetta chat diretta fallita", "failed_remove_tag": "Rimozione etichetta %(tagName)s dalla stanza fallita", - "failed_add_tag": "Aggiunta etichetta %(tagName)s alla stanza fallita" + "failed_add_tag": "Aggiunta etichetta %(tagName)s alla stanza fallita", + "breadcrumbs_label": "Stanze visitate di recente", + "breadcrumbs_empty": "Nessuna stanza visitata di recente", + "add_room_label": "Aggiungi stanza", + "suggested_rooms_heading": "Stanze suggerite", + "add_space_label": "Aggiungi spazio", + "join_public_room_label": "Entra nella stanza pubblica", + "joining_rooms_status": { + "one": "Stai entrando in %(count)s stanza", + "other": "Stai entrando in %(count)s stanze" + }, + "redacting_messages_status": { + "one": "Rimozione di messaggi in corso in %(count)s stanza", + "other": "Rimozione di messaggi in corso in %(count)s stanze" + }, + "space_menu_label": "Menu di %(spaceName)s", + "home_menu_label": "Opzioni pagina iniziale" }, "report_content": { "missing_reason": "Inserisci il motivo della segnalazione.", @@ -3906,7 +3815,8 @@ "search_children": "Cerca %(spaceName)s", "invite_link": "Condividi collegamento di invito", "invite": "Invita persone", - "invite_description": "Invita con email o nome utente" + "invite_description": "Invita con email o nome utente", + "invite_this_space": "Invita in questo spazio" }, "location_sharing": { "MapStyleUrlNotConfigured": "Questo homeserver non è configurato per mostrare mappe.", @@ -3962,7 +3872,8 @@ "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" + "lists_new_label": "ID o indirizzo stanza della lista ban", + "rules_empty": "Nessuno" }, "create_space": { "name_required": "Inserisci un nome per lo spazio", @@ -4064,8 +3975,80 @@ "forget": "Dimentica stanza", "mark_read": "Segna come letto", "notifications_default": "Corrispondi l'impostazione predefinita", - "notifications_mute": "Silenzia stanza" - } + "notifications_mute": "Silenzia stanza", + "title": "Opzioni stanza" + }, + "invite_this_room": "Invita in questa stanza", + "header": { + "video_call_button_jitsi": "Videochiamata (Jitsi)", + "video_call_button_ec": "Videochiamata (%(brand)s)", + "video_call_ec_layout_freedom": "Libertà", + "video_call_ec_layout_spotlight": "Riflettore", + "video_call_ec_change_layout": "Cambia disposizione", + "forget_room_button": "Dimentica la stanza", + "hide_widgets_button": "Nascondi i widget", + "show_widgets_button": "Mostra i widget", + "close_call_button": "Chiudi chiamata", + "video_room_view_chat_button": "Vedi linea temporale chat" + }, + "error_3pid_invite_email_lookup": "Impossibile trovare l'utente per email", + "joining_space": "Ingresso nello spazio…", + "joining_room": "Ingresso nella stanza…", + "joining": "Ingresso…", + "rejecting": "Rifiuto dell'invito…", + "join_title": "Entra nella stanza per partecipare", + "join_title_account": "Unisciti alla conversazione con un account", + "join_button_account": "Registrati", + "loading_preview": "Caricamento anteprima", + "kicked_from_room_by": "Sei stato rimosso da %(roomName)s da %(memberName)s", + "kicked_by": "Sei stato rimosso da %(memberName)s", + "kick_reason": "Motivo: %(reason)s", + "forget_space": "Dimentica questo spazio", + "forget_room": "Dimentica questa stanza", + "rejoin_button": "Rientra", + "banned_from_room_by": "Sei stato bandito da %(roomName)s da %(memberName)s", + "banned_by": "Sei stato bandito da %(memberName)s", + "3pid_invite_error_title_room": "Qualcosa è andato storto con il tuo invito a %(roomName)s", + "3pid_invite_error_title": "Qualcosa è andato storto con il tuo invito.", + "3pid_invite_error_description": "Si è verificato un errore (%(errcode)s) tentando di validare il tuo invito. Puoi provare a passare questa informazione alla persona che ti ha invitato/a.", + "3pid_invite_error_invite_subtitle": "Puoi unirti solo con un invito valido.", + "3pid_invite_error_invite_action": "Prova ad unirti comunque", + "3pid_invite_error_public_subtitle": "Puoi comunque entrare qui.", + "join_the_discussion": "Unisciti alla discussione", + "3pid_invite_email_not_found_account_room": "Questo invito per %(roomName)s è stato inviato a %(email)s , la quale non è associata al tuo account", + "3pid_invite_email_not_found_account": "Questo invito è stato inviato a %(email)s , la quale non è associata al tuo account", + "link_email_to_receive_3pid_invite": "Collega questa email al tuo account nelle impostazioni per ricevere inviti direttamente in %(brand)s.", + "invite_sent_to_email_room": "Questo invito per %(roomName)s è stato inviato a %(email)s", + "invite_sent_to_email": "Questo invito è stato inviato a %(email)s", + "3pid_invite_no_is_subtitle": "Usa un server di identià nelle impostazioni per ricevere inviti direttamente in %(brand)s.", + "invite_email_mismatch_suggestion": "Condividi questa email nelle impostazioni per ricevere inviti direttamente in %(brand)s.", + "dm_invite_title": "Vuoi chattare con %(user)s?", + "dm_invite_subtitle": " vuole chattare", + "dm_invite_action": "Inizia a chattare", + "invite_title": "Vuoi unirti a %(roomName)s?", + "invite_subtitle": " ti ha invitato/a", + "invite_reject_ignore": "Rifiuta e ignora l'utente", + "peek_join_prompt": "Stai vedendo l'anteprima di %(roomName)s. Vuoi unirti?", + "no_peek_join_prompt": "Anteprima di %(roomName)s non disponibile. Vuoi unirti?", + "no_peek_no_name_join_prompt": "Non c'è un'anteprima, vuoi entrare?", + "not_found_title_name": "%(roomName)s non esiste.", + "not_found_title": "Questa stanza o spazio non esiste.", + "not_found_subtitle": "Sei sicuro di essere nel posto giusto?", + "inaccessible_name": "%(roomName)s non è al momento accessibile.", + "inaccessible": "Questa stanza o spazio non è al momento accessibile.", + "inaccessible_subtitle_1": "Riprova più tardi, o chiedi ad un admin della stanza o spazio di controllare se hai l'accesso.", + "inaccessible_subtitle_2": "%(errcode)s si è verificato tentando di accedere alla stanza o spazio. Se pensi che tu stia vedendo questo messaggio per errore, invia una segnalazione.", + "knock_prompt_name": "Chiedi di entrare in %(roomName)s?", + "knock_prompt": "Chiedi di entrare?", + "knock_subtitle": "Ti deve venire dato l'accesso alla stanza per potere vedere o partecipare alla conversazione. Puoi inviare una richiesta di accesso sotto.", + "knock_message_field_placeholder": "Messaggio (facoltativo)", + "knock_send_action": "Richiedi accesso", + "knock_sent": "Richiesta di ingresso inviata", + "knock_sent_subtitle": "La tua richiesta di ingresso è in attesa.", + "knock_cancel_action": "Annulla richiesta", + "join_failed_needs_invite": "Per vedere %(roomName)s ti serve un invito", + "view_failed_enable_video_rooms": "Per vederla, prima attiva le stanze video in Laboratori", + "join_failed_enable_video_rooms": "Per entrare, prima attiva le stanze video in Laboratori" }, "file_panel": { "guest_note": "Devi registrarti per usare questa funzionalità", @@ -4217,7 +4200,15 @@ "keyword_new": "Nuova parola chiave", "class_global": "Globale", "class_other": "Altro", - "mentions_keywords": "Citazioni e parole chiave" + "mentions_keywords": "Citazioni e parole chiave", + "default": "Predefinito", + "all_messages": "Tutti i messaggi", + "all_messages_description": "Ricevi notifiche per ogni messaggio", + "mentions_and_keywords": "@citazioni e parole chiave", + "mentions_and_keywords_description": "Ricevi notifiche solo per citazioni e parole chiave come configurato nelle tue impostazioni", + "mute_description": "Non riceverai alcuna notifica", + "email_pusher_app_display_name": "Notifiche email", + "message_didnt_send": "Il messaggio non è stato inviato. Clicca per informazioni." }, "mobile_guide": { "toast_title": "Usa l'app per un'esperienza migliore", @@ -4243,6 +4234,44 @@ "integration_manager": { "connecting": "Connessione al gestore di integrazioni…", "error_connecting_heading": "Impossibile connettere al gestore di integrazioni", - "error_connecting": "Il gestore di integrazioni è offline o non riesce a raggiungere il tuo homeserver." + "error_connecting": "Il gestore di integrazioni è offline o non riesce a raggiungere il tuo homeserver.", + "use_im_default": "Usa un gestore di integrazioni (%(serverName)s) per gestire bot, widget e pacchetti di adesivi.", + "use_im": "Usa un gestore di integrazioni per gestire bot, widget e pacchetti di adesivi.", + "manage_title": "Gestisci integrazioni", + "explainer": "I gestori di integrazione ricevono dati di configurazione e possono modificare widget, inviare inviti alla stanza, assegnare permessi a tuo nome." + }, + "identity_server": { + "url_not_https": "L'URL del server di identità deve essere HTTPS", + "error_invalid": "Non è un server di identità valido (codice di stato %(code)s)", + "error_connection": "Impossibile connettersi al server di identità", + "checking": "Controllo del server", + "change": "Cambia server d'identità", + "change_prompt": "Disconnettersi dal server d'identità e connettesi invece a ?", + "error_invalid_or_terms": "Condizioni di servizio non accettate o server di identità non valido.", + "no_terms": "Il server di identità che hai scelto non ha alcuna condizione di servizio.", + "disconnect": "Disconnetti dal server d'identità", + "disconnect_server": "Disconnettere dal server di identità ?", + "disconnect_offline_warning": "Dovresti rimuovere i tuoi dati personali dal server di identità prima di disconnetterti. Sfortunatamente, il server di identità attualmente è offline o non raggiungibile.", + "suggestions": "Dovresti:", + "suggestions_1": "cercare tra i plugin del browser se qualcosa potrebbe bloccare il server di identità (come Privacy Badger)", + "suggestions_2": "contattare l'amministratore del server di identità ", + "suggestions_3": "attendere e riprovare più tardi", + "disconnect_anyway": "Disconnetti comunque", + "disconnect_personal_data_warning_1": "Stai ancora fornendo le tue informazioni personali sul server d'identità .", + "disconnect_personal_data_warning_2": "Ti suggeriamo di rimuovere il tuo indirizzo email e numero di telefono dal server d'identità prima di disconnetterti.", + "url": "Server di identità (%(server)s)", + "description_connected": "Stai attualmente usando per trovare ed essere trovabile dai contatti esistenti che conosci. Puoi cambiare il tuo server di identità sotto.", + "change_server_prompt": "Se non vuoi usare per trovare ed essere trovato dai contatti esistenti che conosci, inserisci un altro server di identità qua sotto.", + "description_disconnected": "Attualmente non stai usando un server di identità. Per trovare ed essere trovabile dai contatti esistenti che conosci, aggiungine uno sotto.", + "disconnect_warning": "La disconnessione dal tuo server di identità significa che non sarai trovabile da altri utenti e non potrai invitare nessuno per email o telefono.", + "description_optional": "Usare un server di identità è facoltativo. Se scegli di non usarne uno, non potrai essere trovato dagli altri utenti e non potrai invitarne altri per email o telefono.", + "do_not_use": "Non usare un server di identità", + "url_field_label": "Inserisci un nuovo server di identità" + }, + "member_list": { + "invite_button_no_perms_tooltip": "Non hai l'autorizzazione per invitare utenti", + "invited_list_heading": "Invitato/a", + "filter_placeholder": "Filtra membri della stanza", + "power_label": "%(userName)s (poteri %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/ja.json b/src/i18n/strings/ja.json index 5ce9b2fd65..7ba0f75035 100644 --- a/src/i18n/strings/ja.json +++ b/src/i18n/strings/ja.json @@ -1,28 +1,19 @@ { - "Invited": "招待済", - "Low priority": "低優先度", "Create new room": "新しいルームを作成", - "Failed to change password. Is your password correct?": "パスワードの変更に失敗しました。パスワードは正しいですか?", - "Filter room members": "ルームのメンバーを絞り込む", - "No Microphones detected": "マイクが検出されません", - "No Webcams detected": "Webカメラが検出されません", "Are you sure?": "よろしいですか?", "unknown error code": "不明なエラーコード", "Failed to forget room %(errCode)s": "ルームの履歴を消去するのに失敗しました %(errCode)s", - "Rooms": "ルーム", "Unnamed room": "名前のないルーム", "Thursday": "木曜日", "All Rooms": "全てのルーム", "You cannot delete this message. (%(code)s)": "このメッセージを削除できません。(%(code)s)", "Send": "送信", - "All messages": "全てのメッセージ", "Sunday": "日曜日", "Today": "今日", "Monday": "月曜日", "Friday": "金曜日", "Yesterday": "昨日", "Changelog": "更新履歴", - "Invite to this room": "このルームに招待", "Wednesday": "水曜日", "Tuesday": "火曜日", "Search…": "検索…", @@ -34,7 +25,6 @@ "Preparing to send logs": "ログを送信する準備をしています", "Logs sent": "ログが送信されました", "Thank you!": "ありがとうございます!", - "Permission Required": "権限が必要です", "Sun": "日", "Mon": "月", "Tue": "火", @@ -60,14 +50,9 @@ "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(monthName)s%(day)s日 %(weekDayName)s曜日 %(time)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日 %(weekDayName)s曜日 %(time)s", - "Default": "既定値", "Restricted": "制限", "Moderator": "モデレーター", - "Reason": "理由", - "Incorrect verification code": "認証コードが誤っています", "Warning!": "警告!", - "Authentication": "認証", - "Failed to set display name": "表示名の設定に失敗しました", "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.": "あなたは自分自身を降格させようとしています。この変更は取り消せません。あなたがルームの中で最後の特権ユーザーである場合、特権を再取得することはできなくなります。", @@ -81,34 +66,23 @@ "other": "他%(count)s人…", "one": "他1人…" }, - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s(権限レベル:%(powerLevelNumber)s)", - "This room has been replaced and is no longer active.": "このルームは置き換えられており、アクティブではありません。", - "The conversation continues here.": "こちらから継続中の会話を確認。", - "You do not have permission to post to this room": "このルームに投稿する権限がありません", "%(duration)ss": "%(duration)s秒", "%(duration)sm": "%(duration)s分", "%(duration)sh": "%(duration)s時", "%(duration)sd": "%(duration)s日", - "Replying": "以下に返信", "(~%(count)s results)": { "other": "(〜%(count)s件)", "one": "(〜%(count)s件)" }, "Join Room": "ルームに参加", - "Forget room": "ルームを消去", "Share room": "ルームを共有", "Failed to ban user": "ユーザーをブロックできませんでした", - "%(roomName)s does not exist.": "%(roomName)sは存在しません。", - "%(roomName)s is not accessible at this time.": "%(roomName)sは現在アクセスできません。", - "Failed to unban": "ブロック解除に失敗しました", - "Banned by %(displayName)s": "%(displayName)sによってブロックされました", "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": "このルームにはローカルアドレスがありません", - "Historical": "履歴", "Error decrypting attachment": "添付ファイルを復号化する際にエラーが発生しました", "Decrypt %(text)s": "%(text)sを復号化", "Download %(text)s": "%(text)sをダウンロード", @@ -131,7 +105,6 @@ }, "Before submitting logs, you must create a GitHub issue to describe your problem.": "ログを送信する前に、問題を説明するGitHub issueを作成してください。", "Confirm Removal": "削除の確認", - "Deactivate Account": "アカウントの無効化", "An error has occurred.": "エラーが発生しました。", "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が使用されていました。このバージョンでは、遅延ロードは無効です。ローカルのキャッシュにはこれらの2つの設定の間での互換性がないため、%(brand)sはアカウントを再同期する必要があります。", "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を使用すると、問題が発生します。", @@ -153,12 +126,8 @@ "We encountered an error trying to restore your previous 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の最新バージョンを使用していた場合、セッションはこのバージョンと互換性がない可能性があります。このウィンドウを閉じて、最新のバージョンに戻ってください。", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "ブラウザーのストレージを消去すると問題は解決するかもしれません。ただし、サインアウトを行うため、暗号化されたチャットの履歴を読むことができなくなります。", - "Invalid Email Address": "無効なメールアドレス", - "This doesn't appear to be a valid email address": "メールアドレスの形式が正しくありません", "Verification Pending": "認証の保留中", "Please check your email and click on the link it contains. Once this is done, click continue.": "電子メールを確認して、本文中のURLをクリックしてください。完了したら「続行」をクリックしてください。", - "Unable to add email address": "メールアドレスを追加できません", - "Unable to verify email address.": "メールアドレスを確認できません。", "This will allow you to reset your password and receive notifications.": "パスワードをリセットして通知を受け取れるようになります。", "Share Room": "ルームを共有", "Link to most recent message": "最新のメッセージにリンク", @@ -189,42 +158,16 @@ "one": "%(filename)sと他%(count)s件をアップロードしています" }, "Uploading %(filename)s": "%(filename)sをアップロードしています", - "Unable to remove contact information": "連絡先の情報を削除できません", - "No Audio Outputs detected": "音声出力が検出されません", - "Audio Output": "音声出力", "A new password must be entered.": "新しいパスワードを入力する必要があります。", "New passwords must match each other.": "新しいパスワードは互いに一致する必要があります。", "Return to login screen": "ログイン画面に戻る", "Session ID": "セッションID", - "Passphrases must match": "パスフレーズが一致していません", - "Passphrase must not be empty": "パスフレーズには1文字以上が必要です", - "Export room keys": "ルームの暗号鍵をエクスポート", - "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クライアントにインポートすることができます。", - "Enter passphrase": "パスフレーズを入力", - "Confirm passphrase": "パスフレーズを確認", - "Import room keys": "ルームの鍵をインポート", - "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.": "エクスポートされたファイルはパスフレーズで保護されています。ファイルを復号化するには、パスフレーズを以下に入力してください。", - "File to import": "インポートするファイル", - "Unignore": "無視を解除", "Room Name": "ルーム名", - "Phone numbers": "電話番号", - "Room information": "ルームの情報", - "Room Addresses": "ルームのアドレス", - "Sounds": "音", - "Notification sound": "通知音", - "Set a new custom sound": "カスタム音を設定", - "Browse": "参照", - "Email Address": "メールアドレス", "Main address": "メインアドレス", "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.": "ルームで必要な権限レベルを変更する際にエラーが発生しました。必要な権限があることを確認したうえで、もう一度やり直してください。", "Room Topic": "ルームのトピック", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "暗号化されたメッセージは、エンドツーエンドの暗号化によって保護されています。これらの暗号化されたメッセージを読むための鍵を持っているのは、あなたと受信者だけです。", - "Voice & Video": "音声とビデオ", "Remove recent messages": "最近のメッセージを削除", - "Add room": "ルームを追加", "Back up your keys before signing out to avoid losing them.": "鍵を失くさないよう、サインアウトする前にバックアップしてください。", "Start using Key Backup": "鍵のバックアップを使用開始", "Edited at %(date)s. Click to view edits.": "%(date)sに編集済。クリックすると変更履歴を表示。", @@ -233,15 +176,12 @@ "Manually export keys": "手動で鍵をエクスポート", "You'll lose access to your encrypted messages": "暗号化されたメッセージにアクセスできなくなります", "You'll upgrade this room from to .": "このルームをからにアップグレードします。", - "That matches!": "合致します!", "Encryption not enabled": "暗号化が有効になっていません", "The encryption used by this room isn't supported.": "このルームで使用されている暗号化はサポートされていません。", "Session name": "セッション名", "Session key": "セッションキー", - "Email addresses": "メールアドレス", "This room is end-to-end encrypted": "このルームはエンドツーエンドで暗号化されています", "Encrypted by an unverified session": "未認証のセッションによる暗号化", - "Close preview": "プレビューを閉じる", "Direct Messages": "ダイレクトメッセージ", "Power level": "権限レベル", "Removing…": "削除しています…", @@ -251,7 +191,6 @@ "Clear all data": "全てのデータを消去", "Message edits": "メッセージの編集履歴", "Sign out and remove encryption keys?": "サインアウトして、暗号鍵を削除しますか?", - "Italics": "斜字体", "Local address": "ローカルアドレス", "Email (optional)": "電子メール(任意)", "Not Trusted": "信頼されていません", @@ -270,18 +209,12 @@ "You signed in to a new session without verifying it:": "あなたのこのセッションはまだ認証されていません:", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s(%(userId)s)は未認証のセッションにサインインしました:", "Recent Conversations": "最近会話したユーザー", - "Account management": "アカウントの管理", "Deactivate account": "アカウントを無効化", "Published Addresses": "公開アドレス", "Local Addresses": "ローカルアドレス", - "Error changing power level": "権限レベルを変更する際にエラーが発生しました", "Cancel search": "検索をキャンセル", "Show more": "さらに表示", "This backup is trusted because it has been restored on this session": "このバックアップは、このセッションで復元されたため信頼されています", - "Missing media permissions, click the button below to request.": "メディアの使用に関する権限がありません。リクエストするには下のボタンを押してください。", - "Request media permissions": "メディア権限をリクエスト", - "Join the discussion": "ルームに参加", - "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)sはプレビューできません。ルームに参加しますか?", "Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "アドレスを設定すると、他のユーザーがあなたのホームサーバー(%(localDomain)s)を通じてこのルームを見つけられるようになります。", "Verify User": "ユーザーの認証", "Your homeserver": "あなたのホームサーバー", @@ -290,9 +223,6 @@ "Switch theme": "テーマを切り替える", "Failed to connect to integration manager": "インテグレーションマネージャーへの接続に失敗しました", "Start verification again from their profile.": "プロフィールから再度認証を開始してください。", - "Do not use an identity server": "IDサーバーを使用しない", - "Room options": "ルームの設定", - "Ignored users": "無視しているユーザー", "Unencrypted": "暗号化されていません", "Encrypted by a deleted session": "削除済のセッションによる暗号化", "Scroll to most recent messages": "最新のメッセージを表示", @@ -311,12 +241,6 @@ "You've successfully verified %(displayName)s!": "%(displayName)sは正常に認証されました!", "You've successfully verified %(deviceName)s (%(deviceId)s)!": "%(deviceName)s(%(deviceId)s)は正常に認証されました!", "You've successfully verified your device!": "この端末は正常に認証されました!", - "Reject & Ignore user": "拒否した上で、このユーザーを無視", - " invited you": "があなたを招待しています", - "Do you want to join %(roomName)s?": "%(roomName)sに参加しますか?", - "Start chatting": "チャットを開始", - " wants to chat": "がチャットの開始を求めています", - "Do you want to chat with %(user)s?": "%(user)sとのチャットを開始しますか?", "Use the Desktop app to search encrypted messages": "デスクトップアプリを使用すると暗号化されたメッセージを検索できます", "Accepting…": "承認しています…", "Waiting for %(displayName)s to accept…": "%(displayName)sによる承認を待機しています…", @@ -326,23 +250,17 @@ "Your messages are secured and only you and the recipient have the unique keys to unlock them.": "あなたのメッセージは保護されています。メッセージのロックを解除するための固有の鍵は、あなたと受信者だけが持っています。", "%(name)s wants to verify": "%(name)sが認証を要求しています", "You sent a verification request": "認証リクエストを送信しました", - "Forget this room": "このルームを消去", "Recently Direct Messaged": "最近ダイレクトメッセージで会話したユーザー", "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": "暗号化をアップグレード", "e.g. my-room": "例:my-room", "Room address": "ルームのアドレス", "New published address (e.g. #alias:server)": "新しい公開アドレス(例:#alias:server)", "No other published addresses yet, add one below": "他の公開アドレスはまだありません。以下から追加できます", "Security Key": "セキュリティーキー", - "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.": "IDサーバーの使用は任意です。IDサーバーを使用しない場合、他のユーザーによって見つけられず、また、メールアドレスや電話で他のユーザーを招待することもできません。", "Integrations not allowed": "インテグレーションは許可されていません", "Integrations are disabled": "インテグレーションが無効になっています", - "Manage integrations": "インテグレーションを管理", - "Enter a new identity server": "新しいIDサーバーを入力", "Backup version:": "バックアップのバージョン:", - "Explore rooms": "ルームを探す", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Matrix関連のセキュリティー問題を報告するには、Matrix.orgのSecurity Disclosure Policyをご覧ください。", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "アドレスを作成する際にエラーが発生しました。サーバーで許可されていないか、一時的な障害が発生した可能性があります。", "Error creating address": "アドレスを作成する際にエラーが発生しました", @@ -356,60 +274,6 @@ "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.": "このルームをアップグレードすると、現在のルームの使用を終了し、アップグレードしたルームを同じ名前で作成します。", "This room has already been upgraded.": "このルームは既にアップグレードされています。", - "You're previewing %(roomName)s. Want to join it?": "ルーム %(roomName)s のプレビューです。参加しますか?", - "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.": "設定からIDサーバーを使用すると、%(brand)sから直接招待を受け取れます。", - "This invite to %(roomName)s was sent to %(email)s": "ルーム %(roomName)sへの招待がメールアドレス %(email)s へ送信されました", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "このメールアドレスを設定からあなたのアカウントにリンクすると%(brand)sから直接招待を受け取ることができます。", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "ルーム %(roomName)s への招待が、アカウントに関連付けられていないメールアドレス %(email)s に送信されました", - "Try to join anyway": "参加を試みる", - "You can only join it with a working invite.": "有効な招待がある場合にのみ参加できます。", - "Something went wrong with your invite to %(roomName)s": "%(roomName)sへの招待に問題が発生しました", - "You were banned from %(roomName)s by %(memberName)s": "%(memberName)sにより%(roomName)sからブロックされました", - "Re-join": "再参加", - "Reason: %(reason)s": "理由:%(reason)s", - "Sign Up": "サインアップ", - "Join the conversation with an account": "アカウントで会話に参加", - "Explore public rooms": "公開ルームを探す", - "Discovery options will appear once you have added a phone number above.": "上で電話番号を追加すると、発見可能に設定する電話番号を選択できるようになります。", - "Verification code": "認証コード", - "Please enter verification code sent via text.": "テキストで送信された確認コードを入力してください。", - "Unable to verify phone number.": "電話番号を認証できません。", - "Unable to share phone number": "電話番号を共有できません", - "Unable to revoke sharing for phone number": "電話番号の共有を取り消せません", - "Discovery options will appear once you have added an email above.": "上でメールアドレスを追加すると、発見可能に設定するメールアドレスを選択できるようになります。", - "Verify the link in your inbox": "受信したメールの認証リンクを開いてください", - "Click the link in the email you received to verify and then click continue again.": "受信したメールにあるリンクを開いて認証した後、改めて「続行する」を押してください。", - "Your email address hasn't been verified yet": "メールアドレスはまだ認証されていません", - "Unable to share email address": "メールアドレスを共有できません", - "Unable to revoke sharing for email address": "メールアドレスの共有を取り消せません", - "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "ユーザーの権限レベルを変更する際にエラーが発生しました。必要な権限があることを確認して、もう一度やり直してください。", - "Uploaded sound": "アップロードされた音", - "Bridges": "ブリッジ", - "This room is bridging messages to the following platforms. Learn more.": "このルームは以下のプラットフォームにメッセージをブリッジしています。詳細", - "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "サーバー管理者は、非公開のルームとダイレクトメッセージで既定でエンドツーエンド暗号化を無効にしています。", - "None": "なし", - "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サーバーから切断すると、他のユーザーによって見つけられなくなり、また、メールアドレスや電話で他のユーザーを招待することもできなくなります。", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "現在、IDサーバーを使用していません。連絡先を見つけたり、連絡先から見つけてもらったりするには、以下でIDサーバーを追加してください。", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "連絡先の検出にではなく他のIDサーバーを使いたい場合は、以下で指定してください。", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "現在を使用して、自分の連絡先を見つけたり、連絡先から見つけてもらったりできるようにしています。以下でIDサーバーを変更できます。", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "切断する前に、IDサーバーからメールアドレスと電話番号を削除することを推奨します。", - "You are still sharing your personal data on the identity server .": "まだIDサーバー 個人データを共有しています。", - "Disconnect anyway": "切断", - "wait and try again later": "後でもう一度やり直してください", - "contact the administrators of identity server ": "IDサーバー の管理者に連絡してください", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "ブラウザーのプラグインの内、IDサーバーをブロックする可能性があるもの(Privacy Badgerなど)を確認してください", - "You should:": "するべきこと:", - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "切断する前にIDサーバー から個人データを削除するべきですが、IDサーバー は現在オフライン状態か、またはアクセスできません。", - "Disconnect from the identity server ?": "IDサーバー から切断しますか?", - "Disconnect identity server": "IDサーバーから切断", - "The identity server you have chosen does not have any terms of service.": "選択したIDサーバーには利用規約がありません。", - "Terms of service not accepted or the identity server is invalid.": "利用規約に同意していないか、IDサーバーが無効です。", - "Disconnect from the identity server and connect to instead?": "IDサーバー から切断してに接続しますか?", - "Change identity server": "IDサーバーを変更", - "Checking server": "サーバーをチェックしています", "Set up": "設定", "Folder": "フォルダー", "Headphones": "ヘッドホン", @@ -526,22 +390,12 @@ "South Korea": "韓国", "South Georgia & South Sandwich Islands": "南ジョージア&南サンドイッチ諸島", "Open dial pad": "ダイヤルパッドを開く", - "Show Widgets": "ウィジェットを表示", - "Hide Widgets": "ウィジェットを非表示にする", - "No recently visited rooms": "最近訪れたルームはありません", - "Recently visited rooms": "最近訪れたルーム", - "Room %(name)s": "ルーム %(name)s", "The authenticity of this encrypted message can't be guaranteed on this device.": "この暗号化されたメッセージの真正性はこの端末では保証できません。", "Edit message": "メッセージを編集", "Someone is using an unknown session": "誰かが不明なセッションを使用しています", "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.": "このユーザーは全てのセッションを確認していません。", - "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を削除しますか?", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "アドレスを確認するためメールを送りました。そこにある手順に従い、その後に下のボタンを押してください。", - "Remove %(email)s?": "%(email)sを削除しますか?", "South Africa": "南アフリカ", "Somalia": "ソマリア", "Solomon Islands": "ソロモン諸島", @@ -799,16 +653,11 @@ "Error removing address": "アドレスを削除する際にエラーが発生しました", "There was an error removing that address. It may no longer exist or a temporary error occurred.": "アドレスを削除する際にエラーが発生しました。既にルームが存在しないか、一時的なエラーが発生しました。", "You don't have permission to delete the address.": "アドレスを削除する権限がありません。", - "Suggested Rooms": "おすすめのルーム", - "Add existing room": "既存のルームを追加", - "Invite to this space": "このスペースに招待", "Your message was sent": "メッセージが送信されました", "Leave space": "スペースから退出", "Create a space": "スペースを作成", "Edit devices": "端末を編集", - "You have no ignored users.": "無視しているユーザーはいません。", "Invite to %(roomName)s": "%(roomName)sに招待", - "Private space": "非公開スペース", "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.": "このルームの参加者はあなただけです。退出すると、今後あなたを含めて誰もこのルームに参加できなくなります。", @@ -816,32 +665,17 @@ "one": "ルームを追加しています…", "other": "ルームを追加しています…(計%(count)s個のうち%(progress)s個)" }, - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "インテグレーションマネージャーは設定データを受け取り、ユーザーの代わりにウィジェットの変更や、ルームへの招待の送信、権限レベルの設定を行うことができます。", - "Use an integration manager to manage bots, widgets, and sticker packs.": "インテグレーションマネージャーを使用すると、ボット、ウィジェット、ステッカーパックを管理できます。", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "インテグレーションマネージャー(%(serverName)s) を使用すると、ボット、ウィジェット、ステッカーパックを管理できます。", - "Identity server (%(server)s)": "IDサーバー(%(server)s)", - "Could not connect to identity server": "IDサーバーに接続できませんでした", - "Not a valid identity server (status code %(code)s)": "有効なIDサーバーではありません(ステータスコード %(code)s)", - "Identity server URL must be HTTPS": "IDサーバーのURLはHTTPSスキーマである必要があります", - "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": "スペースを追加", "Joined": "参加済", "To join a space you'll need an invite.": "スペースに参加するには招待が必要です。", - "Home options": "ホームのオプション", "Files": "ファイル", "Export chat": "チャットをエクスポート", "Failed to send": "送信に失敗しました", "Close dialog": "ダイアログを閉じる", "Preparing to download logs": "ログのダウンロードを準備しています", - "Hide stickers": "ステッカーを表示しない", "Send voice message": "音声メッセージを送信", - "You do not have permission to start polls in this room.": "このルームでアンケートを開始する権限がありません。", - "Voice Message": "音声メッセージ", - "Poll": "アンケート", - "Insert link": "リンクを挿入", "Reason (optional)": "理由(任意)", "Copy link to thread": "スレッドへのリンクをコピー", "Create a new space": "新しいスペースを作成", @@ -885,7 +719,6 @@ "Submit logs": "ログを提出", "Click to view edits": "クリックすると変更履歴を表示", "Can't load this message": "このメッセージを読み込めません", - "Address": "アドレス", "Notes": "メモ", "Search for rooms": "ルームを検索", "Create a new room": "新しいルームを作成", @@ -924,27 +757,14 @@ "Join millions for free on the largest public server": "最大の公開サーバーで、数百万人に無料で参加", "This homeserver would like to make sure you are not a robot.": "このホームサーバーは、あなたがロボットではないことの確認を求めています。", "Verify this device": "この端末を認証", - "Verify with another device": "別の端末で認証", "Forgotten or lost all recovery methods? Reset all": "復元方法を全て失ってしまいましたか?リセットできます", - "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.": "セキュリティーキーを生成します。パスワードマネージャーもしくは金庫のような安全な場所で保管してください。", - "Generate a Security Key": "セキュリティーキーを生成", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "サーバー上の暗号鍵をバックアップして、暗号化されたメッセージとデータへのアクセスが失われるのを防ぎましょう。", - "Proceed with reset": "リセットする", - "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.": "認証鍵のリセットは取り消せません。リセットすると、以前の暗号化されたメッセージにはアクセスできなくなります。また、あなたのアカウントを認証した連絡先には、再認証するまで、セキュリティーに関する警告が表示されます。", "Really reset verification keys?": "本当に認証鍵をリセットしますか?", - "Start new chat": "チャットを開始", - "Invite to space": "スペースに招待", "Enter the name of a new server you want to explore.": "探したい新しいサーバーの名前を入力してください。", "Upgrade public room": "公開ルームをアップグレード", - "Public room": "公開ルーム", "Upgrade private room": "非公開のルームをアップグレード", "Can't find this server or its room list": "このサーバーまたはそのルーム一覧が見つかりません", - "Join public room": "公開ルームに参加", "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から追放されました", "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 ).": "名前、メールアドレス、ユーザー名(の形式)で検索して、チャットを開始しましょう。", @@ -957,10 +777,8 @@ "Search for rooms or people": "ルームと連絡先を検索", "Invite anyway": "招待", "Invite anyway and never warn me again": "招待し、再び警告しない", - "Recovery Method Removed": "復元方法を削除しました", "Remove from room": "ルームから追放", "Failed to remove user": "ユーザーの追放に失敗しました", - "Success!": "成功しました!", "Information": "情報", "Search for spaces": "スペースを検索", "Feedback sent! Thanks, we appreciate it!": "フィードバックを送信しました!ありがとうございました!", @@ -995,7 +813,6 @@ "Unable to copy a link to the room to the clipboard.": "ルームのリンクをクリップボードにコピーできませんでした。", "Unable to copy room link": "ルームのリンクをコピーできません", "The server is offline.": "サーバーはオフラインです。", - "New Recovery Method": "新しい復元方法", "No answer": "応答がありません", "Almost there! Is your other device showing the same shield?": "あと少しです! あなたの他の端末は同じ盾マークを表示していますか?", "Delete all": "全て削除", @@ -1003,8 +820,6 @@ "Results": "結果", "Could not load user profile": "ユーザーのプロフィールを読み込めませんでした", "Device verified": "端末が認証されました", - "This session is encrypting history using the new recovery method.": "このセッションでは新しい復元方法で履歴を暗号化しています。", - "Go to Settings": "設定を開く", "%(count)s rooms": { "one": "%(count)s個のルーム", "other": "%(count)s個のルーム" @@ -1021,47 +836,29 @@ "Leave all rooms": "全てのルームから退出", "Select spaces": "スペースを選択", "Your homeserver doesn't seem to support this feature.": "ホームサーバーはこの機能をサポートしていません。", - "Unknown failure": "不明なエラー", "Incorrect Security Phrase": "セキュリティーフレーズが正しくありません", "Messaging": "メッセージ", "If you have permissions, open the menu on any message and select Pin to stick them here.": "権限がある場合は、メッセージのメニューを開いて固定を選択すると、ここにメッセージが表示されます。", "No results found": "検索結果がありません", "Private space (invite only)": "非公開スペース(招待者のみ参加可能)", - "Public space": "公開スペース", "Sending": "送信しています", "MB": "MB", "Failed to end poll": "アンケートの終了に失敗しました", "End Poll": "アンケートを終了", - "Add people": "連絡先を追加", "View message": "メッセージを表示", - "Show %(count)s other previews": { - "one": "他%(count)s個のプレビューを表示", - "other": "他%(count)s個のプレビューを表示" - }, "Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "このユーザーを認証すると、信頼済として表示します。ユーザーを信頼すると、より一層安心してエンドツーエンド暗号化を使用することができます。", "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.": "この端末を認証すると、信頼済として表示します。相手の端末を信頼すると、より一層安心してエンドツーエンド暗号化を使用することができます。", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "以下のMatrix IDのプロフィールを発見できません。招待しますか?", - "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.": "新しい復元方法を設定しなかった場合、攻撃者がアカウントへアクセスしようとしている可能性があります。設定画面ですぐにアカウントのパスワードを変更し、新しい復元方法を設定してください。", "General failure": "一般エラー", "Failed to decrypt %(failedCount)s sessions!": "%(failedCount)s個のセッションの復号化に失敗しました!", "No backup found!": "バックアップがありません!", "Unable to restore backup": "バックアップを復元できません", "Unable to load backup status": "バックアップの状態を読み込めません", - "Unable to create key backup": "鍵のバックアップを作成できません", - "Go back to set it again.": "戻って、改めて設定してください。", - "That doesn't match.": "合致しません。", "Continue With Encryption Disabled": "暗号化を無効にして続行", - "Get notified only with mentions and keywords as set up in your settings": "メンションと、設定したキーワードのみを通知", - "@mentions & keywords": "メンションとキーワード", - "Get notified for every message": "全てのメッセージを通知", - "You won't get any notifications": "通知を送信しません", - "Get notifications as set up in your settings": "設定に従って通知", "Recently viewed": "最近表示したルーム", - "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で問題が発生した場合は、不具合を報告してください。", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "アドレスを設定すると、他のユーザーがあなたのホームサーバー(%(localDomain)s)を通じてこのスペースを見つけられるようになります。", - "Space information": "スペースの情報", "Retry all": "全て再試行", "You can select all or individual messages to retry or delete": "全てのメッセージ、あるいは個別のメッセージを選択して、再送を試みるか削除することができます", "Some of your messages have not been sent": "いくつかのメッセージが送信されませんでした", @@ -1079,10 +876,8 @@ "Verify other device": "他の端末を認証", "Upload Error": "アップロードエラー", "View in room": "ルーム内で表示", - "Message didn't send. Click for info.": "メッセージが送信されませんでした。クリックすると詳細を表示します。", "Thread options": "スレッドの設定", "Invited people will be able to read old messages.": "招待したユーザーは、以前のメッセージを閲覧できるようになります。", - "Clear personal data": "個人データを消去", "Your password has been reset.": "パスワードを再設定しました。", "Couldn't load page": "ページを読み込めませんでした", "We couldn't create your DM.": "ダイレクトメッセージを作成できませんでした。", @@ -1107,11 +902,6 @@ "Language Dropdown": "言語一覧", "You cancelled verification on your other device.": "他の端末で認証がキャンセルされました。", "You won't be able to rejoin unless you are re-invited.": "再び招待されない限り、再参加することはできません。", - "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.": "新しい端末が認証されました。端末は暗号化されたメッセージにアクセスすることができます。また、端末は他のユーザーに「信頼済」として表示されます。", - "Verify with Security Key": "セキュリティーキーで認証", - "Verify with Security Key or Phrase": "セキュリティーキーあるいはセキュリティーフレーズで認証", - "A new Security Phrase and key for Secure Messages have been detected.": "新しいセキュリティーフレーズと、セキュアメッセージの鍵が検出されました。", "a new cross-signing key signature": "新しいクロス署名鍵の署名", "a device cross-signing signature": "端末のクロス署名", "A connection error occurred while trying to contact the server.": "サーバーに接続する際にエラーが発生しました。", @@ -1120,7 +910,6 @@ "You may contact me if you have any follow up questions": "追加で確認が必要な事項がある場合は、連絡可", "From a thread": "スレッドから", "Identity server URL does not appear to be a valid identity server": "これは正しいIDサーバーのURLではありません", - "Create key backup": "鍵のバックアップを作成", "My current location": "自分の現在の位置情報", "My live location": "自分の位置情報(ライブ)", "What location type do you want to share?": "どのような種類の位置情報を共有したいですか?", @@ -1132,13 +921,7 @@ "one": "%(count)s件の返信" }, "Call declined": "拒否しました", - "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.": "続行するには、他の端末で認証リクエストを承認してください。", - "You can also set up Secure Backup & manage your keys in Settings.": "セキュアバックアップを設定し、設定画面から鍵を管理することもできます。", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "いまキャンセルすると、ログイン情報にアクセスできなくなった場合に、暗号化されたメッセージやデータを失ってしまう可能性があります。", - "Enter your Security Phrase a second time to confirm it.": "確認のため、セキュリティーフレーズを再入力してください。", - "Enter a Security Phrase": "セキュリティーフレーズを入力", "Backup could not be decrypted with this Security Phrase: please verify that you entered the correct Security Phrase.": "このセキュリティーフレーズではバックアップを復号化できませんでした。正しいセキュリティーフレーズを入力したことを確認してください。", "Drop a Pin": "場所を選択", "No votes cast": "投票がありません", @@ -1156,7 +939,6 @@ "Vote not registered": "投票できませんでした", "Sorry, your vote was not registered. Please try again.": "投票できませんでした。もう一度やり直してください。", "Something went wrong trying to invite the users.": "ユーザーを招待する際に、問題が発生しました。", - "Your keys are being backed up (the first backup could take a few minutes).": "鍵をバックアップしています(最初のバックアップは数分かかる可能性があります)。", "Confirm account deactivation": "アカウントの無効化を承認", "Confirm your account deactivation by using Single Sign On to prove your identity.": "シングルサインオンを使用して本人確認を行い、アカウントの無効化を承認してください。", "The poll has ended. Top answer: %(topAnswer)s": "アンケートが終了しました。最も多い投票数を獲得した選択肢:%(topAnswer)s", @@ -1167,8 +949,6 @@ "The beginning of the room": "ルームの先頭", "Jump to date": "日付に移動", "Incoming Verification Request": "認証のリクエストが届いています", - "Set up Secure Messages": "セキュアメッセージを設定", - "Use a different passphrase?": "異なるパスフレーズを使用しますか?", "Failed to start livestream": "ライブストリームの開始に失敗しました", "Unable to start audio streaming.": "音声ストリーミングを開始できません。", "If you've forgotten your Security Key you can ": "セキュリティーキーを紛失した場合は、できます", @@ -1193,23 +973,15 @@ "No microphone found": "マイクが見つかりません", "We were unable to access your microphone. Please check your browser settings and try again.": "マイクにアクセスできませんでした。ブラウザーの設定を確認して、もう一度やり直してください。", "Unable to access your microphone": "マイクを使用できません", - "Unable to set up secret storage": "機密ストレージを設定できません", - "Save your Security Key": "セキュリティーキーを保存", - "Confirm Security Phrase": "セキュリティーフレーズを確認", - "Set a Security Phrase": "セキュリティーフレーズを設定", - "Confirm your Security Phrase": "セキュリティーフレーズを確認", "Error processing voice message": "音声メッセージを処理する際にエラーが発生しました", - "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": "があなたを招待しています", "Signature upload failed": "署名のアップロードに失敗しました", "toggle event": "イベントを切り替える", - "%(spaceName)s menu": "%(spaceName)sのメニュー", "Search spaces": "スペースを検索", "Unnamed audio": "名前のない音声", "Other searches": "その他の検索", "To search messages, look for this icon at the top of a room ": "メッセージを検索する場合は、ルームの上に表示されるアイコンをクリックしてください。", "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": "ホームサーバーの問題のため再認証に失敗しました", "Invalid base_url for m.identity_server": "m.identity_serverの不正なbase_url", "Homeserver URL does not appear to be a valid Matrix homeserver": "これは正しいMatrixのホームサーバーのURLではありません", "Invalid base_url for m.homeserver": "m.homeserverの不正なbase_url", @@ -1223,16 +995,8 @@ "These files are too large to upload. The file size limit is %(limit)s.": "アップロードしようとしているファイルのサイズが大きすぎます。最大のサイズは%(limit)sです。", "a new master key signature": "新しいマスターキーの署名", "Search names and descriptions": "名前と説明文を検索", - "Currently joining %(count)s rooms": { - "one": "現在%(count)s個のルームに参加しています", - "other": "現在%(count)s個のルームに参加しています" - }, "Error downloading audio": "音声をダウンロードする際にエラーが発生しました", "Resend %(unsentCount)s reaction(s)": "%(unsentCount)s個のリアクションを再送信", - "Enter your account password to confirm the upgrade:": "アップグレードを承認するには、アカウントのパスワードを入力してください:", - "You'll need to authenticate with the server to confirm the upgrade.": "サーバーをアップグレードするには認証が必要です。", - "Unable to query secret storage status": "機密ストレージの状態を読み込めません", - "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.": "復元方法を削除しなかった場合、攻撃者があなたのアカウントにアクセスしようとしている可能性があります。設定画面でアカウントのパスワードを至急変更し、新しい復元方法を設定してください。", "Your browser likely removed this data when running low on disk space.": "ディスクの空き容量が少なかったため、ブラウザーはこのデータを削除しました。", "You are about to leave .": "から退出しようとしています。", "You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "あなたは、退出しようとしているいくつかのルームとスペースの唯一の管理者です。退出すると、誰もそれらを管理できなくなります。", @@ -1253,11 +1017,7 @@ "Some encryption parameters have been changed.": "暗号化のパラメーターのいくつかが変更されました。", "The call is in an unknown state!": "通話の状態が不明です!", "They won't be able to access whatever you're not an admin of.": "あなたが管理者でない場所にアクセスすることができなくなります。", - "Failed to update the join rules": "参加のルールの更新に失敗しました", "They'll still be able to access whatever you're not an admin of.": "あなたが管理者ではないスペースやルームには、引き続きアクセスできます。", - "Restore your key backup to upgrade your encryption": "鍵のバックアップを復元し、暗号化をアップグレードしてください", - "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "セキュリティーフレーズと、セキュアメッセージの鍵が削除されました。", - "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.": "偶然削除してしまった場合は、このセッションで、メッセージの暗号化を設定することができます。設定すると、新しい復元方法でセッションのデータを改めて暗号化します。", "%(count)s people you know have already joined": { "one": "%(count)s人の知人が既に参加しています", "other": "%(count)s人の知人が既に参加しています" @@ -1267,7 +1027,6 @@ "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": "このアドレスは不正なサーバーを含んでいるか、既に使用されています", "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": "あなた、もしくは他のユーザーのセッション", "Yours, or the other users' internet connection": "あなた、もしくは他のユーザーのインターネット接続", "The homeserver the user you're verifying is connected to": "認証しようとしているユーザーが接続しているホームサーバー", @@ -1308,13 +1067,6 @@ "Unban from room": "ルームからのブロックを解除", "Ban from room": "ルームからブロック", "%(featureName)s Beta feedback": "%(featureName)sのベータ版のフィードバック", - "You can still join here.": "参加できます。", - "This invite was sent to %(email)s": "招待が%(email)sに送信されました", - "This room or space does not exist.": "このルームまたはスペースは存在しません。", - "This room or space is not accessible at this time.": "このルームまたはスペースは現在アクセスできません。", - "%(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 が発生しました。エラー発生時にこのメッセージが表示されているなら、バグレポートを送信してください。", - "New room": "新しいルーム", - "New video room": "新しいビデオ通話ルーム", "%(count)s participants": { "other": "%(count)s人の参加者", "one": "1人の参加者" @@ -1322,13 +1074,6 @@ "Confirm this user's session by comparing the following with their User Settings:": "ユーザー設定画面で以下を比較し、このユーザーのセッションを承認してください:", "Confirm by comparing the following with the User Settings in your other session:": "他のセッションのユーザー設定で、以下を比較して承認してください:", "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で使用できます。", - "Loading preview": "プレビューを読み込んでいます", - "You were removed by %(memberName)s": "%(memberName)sにより追放されました", - "Forget this space": "このスペースの履歴を消去", - "You were banned by %(memberName)s": "%(memberName)sによりブロックされました", - "Something went wrong with your invite.": "招待に問題が発生しました。", - "This invite was sent to %(email)s which is not associated with your account": "この招待は、アカウントに関連付けられていないメールアドレス %(email)s に送信されました", - "Try again later, or ask a room or space admin to check if you have access.": "後でもう一度やり直すか、ルームまたはスペースの管理者に、アクセス権の有無を確認してください。", "Live location ended": "位置情報(ライブ)が終了しました", "Disinvite from space": "スペースへの招待を取り消す", "Remove from space": "スペースから追放", @@ -1340,10 +1085,6 @@ "Unable to load commit detail: %(msg)s": "コミットの詳細を読み込めません:%(msg)s", "Explore public spaces in the new search dialog": "新しい検索ダイアログで公開スペースを探す", "Room info": "ルームの情報", - "Video room": "ビデオ通話ルーム", - "Your password was successfully changed.": "パスワードを変更しました。", - "Video settings": "ビデオの設定", - "Voice settings": "音声の設定", "Start a group chat": "グループチャットを開始", "Other options": "その他のオプション", "Copy invite link": "招待リンクをコピー", @@ -1354,10 +1095,7 @@ "Modal Widget": "モーダルウィジェット", "You will no longer be able to log in": "ログインできなくなります", "Friends and family": "友達と家族", - "Joining…": "参加しています…", "Show Labs settings": "ラボの設定を表示", - "Private room": "非公開ルーム", - "Video call (Jitsi)": "ビデオ通話(Jitsi)", "Click the button below to confirm your identity.": "本人確認のため、下のボタンをクリックしてください。", "%(count)s Members": { "other": "%(count)s人の参加者", @@ -1374,14 +1112,8 @@ "An unexpected error occurred.": "予期しないエラーが発生しました。", "Devices connected": "接続中の端末", "Check that the code below matches with your other device:": "以下のコードが他の端末と一致していることを確認してください:", - "Great! This Security Phrase looks strong enough.": "すばらしい! このセキュリティーフレーズは十分に強力なようです。", - "%(downloadButton)s or %(copyButton)s": "%(downloadButton)sまたは%(copyButton)s", "Video call ended": "ビデオ通話が終了しました", "%(name)s started a video call": "%(name)sがビデオ通話を始めました", - "To join, please enable video rooms in Labs first": "参加するには、まずラボのビデオ通話ルームを有効にしてください", - "To view %(roomName)s, you need an invite": "%(roomName)sを見るには招待が必要です", - "There's no preview, would you like to join?": "プレビューはありませんが、参加しますか?", - "Video call (%(brand)s)": "ビデオ通話(%(brand)s)", "Error downloading image": "画像をダウンロードする際にエラーが発生しました", "Unable to show image due to error": "エラーにより画像を表示できません", "Reset event store?": "イベントストアをリセットしますか?", @@ -1390,19 +1122,8 @@ "Close sidebar": "サイドバーを閉じる", "You are sharing your live location": "位置情報(ライブ)を共有しています", "Stop and close": "停止して閉じる", - "Call type": "通話の種類", - "You do not have sufficient permissions to change this.": "この変更に必要な権限がありません。", "Saved Items": "保存済み項目", - "View chat timeline": "チャットのタイムラインを表示", - "Spotlight": "スポットライト", - "Read receipts": "開封確認メッセージ", - "Seen by %(count)s people": { - "one": "%(count)s人が閲覧済", - "other": "%(count)s人が閲覧済" - }, "%(members)s and %(last)s": "%(members)sと%(last)s", - "Hide formatting": "フォーマットを表示しない", - "Show formatting": "フォーマットを表示", "Updated %(humanizedUpdateTime)s": "%(humanizedUpdateTime)sに更新", "Unsent": "未送信", "Not all selected were added": "選択されたもの全てが追加されてはいません", @@ -1413,18 +1134,10 @@ "Choose a locale": "ロケールを選択", "%(displayName)s's live location": "%(displayName)sの位置情報(ライブ)", "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?": "正しい場所にいますか?", "Text": "テキスト", - "Freedom": "自由", - "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)sではエンドツーエンド暗号化が設定されていますが、より少ないユーザー数に限定されています。", - "Connection": "接続", - "Voice processing": "音声を処理しています", - "Automatically adjust the microphone volume": "マイクの音量を自動的に調節", "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)", - "Change layout": "レイアウトを変更", "Create a link": "リンクを作成", "Edit link": "リンクを編集", "Unable to decrypt message": "メッセージを復号化できません", @@ -1438,8 +1151,6 @@ "Preserve system messages": "システムメッセージを保存", "Message pending moderation": "保留中のメッセージのモデレート", "WARNING: ": "警告:", - "Send email": "電子メールを送信", - "Close call": "通話を終了", "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.": "探している相手が見つからなければ、招待リンクを送信してください。", @@ -1460,7 +1171,6 @@ "Hide my messages from new joiners": "自分のメッセージを新しい参加者に表示しない", "Messages in this chat will be end-to-end encrypted.": "このチャットのメッセージはエンドツーエンドで暗号化されます。", "You don't have permission to share locations": "位置情報の共有に必要な権限がありません", - "Deactivating your account is a permanent action — be careful!": "アカウントを無効化すると取り消せません。ご注意ください!", "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.": "他のユーザーをチャットを開始できませんでした。", @@ -1468,10 +1178,6 @@ "Thread root ID: %(threadRootId)s": "スレッドのルートID:%(threadRootId)s", "Sign out of all devices": "全ての端末からサインアウト", "Confirm new password": "新しいパスワードを確認", - "Currently removing messages in %(count)s rooms": { - "one": "現在%(count)s個のルームのメッセージを削除しています", - "other": "現在%(count)s個のルームのメッセージを削除しています" - }, "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.": "もう一方の端末はサインインしていません。", @@ -1485,7 +1191,6 @@ "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.": "この端末を認証すると、信頼済として表示します。あなたを認証したユーザーはこの端末を信頼することができるようになります。", "Message pending moderation: %(reason)s": "メッセージはモデレートの保留中です:%(reason)s", - "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)が発生しました。あなたを招待した人にこの情報を渡してみてください。", "Uncheck if you also want to remove system messages on this user (e.g. membership change, profile change…)": "このユーザーに関するシステムメッセージ(メンバーシップの変更、プロフィールの変更など)も削除したい場合は、チェックを外してください", "You are about to remove %(count)s messages by %(user)s. This will remove them permanently for everyone in the conversation. Do you wish to continue?": { "one": "%(user)sによる%(count)s件のメッセージを削除しようとしています。これは会話に参加している全員からメッセージを永久に削除します。続行してよろしいですか?", @@ -1498,7 +1203,6 @@ "Invalid homeserver discovery response": "ホームサーバーのディスカバリー(発見)に関する不正な応答です", "Failed to get autodiscovery configuration from server": "自動発見の設定をサーバーから取得できませんでした", "Ignore %(user)s": "%(user)sを無視", - "Join the room to participate": "ルームに参加", "Consult first": "初めに相談", "We'll help you get connected.": "みんなと繋がる手助けをいたします。", "Who will you chat to the most?": "誰と最もよく会話しますか?", @@ -1518,8 +1222,6 @@ "You will be removed from the identity server: your friends will no longer be able to find you with your email or phone number": "あなたの情報はIDサーバーから削除されます。あなたの友達は、電子メールまたは電話番号であなたを検索することができなくなります", "%(members)s and more": "%(members)s人とその他のメンバー", " in %(room)s": " %(room)s内で", - "Failed to set pusher state": "プッシュサービスの設定に失敗しました", - "Your account details are managed separately at %(hostname)s.": "あなたのアカウントの詳細は%(hostname)sで管理されています。", "Some results may be hidden for privacy": "プライバシーの観点から表示していない結果があります", "You cannot search for rooms that are neither a room nor a space": "ルームまたはスペースではないルームを探すことはできません", "Allow this widget to verify your identity": "このウィジェットに本人確認を許可", @@ -1534,31 +1236,20 @@ "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.": "ルームのアップグレードは高度な操作です。バグや欠けている機能、セキュリティーの脆弱性などによってルームが不安定な場合に、アップデートを推奨します。", "Declining…": "拒否しています…", - "Enable %(brand)s as an additional calling option in this room": "%(brand)sをこのルームの追加の通話手段として有効にする", "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.": "警告:あなたの個人データ(暗号化の鍵を含む)が、このセッションに保存されています。このセッションの使用を終了するか、他のアカウントにログインしたい場合は、そのデータを消去してください。", "Scan QR code": "QRコードをスキャン", "Select '%(scanQRCode)s'": "「%(scanQRCode)s」を選択", "Enable '%(manageIntegrations)s' in Settings to do this.": "これを行うには設定から「%(manageIntegrations)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.": "全ての端末とセキュリティーキーを紛失してしまったことが確かである場合にのみ、続行してください。", "Connecting…": "接続しています…", "Loading live location…": "位置情報(ライブ)を読み込んでいます…", "Fetching keys from server…": "鍵をサーバーから取得しています…", "Checking…": "確認しています…", "Waiting for partner to confirm…": "相手の承認を待機しています…", "Adding…": "追加しています…", - "Rejecting invite…": "招待を拒否しています…", - "Joining room…": "ルームに参加しています…", - "Joining space…": "スペースに参加しています…", "Encrypting your message…": "メッセージを暗号化しています…", "Sending your message…": "メッセージを送信しています…", - "Set a new account password…": "アカウントの新しいパスワードを設定…", "Starting export process…": "エクスポートのプロセスを開始しています…", - "Secure Backup successful": "セキュアバックアップに成功しました", - "Your keys are now being backed up from this device.": "鍵はこの端末からバックアップされています。", "common": { "about": "概要", "analytics": "分析", @@ -1663,7 +1354,18 @@ "saving": "保存しています…", "profile": "プロフィール", "display_name": "表示名", - "user_avatar": "プロフィール画像" + "user_avatar": "プロフィール画像", + "authentication": "認証", + "public_room": "公開ルーム", + "video_room": "ビデオ通話ルーム", + "public_space": "公開スペース", + "private_space": "非公開スペース", + "private_room": "非公開ルーム", + "rooms": "ルーム", + "low_priority": "低優先度", + "historical": "履歴", + "go_to_settings": "設定を開く", + "setup_secure_messages": "セキュアメッセージを設定" }, "action": { "continue": "続行", @@ -1767,7 +1469,16 @@ "unban": "ブロックを解除", "click_to_copy": "クリックでコピー", "hide_advanced": "高度な設定を非表示にする", - "show_advanced": "高度な設定を表示" + "show_advanced": "高度な設定を表示", + "unignore": "無視を解除", + "start_new_chat": "チャットを開始", + "invite_to_space": "スペースに招待", + "add_people": "連絡先を追加", + "explore_rooms": "ルームを探す", + "new_room": "新しいルーム", + "new_video_room": "新しいビデオ通話ルーム", + "add_existing_room": "既存のルームを追加", + "explore_public_rooms": "公開ルームを探す" }, "a11y": { "user_menu": "ユーザーメニュー", @@ -1780,7 +1491,8 @@ "other": "未読メッセージ%(count)s件。" }, "unread_messages": "未読メッセージ。", - "jump_first_invite": "最初の招待に移動。" + "jump_first_invite": "最初の招待に移動。", + "room_name": "ルーム %(name)s" }, "labs": { "video_rooms": "ビデオ通話ルーム", @@ -1955,7 +1667,21 @@ "space_a11y": "スペースの自動補完", "user_description": "ユーザー", "user_a11y": "ユーザーの自動補完" - } + }, + "room_upgraded_link": "こちらから継続中の会話を確認。", + "room_upgraded_notice": "このルームは置き換えられており、アクティブではありません。", + "no_perms_notice": "このルームに投稿する権限がありません", + "send_button_voice_message": "音声メッセージを送信", + "close_sticker_picker": "ステッカーを表示しない", + "voice_message_button": "音声メッセージ", + "poll_button_no_perms_title": "権限が必要です", + "poll_button_no_perms_description": "このルームでアンケートを開始する権限がありません。", + "poll_button": "アンケート", + "mode_plain": "フォーマットを表示しない", + "mode_rich_text": "フォーマットを表示", + "format_italics": "斜字体", + "format_insert_link": "リンクを挿入", + "replying_title": "以下に返信" }, "Link": "リンク", "Code": "コード", @@ -2167,7 +1893,19 @@ "auto_gain_control": "自動音量調整", "echo_cancellation": "エコーキャンセル", "noise_suppression": "雑音抑制", - "enable_fallback_ice_server_description": "あなたのホームサーバーがアシストサーバーを提供していない場合にのみ適用。IPアドレスが通話中に共有されます。" + "enable_fallback_ice_server_description": "あなたのホームサーバーがアシストサーバーを提供していない場合にのみ適用。IPアドレスが通話中に共有されます。", + "missing_permissions_prompt": "メディアの使用に関する権限がありません。リクエストするには下のボタンを押してください。", + "request_permissions": "メディア権限をリクエスト", + "audio_output": "音声出力", + "audio_output_empty": "音声出力が検出されません", + "audio_input_empty": "マイクが検出されません", + "video_input_empty": "Webカメラが検出されません", + "title": "音声とビデオ", + "voice_section": "音声の設定", + "voice_agc": "マイクの音量を自動的に調節", + "video_section": "ビデオの設定", + "voice_processing": "音声を処理しています", + "connection_section": "接続" }, "send_read_receipts_unsupported": "あなたのサーバーは開封確認メッセージの送信防止をサポートしていません。", "security": { @@ -2240,7 +1978,11 @@ "key_backup_in_progress": "%(sessionsRemaining)s個の鍵をバックアップしています…", "key_backup_complete": "全ての鍵がバックアップされています", "key_backup_algorithm": "アルゴリズム:", - "key_backup_inactive_warning": "鍵はこのセッションからバックアップされていません。" + "key_backup_inactive_warning": "鍵はこのセッションからバックアップされていません。", + "key_backup_active_version_none": "なし", + "ignore_users_empty": "無視しているユーザーはいません。", + "ignore_users_section": "無視しているユーザー", + "e2ee_default_disabled_warning": "サーバー管理者は、非公開のルームとダイレクトメッセージで既定でエンドツーエンド暗号化を無効にしています。" }, "preferences": { "room_list_heading": "ルーム一覧", @@ -2359,7 +2101,8 @@ "one": "%(count)s個のセッションからサインアウトしてよろしいですか?", "other": "%(count)s個のセッションからサインアウトしてよろしいですか?" }, - "other_sessions_subsection_description": "セキュリティーを最大限に高めるには、セッションを認証し、不明なセッションや使用していないセッションからサインアウトしてください。" + "other_sessions_subsection_description": "セキュリティーを最大限に高めるには、セッションを認証し、不明なセッションや使用していないセッションからサインアウトしてください。", + "error_pusher_state": "プッシュサービスの設定に失敗しました" }, "general": { "oidc_manage_button": "アカウントを管理", @@ -2378,7 +2121,43 @@ "add_msisdn_dialog_title": "電話番号を追加", "name_placeholder": "表示名がありません", "error_saving_profile_title": "プロフィールの保存に失敗しました", - "error_saving_profile": "操作を完了できませんでした" + "error_saving_profile": "操作を完了できませんでした", + "error_password_change_403": "パスワードの変更に失敗しました。パスワードは正しいですか?", + "password_change_success": "パスワードを変更しました。", + "emails_heading": "メールアドレス", + "msisdns_heading": "電話番号", + "password_change_section": "アカウントの新しいパスワードを設定…", + "external_account_management": "あなたのアカウントの詳細は%(hostname)sで管理されています。", + "discovery_needs_terms": "メールアドレスか電話番号でアカウントを検出可能にするには、IDサーバー(%(serverName)s)の利用規約への同意が必要です。", + "deactivate_section": "アカウントの無効化", + "account_management_section": "アカウントの管理", + "deactivate_warning": "アカウントを無効化すると取り消せません。ご注意ください!", + "discovery_section": "ディスカバリー(発見)", + "error_revoke_email_discovery": "メールアドレスの共有を取り消せません", + "error_share_email_discovery": "メールアドレスを共有できません", + "email_not_verified": "メールアドレスはまだ認証されていません", + "email_verification_instructions": "受信したメールにあるリンクを開いて認証した後、改めて「続行する」を押してください。", + "error_email_verification": "メールアドレスを確認できません。", + "discovery_email_verification_instructions": "受信したメールの認証リンクを開いてください", + "discovery_email_empty": "上でメールアドレスを追加すると、発見可能に設定するメールアドレスを選択できるようになります。", + "error_revoke_msisdn_discovery": "電話番号の共有を取り消せません", + "error_share_msisdn_discovery": "電話番号を共有できません", + "error_msisdn_verification": "電話番号を認証できません。", + "incorrect_msisdn_verification": "認証コードが誤っています", + "msisdn_verification_instructions": "テキストで送信された確認コードを入力してください。", + "msisdn_verification_field_label": "認証コード", + "discovery_msisdn_empty": "上で電話番号を追加すると、発見可能に設定する電話番号を選択できるようになります。", + "error_set_name": "表示名の設定に失敗しました", + "error_remove_3pid": "連絡先の情報を削除できません", + "remove_email_prompt": "%(email)sを削除しますか?", + "error_invalid_email": "無効なメールアドレス", + "error_invalid_email_detail": "メールアドレスの形式が正しくありません", + "error_add_email": "メールアドレスを追加できません", + "add_email_instructions": "アドレスを確認するためメールを送りました。そこにある手順に従い、その後に下のボタンを押してください。", + "email_address_label": "メールアドレス", + "remove_msisdn_prompt": "%(phone)sを削除しますか?", + "add_msisdn_instructions": "+%(msisdn)sにテキストメッセージを送りました。メッセージ内の確認コードを入力してください。", + "msisdn_label": "電話番号" }, "sidebar": { "title": "サイドバー", @@ -2391,6 +2170,56 @@ "metaspaces_orphans_description": "スペースに含まれない全てのルームを一箇所にまとめる。", "metaspaces_home_all_rooms_description": "他のスペースに存在するルームを含めて、全てのルームをホームに表示。", "metaspaces_home_all_rooms": "全てのルームを表示" + }, + "key_backup": { + "backup_in_progress": "鍵をバックアップしています(最初のバックアップは数分かかる可能性があります)。", + "backup_starting": "バックアップを開始しています…", + "backup_success": "成功しました!", + "create_title": "鍵のバックアップを作成", + "cannot_create_backup": "鍵のバックアップを作成できません", + "setup_secure_backup": { + "generate_security_key_title": "セキュリティーキーを生成", + "generate_security_key_description": "セキュリティーキーを生成します。パスワードマネージャーもしくは金庫のような安全な場所で保管してください。", + "enter_phrase_title": "セキュリティーフレーズを入力", + "description": "サーバー上の暗号鍵をバックアップして、暗号化されたメッセージとデータへのアクセスが失われるのを防ぎましょう。", + "requires_password_confirmation": "アップグレードを承認するには、アカウントのパスワードを入力してください:", + "requires_key_restore": "鍵のバックアップを復元し、暗号化をアップグレードしてください", + "requires_server_authentication": "サーバーをアップグレードするには認証が必要です。", + "session_upgrade_description": "このセッションをアップグレードすると、他のセッションを認証できるようになります。また、暗号化されたメッセージへのアクセスが可能となり、メッセージを信頼済として相手に表示できるようになります。", + "enter_phrase_description": "あなただけが知っているセキュリティーフレーズを入力してください。あなたのデータを保護するために使用されます。セキュリティーの観点から、アカウントのパスワードと異なるものを設定してください。", + "phrase_strong_enough": "すばらしい! このセキュリティーフレーズは十分に強力なようです。", + "pass_phrase_match_success": "合致します!", + "use_different_passphrase": "異なるパスフレーズを使用しますか?", + "pass_phrase_match_failed": "合致しません。", + "set_phrase_again": "戻って、改めて設定してください。", + "enter_phrase_to_confirm": "確認のため、セキュリティーフレーズを再入力してください。", + "confirm_security_phrase": "セキュリティーフレーズを確認", + "security_key_safety_reminder": "セキュリティーキーは、暗号化されたデータを保護するために使用されます。パスワードマネージャーもしくは金庫のような安全な場所で保管してください。", + "download_or_copy": "%(downloadButton)sまたは%(copyButton)s", + "backup_setup_success_description": "鍵はこの端末からバックアップされています。", + "backup_setup_success_title": "セキュアバックアップに成功しました", + "secret_storage_query_failure": "機密ストレージの状態を読み込めません", + "cancel_warning": "いまキャンセルすると、ログイン情報にアクセスできなくなった場合に、暗号化されたメッセージやデータを失ってしまう可能性があります。", + "settings_reminder": "セキュアバックアップを設定し、設定画面から鍵を管理することもできます。", + "title_upgrade_encryption": "暗号化をアップグレード", + "title_set_phrase": "セキュリティーフレーズを設定", + "title_confirm_phrase": "セキュリティーフレーズを確認", + "title_save_key": "セキュリティーキーを保存", + "unable_to_setup": "機密ストレージを設定できません", + "use_phrase_only_you_know": "あなただけが知っている秘密のパスワードを使用してください。また、バックアップ用にセキュリティーキーを保存することができます(任意)。" + } + }, + "key_export_import": { + "export_title": "ルームの暗号鍵をエクスポート", + "export_description_1": "このプロセスでは、暗号化されたルームで受信したメッセージの鍵をローカルファイルにエクスポートできます。その後、クライアントがこれらのメッセージを復号化できるように、鍵のファイルを別のMatrixクライアントにインポートすることができます。", + "enter_passphrase": "パスフレーズを入力", + "confirm_passphrase": "パスフレーズを確認", + "phrase_cannot_be_empty": "パスフレーズには1文字以上が必要です", + "phrase_must_match": "パスフレーズが一致していません", + "import_title": "ルームの鍵をインポート", + "import_description_1": "このプロセスでは、以前に別のMatrixクライアントからエクスポートした暗号鍵をインポートできます。これにより、他のクライアントが解読できる全てのメッセージを解読することができます。", + "import_description_2": "エクスポートされたファイルはパスフレーズで保護されています。ファイルを復号化するには、パスフレーズを以下に入力してください。", + "file_to_import": "インポートするファイル" } }, "devtools": { @@ -2874,7 +2703,19 @@ "collapse_reply_thread": "返信のスレッドを折りたたむ", "view_related_event": "関連するイベントを表示", "report": "報告" - } + }, + "url_preview": { + "show_n_more": { + "one": "他%(count)s個のプレビューを表示", + "other": "他%(count)s個のプレビューを表示" + }, + "close": "プレビューを閉じる" + }, + "read_receipt_title": { + "one": "%(count)s人が閲覧済", + "other": "%(count)s人が閲覧済" + }, + "read_receipts_label": "開封確認メッセージ" }, "slash_command": { "spoiler": "選択したメッセージをネタバレとして送信", @@ -3129,7 +2970,14 @@ "permissions_section_description_room": "ルームに関する変更を行うために必要な役割を選択", "add_privileged_user_heading": "特権ユーザーを追加", "add_privileged_user_description": "このルームのユーザーに権限を付与", - "add_privileged_user_filter_placeholder": "このルームのユーザーを検索…" + "add_privileged_user_filter_placeholder": "このルームのユーザーを検索…", + "error_unbanning": "ブロック解除に失敗しました", + "banned_by": "%(displayName)sによってブロックされました", + "ban_reason": "理由", + "error_changing_pl_reqs_title": "必要な権限レベルを変更する際にエラーが発生しました", + "error_changing_pl_reqs_description": "ルームで必要な権限レベルを変更する際にエラーが発生しました。必要な権限があることを確認したうえで、もう一度やり直してください。", + "error_changing_pl_title": "権限レベルを変更する際にエラーが発生しました", + "error_changing_pl_description": "ユーザーの権限レベルを変更する際にエラーが発生しました。必要な権限があることを確認して、もう一度やり直してください。" }, "security": { "strict_encryption": "このセッションでは、このルームの未認証のセッションに対して暗号化されたメッセージを送信しない", @@ -3177,7 +3025,9 @@ "join_rule_upgrade_updating_spaces": { "one": "スペースを更新しています…", "other": "スペースを更新しています…(計%(count)s個のうち%(progress)s個)" - } + }, + "error_join_rule_change_title": "参加のルールの更新に失敗しました", + "error_join_rule_change_unknown": "不明なエラー" }, "general": { "publish_toggle": "%(domain)sのルームディレクトリーにこのルームを公開しますか?", @@ -3191,7 +3041,9 @@ "error_save_space_settings": "スペースの設定を保存できませんでした。", "description_space": "スペースの設定を変更します。", "save": "変更を保存", - "leave_space": "スペースから退出" + "leave_space": "スペースから退出", + "aliases_section": "ルームのアドレス", + "other_section": "その他" }, "advanced": { "unfederated": "このルームはリモートのMatrixサーバーからアクセスできません", @@ -3202,7 +3054,9 @@ "room_predecessor": "%(roomName)sの古いメッセージを表示。", "room_id": "内部ルームID:", "room_version_section": "ルームのバージョン", - "room_version": "ルームのバージョン:" + "room_version": "ルームのバージョン:", + "information_section_space": "スペースの情報", + "information_section_room": "ルームの情報" }, "delete_avatar_label": "アバターを削除", "upload_avatar_label": "アバターをアップロード", @@ -3216,11 +3070,31 @@ "history_visibility_anyone_space": "スペースのプレビュー", "history_visibility_anyone_space_description": "参加する前にスペースのプレビューを閲覧することを許可。", "history_visibility_anyone_space_recommendation": "公開のスペースでは許可することを推奨します。", - "guest_access_label": "ゲストによるアクセスを有効にする" + "guest_access_label": "ゲストによるアクセスを有効にする", + "alias_section": "アドレス" }, "access": { "title": "アクセス", "description_space": "%(spaceName)sを表示、参加できる範囲を設定してください。" + }, + "bridges": { + "description": "このルームは以下のプラットフォームにメッセージをブリッジしています。詳細", + "empty": "このルームはどのプラットフォームにもメッセージをブリッジしていません。詳細", + "title": "ブリッジ" + }, + "notifications": { + "uploaded_sound": "アップロードされた音", + "settings_link": "設定に従って通知", + "sounds_section": "音", + "notification_sound": "通知音", + "custom_sound_prompt": "カスタム音を設定", + "browse_button": "参照" + }, + "voip": { + "enable_element_call_label": "%(brand)sをこのルームの追加の通話手段として有効にする", + "enable_element_call_caption": "%(brand)sではエンドツーエンド暗号化が設定されていますが、より少ないユーザー数に限定されています。", + "enable_element_call_no_permissions_tooltip": "この変更に必要な権限がありません。", + "call_type_section": "通話の種類" } }, "encryption": { @@ -3252,7 +3126,19 @@ "unverified_sessions_toast_description": "アカウントが安全かどうか確認してください", "unverified_sessions_toast_reject": "後で", "unverified_session_toast_title": "新しいログインです。ログインしましたか?", - "request_toast_detail": "%(ip)sの%(deviceId)s" + "request_toast_detail": "%(ip)sの%(deviceId)s", + "no_key_or_device": "セキュリティーキーもしくは認証可能な端末が設定されていません。この端末では、以前暗号化されたメッセージにアクセスすることができません。この端末で本人確認を行うには、認証用の鍵を再設定する必要があります。", + "reset_proceed_prompt": "リセットする", + "verify_using_key_or_phrase": "セキュリティーキーあるいはセキュリティーフレーズで認証", + "verify_using_key": "セキュリティーキーで認証", + "verify_using_device": "別の端末で認証", + "verification_description": "暗号化されたメッセージにアクセスするには、本人確認が必要です。", + "verification_success_with_backup": "新しい端末が認証されました。端末は暗号化されたメッセージにアクセスすることができます。また、端末は他のユーザーに「信頼済」として表示されます。", + "verification_success_without_backup": "端末が認証されました。他のユーザーに「信頼済」として表示されます。", + "verification_skip_warning": "認証を行わないと、あなたの全てのメッセージにアクセスできず、他のユーザーに信頼済として表示されない可能性があります。", + "verify_later": "後で認証", + "verify_reset_warning_1": "認証鍵のリセットは取り消せません。リセットすると、以前の暗号化されたメッセージにはアクセスできなくなります。また、あなたのアカウントを認証した連絡先には、再認証するまで、セキュリティーに関する警告が表示されます。", + "verify_reset_warning_2": "全ての端末とセキュリティーキーを紛失してしまったことが確かである場合にのみ、続行してください。" }, "old_version_detected_title": "古い暗号化データが検出されました", "old_version_detected_description": "%(brand)sの古いバージョンのデータを検出しました。これにより、古いバージョンではエンドツーエンドの暗号化が機能しなくなります。古いバージョンを使用している間に最近交換されたエンドツーエンドの暗号化されたメッセージは、このバージョンでは復号化できません。また、このバージョンで交換されたメッセージが失敗することもあります。問題が発生した場合は、ログアウトして再度ログインしてください。メッセージ履歴を保持するには、鍵をエクスポートして再インポートしてください。", @@ -3273,7 +3159,19 @@ "cross_signing_ready_no_backup": "クロス署名は準備できましたが、鍵はバックアップされていません。", "cross_signing_untrusted": "あなたのアカウントではクロス署名の認証情報が機密ストレージに保存されていますが、このセッションでは信頼されていません。", "cross_signing_not_ready": "クロス署名が設定されていません。", - "not_supported": "<サポート対象外>" + "not_supported": "<サポート対象外>", + "new_recovery_method_detected": { + "title": "新しい復元方法", + "description_1": "新しいセキュリティーフレーズと、セキュアメッセージの鍵が検出されました。", + "description_2": "このセッションでは新しい復元方法で履歴を暗号化しています。", + "warning": "新しい復元方法を設定しなかった場合、攻撃者がアカウントへアクセスしようとしている可能性があります。設定画面ですぐにアカウントのパスワードを変更し、新しい復元方法を設定してください。" + }, + "recovery_method_removed": { + "title": "復元方法を削除しました", + "description_1": "セキュリティーフレーズと、セキュアメッセージの鍵が削除されました。", + "description_2": "偶然削除してしまった場合は、このセッションで、メッセージの暗号化を設定することができます。設定すると、新しい復元方法でセッションのデータを改めて暗号化します。", + "warning": "復元方法を削除しなかった場合、攻撃者があなたのアカウントにアクセスしようとしている可能性があります。設定画面でアカウントのパスワードを至急変更し、新しい復元方法を設定してください。" + } }, "emoji": { "category_frequently_used": "使用頻度の高いリアクション", @@ -3450,7 +3348,11 @@ "autodiscovery_unexpected_error_hs": "ホームサーバーの設定の解釈中に予期しないエラーが発生しました", "autodiscovery_unexpected_error_is": "IDサーバーの設定の解釈中に予期しないエラーが発生しました", "incorrect_credentials_detail": "matrix.orgではなく、%(hs)sのサーバーにログインしていることに注意してください。", - "create_account_title": "アカウントを作成" + "create_account_title": "アカウントを作成", + "failed_soft_logout_homeserver": "ホームサーバーの問題のため再認証に失敗しました", + "soft_logout_subheading": "個人データを消去", + "soft_logout_warning": "警告:あなたの個人データ(暗号化の鍵を含む)が、このセッションに保存されています。このセッションの使用を終了するか、他のアカウントにログインしたい場合は、そのデータを消去してください。", + "forgot_password_send_email": "電子メールを送信" }, "room_list": { "sort_unread_first": "未読メッセージのあるルームを最初に表示", @@ -3467,7 +3369,23 @@ "notification_options": "通知設定", "failed_set_dm_tag": "ダイレクトメッセージのタグの設定に失敗しました", "failed_remove_tag": "ルームからタグ %(tagName)s を削除できませんでした", - "failed_add_tag": "ルームにタグ %(tagName)s を追加できませんでした" + "failed_add_tag": "ルームにタグ %(tagName)s を追加できませんでした", + "breadcrumbs_label": "最近訪れたルーム", + "breadcrumbs_empty": "最近訪れたルームはありません", + "add_room_label": "ルームを追加", + "suggested_rooms_heading": "おすすめのルーム", + "add_space_label": "スペースを追加", + "join_public_room_label": "公開ルームに参加", + "joining_rooms_status": { + "one": "現在%(count)s個のルームに参加しています", + "other": "現在%(count)s個のルームに参加しています" + }, + "redacting_messages_status": { + "one": "現在%(count)s個のルームのメッセージを削除しています", + "other": "現在%(count)s個のルームのメッセージを削除しています" + }, + "space_menu_label": "%(spaceName)sのメニュー", + "home_menu_label": "ホームのオプション" }, "report_content": { "missing_reason": "報告する理由を記入してください。", @@ -3716,7 +3634,8 @@ "search_children": "%(spaceName)sを検索", "invite_link": "招待リンクを共有", "invite": "連絡先を招待", - "invite_description": "メールアドレスまたはユーザー名で招待" + "invite_description": "メールアドレスまたはユーザー名で招待", + "invite_this_space": "このスペースに招待" }, "location_sharing": { "MapStyleUrlNotConfigured": "このホームサーバーは地図を表示するように設定されていません。", @@ -3771,7 +3690,8 @@ "lists_heading": "購読済のリスト", "lists_description_1": "ブロックリストを購読すると、そのリストに参加します!", "lists_description_2": "望ましくない場合は、別のツールを使用してユーザーを無視してください。", - "lists_new_label": "ブロックリストのルームIDまたはアドレス" + "lists_new_label": "ブロックリストのルームIDまたはアドレス", + "rules_empty": "なし" }, "create_space": { "name_required": "スペースの名前を入力してください", @@ -3866,8 +3786,71 @@ "copy_link": "ルームのリンクをコピー", "low_priority": "低優先度", "forget": "ルームを消去", - "mark_read": "既読にする" - } + "mark_read": "既読にする", + "title": "ルームの設定" + }, + "invite_this_room": "このルームに招待", + "header": { + "video_call_button_jitsi": "ビデオ通話(Jitsi)", + "video_call_button_ec": "ビデオ通話(%(brand)s)", + "video_call_ec_layout_freedom": "自由", + "video_call_ec_layout_spotlight": "スポットライト", + "video_call_ec_change_layout": "レイアウトを変更", + "forget_room_button": "ルームを消去", + "hide_widgets_button": "ウィジェットを非表示にする", + "show_widgets_button": "ウィジェットを表示", + "close_call_button": "通話を終了", + "video_room_view_chat_button": "チャットのタイムラインを表示" + }, + "joining_space": "スペースに参加しています…", + "joining_room": "ルームに参加しています…", + "joining": "参加しています…", + "rejecting": "招待を拒否しています…", + "join_title": "ルームに参加", + "join_title_account": "アカウントで会話に参加", + "join_button_account": "サインアップ", + "loading_preview": "プレビューを読み込んでいます", + "kicked_from_room_by": "%(memberName)sにより%(roomName)sから追放されました", + "kicked_by": "%(memberName)sにより追放されました", + "kick_reason": "理由:%(reason)s", + "forget_space": "このスペースの履歴を消去", + "forget_room": "このルームを消去", + "rejoin_button": "再参加", + "banned_from_room_by": "%(memberName)sにより%(roomName)sからブロックされました", + "banned_by": "%(memberName)sによりブロックされました", + "3pid_invite_error_title_room": "%(roomName)sへの招待に問題が発生しました", + "3pid_invite_error_title": "招待に問題が発生しました。", + "3pid_invite_error_description": "招待の検証を試みる際にエラー(%(errcode)s)が発生しました。あなたを招待した人にこの情報を渡してみてください。", + "3pid_invite_error_invite_subtitle": "有効な招待がある場合にのみ参加できます。", + "3pid_invite_error_invite_action": "参加を試みる", + "3pid_invite_error_public_subtitle": "参加できます。", + "join_the_discussion": "ルームに参加", + "3pid_invite_email_not_found_account_room": "ルーム %(roomName)s への招待が、アカウントに関連付けられていないメールアドレス %(email)s に送信されました", + "3pid_invite_email_not_found_account": "この招待は、アカウントに関連付けられていないメールアドレス %(email)s に送信されました", + "link_email_to_receive_3pid_invite": "このメールアドレスを設定からあなたのアカウントにリンクすると%(brand)sから直接招待を受け取ることができます。", + "invite_sent_to_email_room": "ルーム %(roomName)sへの招待がメールアドレス %(email)s へ送信されました", + "invite_sent_to_email": "招待が%(email)sに送信されました", + "3pid_invite_no_is_subtitle": "設定からIDサーバーを使用すると、%(brand)sから直接招待を受け取れます。", + "invite_email_mismatch_suggestion": "このメールアドレスを設定から共有すると、%(brand)sから招待を受け取れます。", + "dm_invite_title": "%(user)sとのチャットを開始しますか?", + "dm_invite_subtitle": "がチャットの開始を求めています", + "dm_invite_action": "チャットを開始", + "invite_title": "%(roomName)sに参加しますか?", + "invite_subtitle": "があなたを招待しています", + "invite_reject_ignore": "拒否した上で、このユーザーを無視", + "peek_join_prompt": "ルーム %(roomName)s のプレビューです。参加しますか?", + "no_peek_join_prompt": "%(roomName)sはプレビューできません。ルームに参加しますか?", + "no_peek_no_name_join_prompt": "プレビューはありませんが、参加しますか?", + "not_found_title_name": "%(roomName)sは存在しません。", + "not_found_title": "このルームまたはスペースは存在しません。", + "not_found_subtitle": "正しい場所にいますか?", + "inaccessible_name": "%(roomName)sは現在アクセスできません。", + "inaccessible": "このルームまたはスペースは現在アクセスできません。", + "inaccessible_subtitle_1": "後でもう一度やり直すか、ルームまたはスペースの管理者に、アクセス権の有無を確認してください。", + "inaccessible_subtitle_2": "ルームまたはスペースにアクセスする際にエラー %(errcode)s が発生しました。エラー発生時にこのメッセージが表示されているなら、バグレポートを送信してください。", + "join_failed_needs_invite": "%(roomName)sを見るには招待が必要です", + "view_failed_enable_video_rooms": "表示するには、まずラボのビデオ通話ルームを有効にしてください", + "join_failed_enable_video_rooms": "参加するには、まずラボのビデオ通話ルームを有効にしてください" }, "file_panel": { "guest_note": "この機能を使用するには登録する必要があります", @@ -4011,7 +3994,14 @@ "keyword_new": "新しいキーワード", "class_global": "全体", "class_other": "その他", - "mentions_keywords": "メンションとキーワード" + "mentions_keywords": "メンションとキーワード", + "default": "既定値", + "all_messages": "全てのメッセージ", + "all_messages_description": "全てのメッセージを通知", + "mentions_and_keywords": "メンションとキーワード", + "mentions_and_keywords_description": "メンションと、設定したキーワードのみを通知", + "mute_description": "通知を送信しません", + "message_didnt_send": "メッセージが送信されませんでした。クリックすると詳細を表示します。" }, "mobile_guide": { "toast_title": "より良い体験のためにアプリケーションを使用", @@ -4036,6 +4026,43 @@ "integration_manager": { "connecting": "インテグレーションマネージャーに接続しています…", "error_connecting_heading": "インテグレーションマネージャーに接続できません", - "error_connecting": "インテグレーションマネージャーがオフラインか、またはあなたのホームサーバーに到達できません。" + "error_connecting": "インテグレーションマネージャーがオフラインか、またはあなたのホームサーバーに到達できません。", + "use_im_default": "インテグレーションマネージャー(%(serverName)s) を使用すると、ボット、ウィジェット、ステッカーパックを管理できます。", + "use_im": "インテグレーションマネージャーを使用すると、ボット、ウィジェット、ステッカーパックを管理できます。", + "manage_title": "インテグレーションを管理", + "explainer": "インテグレーションマネージャーは設定データを受け取り、ユーザーの代わりにウィジェットの変更や、ルームへの招待の送信、権限レベルの設定を行うことができます。" + }, + "identity_server": { + "url_not_https": "IDサーバーのURLはHTTPSスキーマである必要があります", + "error_invalid": "有効なIDサーバーではありません(ステータスコード %(code)s)", + "error_connection": "IDサーバーに接続できませんでした", + "checking": "サーバーをチェックしています", + "change": "IDサーバーを変更", + "change_prompt": "IDサーバー から切断してに接続しますか?", + "error_invalid_or_terms": "利用規約に同意していないか、IDサーバーが無効です。", + "no_terms": "選択したIDサーバーには利用規約がありません。", + "disconnect": "IDサーバーから切断", + "disconnect_server": "IDサーバー から切断しますか?", + "disconnect_offline_warning": "切断する前にIDサーバー から個人データを削除するべきですが、IDサーバー は現在オフライン状態か、またはアクセスできません。", + "suggestions": "するべきこと:", + "suggestions_1": "ブラウザーのプラグインの内、IDサーバーをブロックする可能性があるもの(Privacy Badgerなど)を確認してください", + "suggestions_2": "IDサーバー の管理者に連絡してください", + "suggestions_3": "後でもう一度やり直してください", + "disconnect_anyway": "切断", + "disconnect_personal_data_warning_1": "まだIDサーバー 個人データを共有しています。", + "disconnect_personal_data_warning_2": "切断する前に、IDサーバーからメールアドレスと電話番号を削除することを推奨します。", + "url": "IDサーバー(%(server)s)", + "description_connected": "現在を使用して、自分の連絡先を見つけたり、連絡先から見つけてもらったりできるようにしています。以下でIDサーバーを変更できます。", + "change_server_prompt": "連絡先の検出にではなく他のIDサーバーを使いたい場合は、以下で指定してください。", + "description_disconnected": "現在、IDサーバーを使用していません。連絡先を見つけたり、連絡先から見つけてもらったりするには、以下でIDサーバーを追加してください。", + "disconnect_warning": "IDサーバーから切断すると、他のユーザーによって見つけられなくなり、また、メールアドレスや電話で他のユーザーを招待することもできなくなります。", + "description_optional": "IDサーバーの使用は任意です。IDサーバーを使用しない場合、他のユーザーによって見つけられず、また、メールアドレスや電話で他のユーザーを招待することもできません。", + "do_not_use": "IDサーバーを使用しない", + "url_field_label": "新しいIDサーバーを入力" + }, + "member_list": { + "invited_list_heading": "招待済", + "filter_placeholder": "ルームのメンバーを絞り込む", + "power_label": "%(userName)s(権限レベル:%(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/jbo.json b/src/i18n/strings/jbo.json index c29951bf1f..134d3cde44 100644 --- a/src/i18n/strings/jbo.json +++ b/src/i18n/strings/jbo.json @@ -1,5 +1,4 @@ { - "Permission Required": ".i lo nu curmi cu sarcu", "Send": "nu zilbe'i", "Sun": "jy. dy. ze", "Mon": "jy. dy. pa", @@ -26,15 +25,10 @@ "%(weekDayName)s, %(monthName)s %(day)s %(time)s": ".i li %(monthName)s %(day)s %(weekDayName)s %(time)s detri", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": ".i li %(fullYear)s %(monthName)s %(day)s %(weekDayName)s detri", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": ".i li %(fullYear)s %(monthName)s %(day)s %(weekDayName)s %(time)s detri", - "Default": "zmiselcu'a", "Restricted": "vlipa so'u da", "Moderator": "vlipa so'o da", "Changes your display nickname": "", - "Reason": "krinu", - "Incorrect verification code": ".i na'e drani ke lacri lerpoi", "Warning!": ".i ju'i", - "Authentication": "lo nu facki lo du'u do du ma kau", - "Failed to set display name": ".i pu fliba lo nu galfi lo cmene", "You signed in to a new session without verifying it:": ".i fe le di'e se samtcise'u pu co'a jaspu vau je za'o na lacri", "Dog": "gerku", "Cat": "mlatu", @@ -92,7 +86,6 @@ "Trumpet": "tabra", "Bell": "janbe", "Headphones": "selsnapra", - "Rooms": "ve zilbe'i", "Search…": "nu sisku", "Sunday": "li jy. dy. ze detri", "Monday": "li jy. dy. pa detri", @@ -106,15 +99,10 @@ "Cancel search": "nu co'u sisku", "Search failed": ".i da nabmi lo nu sisku", "Switch theme": "nu basti fi le ka jvinu", - "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", "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", "Ok": "je'e", - "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", "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": { @@ -129,7 +117,6 @@ "Hide sessions": "nu ro se samtcise'u cu zilmipri", "This room is end-to-end encrypted": ".i ro zilbe'i be fo le cei'i cu mifra", "Everyone in this room is verified": ".i do lacri ro pagbu be le se zilbe'i", - "Invite to this room": "nu friti le ka ziljmina le se zilbe'i", "Revoke invite": "nu zukte le ka na ckaji le se friti", "collapse": "nu tcila be na ku viska", "expand": "nu tcila viska", @@ -140,8 +127,6 @@ }, "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", "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", "Edit message": "nu basti fi le ka notci", "Share room": "nu jungau fi le du'u ve zilbe'i", "Share Link to User": "nu jungau pa pilno le du'u judri", @@ -155,7 +140,6 @@ "%(displayName)s cancelled verification.": ".i la'o zoi. %(displayName)s .zoi co'u co'a lacri", "Decrypt %(text)s": "nu facki le du'u mifra la'o zoi. %(text)s .zoi", "Download %(text)s": "nu kibycpa la'o zoi. %(text)s .zoi", - "Explore rooms": "nu facki le du'u ve zilbe'i", "common": { "analytics": "lanli datni", "error": "nabmi", @@ -169,7 +153,9 @@ "trusted": "se lacri", "not_trusted": "na se lacri", "unnamed_room": "na da cmene", - "advanced": "macnu" + "advanced": "macnu", + "authentication": "lo nu facki lo du'u do du ma kau", + "rooms": "ve zilbe'i" }, "action": { "continue": "", @@ -201,7 +187,8 @@ "accept": "nu fonjo'e", "change": "nu basti", "register": "nu co'a na'o jaspu", - "submit": "nu zilbe'i" + "submit": "nu zilbe'i", + "explore_rooms": "nu facki le du'u ve zilbe'i" }, "labs": { "pinning": "lo du'u xu kau kakne lo nu mrilu lo vitno notci", @@ -254,7 +241,17 @@ "email_address_in_use": ".i xa'o pilno fa da le samymri judri", "msisdn_in_use": ".i xa'o pilno fa da le fonxa judri", "add_email_failed_verification": ".i da nabmi fi lo nu facki le du'u do ponse le te samymri .i ko birti le du'u do samcu'a le judrysni pe le se samymri", - "name_placeholder": ".i na da cmene" + "name_placeholder": ".i na da cmene", + "error_share_email_discovery": ".i da nabmi fi lo nu jungau le du'u samymri judri", + "error_share_msisdn_discovery": ".i da nabmi fi lo nu jungau le du'u fonjudri", + "incorrect_msisdn_verification": ".i na'e drani ke lacri lerpoi", + "error_set_name": ".i pu fliba lo nu galfi lo cmene" + }, + "key_backup": { + "backup_success": ".i snada", + "setup_secure_backup": { + "pass_phrase_match_success": ".i du" + } } }, "create_room": { @@ -405,7 +402,8 @@ "placeholder": "nu pa notci cu zilbe'i", "autocomplete": { "user_description": "pilno" - } + }, + "poll_button_no_perms_title": ".i lo nu curmi cu sarcu" }, "room_settings": { "permissions": { @@ -413,10 +411,14 @@ "m.room.name": "nu basti fi le ka cmene le ve zilbe'i", "m.room.canonical_alias": "nu basti fi le ka ralju lu'i ro judri be le ve zilbe'i", "m.room.topic": "nu basti fi le ka skicu lerpoi", - "invite": "nu friti le ka ziljmina kei pa pilno" + "invite": "nu friti le ka ziljmina kei pa pilno", + "ban_reason": "krinu" }, "security": { "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 le cei'i" + }, + "general": { + "other_section": "drata" } }, "encryption": { @@ -514,9 +516,14 @@ "update_power_level": ".i pu fliba lo nu gafygau lo ni vlipa" }, "room": { - "error_join_incompatible_version_2": ".i .e'o ko tavla lo admine be le samtcise'u" + "error_join_incompatible_version_2": ".i .e'o ko tavla lo admine be le samtcise'u", + "invite_this_room": "nu friti le ka ziljmina le se zilbe'i", + "join_button_account": "nu co'a na'o jaspu", + "dm_invite_subtitle": ".i la'o zoi. .zoi kaidji le ka tavla do", + "invite_subtitle": ".i la'o zoi. .zoi friti le ka ziljmina kei do" }, "notifications": { - "class_other": "drata" + "class_other": "drata", + "default": "zmiselcu'a" } } diff --git a/src/i18n/strings/ka.json b/src/i18n/strings/ka.json index c76ae08ec9..16eb33e792 100644 --- a/src/i18n/strings/ka.json +++ b/src/i18n/strings/ka.json @@ -1,5 +1,4 @@ { - "Explore rooms": "ოთახების დათავლიერება", "Sun": "მზე", "Dec": "დეკ", "PM": "PM", @@ -27,7 +26,8 @@ "action": { "confirm": "დადასტურება", "dismiss": "დახურვა", - "sign_in": "შესვლა" + "sign_in": "შესვლა", + "explore_rooms": "ოთახების დათავლიერება" }, "time": { "hours_minutes_seconds_left": "%(hours)sს %(minutes)sწთ %(seconds)sწმ დარჩა", diff --git a/src/i18n/strings/kab.json b/src/i18n/strings/kab.json index 344297f9b5..49d4fb2353 100644 --- a/src/i18n/strings/kab.json +++ b/src/i18n/strings/kab.json @@ -1,5 +1,4 @@ { - "Permission Required": "Tasiregt tlaq", "Sun": "Iṭij", "Mon": "Ari", "Tue": "Ara", @@ -21,10 +20,8 @@ "Dec": "Duj", "PM": "MD", "AM": "FT", - "Default": "Amezwer", "Moderator": "Aseɣyad", "Thank you!": "Tanemmirt!", - "Reason": "Taɣẓint", "Ok": "Ih", "Cat": "Amcic", "Lion": "Izem", @@ -44,14 +41,6 @@ "Folder": "Akaram", "Show more": "Sken-d ugar", "Warning!": "Ɣur-k·m!", - "Authentication": "Asesteb", - "None": "Ula yiwen", - "Sounds": "Imesla", - "Browse": "Inig", - "Verification code": "Tangalt n usenqed", - "Email Address": "Tansa n yimayl", - "Phone Number": "Uṭṭun n tiliɣri", - "Sign Up": "Jerred", "Are you sure?": "Tebɣiḍ s tidet?", "Sunday": "Acer", "Monday": "Arim", @@ -78,9 +67,7 @@ "Upload files": "Sali-d ifuyla", "Home": "Agejdan", "Email (optional)": "Imayl (Afrayan)", - "Explore rooms": "Snirem tixxamin", "Your password has been reset.": "Awal uffir-inek/inem yettuwennez.", - "Success!": "Tammug akken iwata!", "Updating %(brand)s": "Leqqem %(brand)s", "I don't want my encrypted messages": "Ur bɣiɣ ara izan-inu iwgelhanen", "Manually export keys": "Sifeḍ s ufus tisura", @@ -88,7 +75,6 @@ "Session key": "Tasarut n tɣimit", "Please check your email and click on the link it contains. Once this is done, click continue.": "Ma ulac aɣilif, senqed imayl-ik/im syen sit ɣef useɣwen i yellan. Akken ara yemmed waya, sit ad tkemmleḍ.", "This will allow you to reset your password and receive notifications.": "Ayagi ad ak(akem)-yeǧǧ ad twennzeḍ awal-ik/im uffir yerna ad d-tremseḍ ilɣa.", - "Enter passphrase": "Sekcem tafyirt tuffirt", "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s", @@ -98,34 +84,12 @@ "Pencil": "Akeryun", "Message edits": "Tiẓrigin n yizen", "Security Key": "Tasarut n tɣellist", - "New Recovery Method": "Tarrayt tamaynut n ujebber", - "Go to Settings": "Ddu ɣer yiɣewwaren", - "Set up Secure Messages": "Sbadu iznan iɣelsanen", "Logs sent": "Iɣmisen ttewaznen", "Not Trusted": "Ur yettwattkal ara", "%(items)s and %(lastItem)s": "%(items)s d %(lastItem)s", - "Failed to set display name": "Asbadu n yisem yettwaskanen ur yeddi ara", "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.", - "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", - "Export room keys": "Sifeḍ tisura n texxamt", - "Confirm passphrase": "Sentem tafyirt tuffirt", - "Import room keys": "Kter tisura n texxamt", - "File to import": "Afaylu i uktar", "Confirm encryption setup": "Sentem asebded n uwgelhen", "Click the button below to confirm setting up encryption.": "Sit ɣef tqeffalt ddaw akken ad tesnetmeḍ asebded n uwgelhen.", - "Generate a Security Key": "Sirew tasarut n tɣellist", - "Enter a Security Phrase": "Sekcem tafyirt tuffirt", - "Enter your account password to confirm the upgrade:": "Sekcem awal uffir n umiḍan-ik·im akken ad tesnetmeḍ aleqqem:", - "That matches!": "Yemṣada!", - "Use a different passphrase?": "Seqdec tafyirt tuffirt yemgaraden?", - "That doesn't match.": "Ur yemṣada ara.", - "Go back to set it again.": "Uɣal ɣer deffir akken ad t-tesbaduḍ i tikkelt-nniḍen.", - "Upgrade your encryption": "Leqqem awgelhen-inek·inem", - "Set a Security Phrase": "Sbadu tafyirt taɣelsant", - "Confirm Security Phrase": "Sentem tafyirt tuffirt", - "Recovery Method Removed": "Tarrayt n ujebber tettwakkes", "Dog": "Aqjun", "Horse": "Aεewdiw", "Pig": "Ilef", @@ -152,52 +116,20 @@ "Umbrella": "Tasiwant", "Gift": "Asefk", "Light bulb": "Taftilt", - "Checking server": "Asenqed n uqeddac", - "Change identity server": "Snifel aqeddac n timagit", - "You should:": "Aql-ak·am:", - "Disconnect anyway": "Ɣas akken ffeɣ seg tuqqna", - "Do not use an identity server": "Ur seqdac ara aqeddac n timagt", - "Manage integrations": "Sefrek imsidf", - "Account management": "Asefrek n umiḍan", - "Deactivate Account": "Sens amiḍan", "Deactivate account": "Sens amiḍan", - "Ignored users": "Iseqdacen yettunfen", - "Voice & Video": "Ameslaw & Tavidyut", - "Notification sound": "Imesli i yilɣa", - "Failed to unban": "Sefsex aḍraq yugi ad yeddu", - "Banned by %(displayName)s": "Yettwagi sɣur %(displayName)s", - "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?", "This room is end-to-end encrypted": "Taxxamt-a tettwawgelhen seg yixef ɣer yixef", "Edit message": "Ẓreg izen", "Encrypted by a deleted session": "Yettuwgelhen s texxamt yettwakksen", "Scroll to most recent messages": "Drurem ɣer yiznan akk n melmi kan", - "Close preview": "Mdel taskant", "and %(count)s others...": { "other": "d %(count)s wiyaḍ...", "one": "d wayeḍ-nniḍen..." }, - "Invite to this room": "Nced-d ɣer texxamt-a", - "Filter room members": "Sizdeg iɛeggalen n texxamt", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (i iǧehden %(powerLevelNumber)s", - "Italics": "Uknan", - "Replying": "Tiririt", "(~%(count)s results)": { "one": "(~%(count)s igmaḍ)", "other": "(~%(count)s igmaḍ)" }, "Join Room": "Rnu ɣer texxamt", - "Forget room": "Tettuḍ taxxamt", - "Rooms": "Timɣiwent", - "Join the conversation with an account": "Ttekki deg udiwenni s umiḍan", - "Re-join": "Ales attekki", - "Try to join anyway": "Ɣas akken ɛreḍ ad tettekkiḍ", - "Join the discussion": "Ttekki deg udiwenni", - "Start chatting": "Bdu adiwenni", - "%(roomName)s is not accessible at this time.": "%(roomName)s ulac anekcum ɣer-s akka tura.", - "Add room": "Rnu taxxamt", - "All messages": "Iznan i meṛṛa", "This Room": "Taxxamt-a", "Search…": "Nadi…", "Add some now": "Rnu kra tura", @@ -315,10 +247,6 @@ "Guitar": "Tagitaṛt", "Trumpet": "Lɣiḍa", "Bell": "Anayna", - "Forget this room": "Ttu taxxamt-a", - "Reject & Ignore user": "Agi & Zgel aseqdac", - "%(roomName)s does not exist.": "%(roomName)s ulac-it.", - "Room options": "Tixtiṛiyin n texxamt", "All Rooms": "Akk tixxamin", "Error creating address": "Tuccḍa deg tmerna n tensa", "Error removing address": "Tuccḍa deg tukksa n tensa", @@ -351,13 +279,7 @@ "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:", "Ask this user to verify their session, or manually verify it below.": "Suter deg useqdac-a ad isenqed tiɣimit-is, neɣ senqed-itt ddaw s ufus.", - "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.", "Start using Key Backup": "Bdu aseqdec n uḥraz n tsarut", - "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", "%(count)s verified sessions": { "other": "%(count)s isenqed tiɣimiyin", "one": "1 n tɣimit i yettwasneqden" @@ -388,38 +310,8 @@ "Error decrypting image": "Tuccḍa deg uwgelhen n tugna", "Show image": "Sken tugna", "Invalid base_url for m.identity_server": "D arameɣtu base_url i m.identity_server", - "Your keys are being backed up (the first backup could take a few minutes).": "Tisura-ik·im la ttwaḥrazent (aḥraz amezwaru yezmer ad yeṭṭef kra n tesdidin).", "Your homeserver has exceeded its user limit.": "Aqeddac-inek·inem agejdan yewweḍ ɣer talast n useqdac.", "Your homeserver has exceeded one of its resource limits.": "Aqeddac-inek·inem agejdan iɛedda yiwet seg tlisa-ines tiɣbula.", - "Discovery": "Tagrut", - "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", - "No Audio Outputs detected": "Ulac tuffɣiwin n umeslaw i d-yettwafen", - "No Microphones detected": "Ulac isawaḍen i d-yettwafen", - "No Webcams detected": "Ulac tikamiṛatin i d-yettwafen", - "Audio Output": "Tuffɣa n umeslaw", - "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", - "Room Addresses": "Tansiwin n texxamt", - "Uploaded sound": "Ameslaw i d-yulin", - "Set a new custom sound": "Sbadu ameslaw udmawan amaynut", - "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", - "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", - "Unable to verify email address.": "Asenqed n tansa n yimayl ur yeddi ara.", - "Verify the link in your inbox": "Senqed aseɣwen deg tbewwaḍt-ik·im n yimayl", - "Unable to revoke sharing for phone number": "Aḥwi n beṭṭu n tansa n yimayl ur yeddi ara", - "Unable to share phone number": "Beṭṭu n wuṭṭun n tilifun ur yeddi ara", - "Unable to verify phone number.": "Asenqed n wuṭṭun n tilifun ur yeddi ara.", - "Incorrect verification code": "Tangalt n usenqed d tarussint", - "Please enter verification code sent via text.": "Ttxil-k·m sekcem tangalt n usenqed i ak·am-d-yettwaznen s SMS.", - "Unable to remove contact information": "Tukksa n talɣut n unermas ur teddi ara", - "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.", "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.", @@ -429,38 +321,14 @@ "Encrypted by an unverified session": "Yettuwgelhen s tɣimit ur nettwasenqed ara", "Unencrypted": "Ur yettwawgelhen ara", "The authenticity of this encrypted message can't be guaranteed on this device.": "Asesteb n yizen-a awgelhen ur yettwaḍman ara deg yibenk-a.", - "Invited": "Yettwancad", - "The conversation continues here.": "Adiwenni yettkemmil dagi.", - "This room has been replaced and is no longer active.": "Taxxamt-a ad tettusmelsi, dayen d tarurmidt.", - "You do not have permission to post to this room": "Ur tesεiḍ ara tasiregt ad d-tsuffɣeḍ deg texxamt-a", "%(duration)ss": "%(duration)ss", "%(duration)sm": "%(duration)sm", "%(duration)sh": "%(duration)sh", "%(duration)sd": "%(duration)sd", - "Room %(name)s": "Taxxamt %(name)s", - "No recently visited rooms": "Ulac taxxamt yemmeẓren melmi kan", "Unnamed room": "Taxxamt war isem", "Share room": "Bḍu taxxamt", "Create new room": "Rnu taxxamt tamaynut", - "Explore public rooms": "Snirem tixxamin tizuyaz", - "Low priority": "Tazwart taddayt", - "Historical": "Amazray", - "Reason: %(reason)s": "Taɣzint: %(reason)s", - "You were banned from %(roomName)s by %(memberName)s": "Tettwaɛezleḍ-d seg %(roomName)s sɣur %(memberName)s", - "Something went wrong with your invite to %(roomName)s": "Yella wayen ur nteddu ara akken ilaq d tinubga-ik·im ɣer %(roomName)s", "unknown error code": "tangalt n tuccḍa tarussint", - "You can only join it with a working invite.": "Tzemreḍ kan ad ternuḍ ɣer-s ala s tinubga n uxeddim.", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Tinubga-a ɣer %(roomName)s tettwazen i %(email)s ur nettwacudd ara d umiḍan-ik·im", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Qqen imayl-a ɣer umiḍan-ik·im deg yiɣewwaren i wakken ad d-tremseḍ tinubgiwin srid deg %(brand)s.", - "This invite to %(roomName)s was sent to %(email)s": "Tinubga-a ɣer %(roomName)s tettwazen i %(email)s", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Seqdec aqeddac n timagit deg yiɣewwaren i wakken ad d-tremseḍ tinubgiwin srid deg %(brand)s.", - "Share this email in Settings to receive invites directly in %(brand)s.": "Bḍu imayl-a deg yiɣewwaren i wakken ad d-tremseḍ tinubgiwin srid deg %(brand)s.", - "Do you want to chat with %(user)s?": "Tebɣiḍ ad temmeslayeḍ d %(user)s?", - " wants to chat": " yebɣa ad immeslay", - "Do you want to join %(roomName)s?": "Tebɣiḍ ad tettekkiḍ deg %(roomName)s?", - " invited you": " inced-ik·im", - "You're previewing %(roomName)s. Want to join it?": "Tessenqadeḍ %(roomName)s. Tebɣiḍ ad ternuḍ ɣur-s?", - "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s ur tezmir ara ad tettwasenqed. Tebɣiḍ ad ternuḍ ɣer-s?", "This room has already been upgraded.": "Taxxamt-a tettuleqqam yakan.", "This room is running room version , which this homeserver has marked as unstable.": "Taxxamt-a tesedday lqem n texxamt , i yecreḍ uqeddac-a agejdan ur yerkid ara.", "Only room administrators will see this warning": "Ala inedbalen kan n texxamt ara iwalin tuccḍa-a", @@ -480,7 +348,6 @@ "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'?", - "Enter a new identity server": "Sekcem aqeddac n timagit amaynut", "An error has occurred.": "Tella-d tuccḍa.", "Integrations are disabled": "Imsidaf ttwasensen", "Integrations not allowed": "Imsidaf ur ttusirgen ara", @@ -499,7 +366,6 @@ "Thumbs up": "Adebbuz d asawen", "This backup is trusted because it has been restored on this session": "Aḥraz yettwaḍman acku yuɣal-d seg tɣimit-a", "Back up your keys before signing out to avoid losing them.": "Ḥrez tisura-ik·im send tuffɣa i wakken ur ttruḥunt ara.", - "wait and try again later": "ṛǧu syen ɛreḍ tikkelt-nniḍen", "Security Phrase": "Tafyirt n tɣellist", "Restoring keys from backup": "Tiririt n tsura seg uḥraz", "%(completed)s of %(total)s keys restored": "%(completed)s n %(total)s tsura i yettwarran", @@ -522,22 +388,9 @@ "Could not load user profile": "Yegguma ad d-yali umaɣnu n useqdac", "New passwords must match each other.": "Awalen uffiren imaynuten ilaq ad mṣadan.", "Return to login screen": "Uɣal ɣer ugdil n tuqqna", - "Save your Security Key": "Sekles tasarut-ik·im n tɣellist", - "Unable to set up secret storage": "Asbadu n uklas uffir d awezɣi", "Paperclip": "Tamessakt n lkaɣeḍ", "Cactus": "Akermus", - "Disconnect from the identity server and connect to instead?": "Ffeɣ seg tuqqna n uqeddac n timagit syen qqen ɣer deg wadeg-is?", - "Terms of service not accepted or the identity server is invalid.": "Tiwtilin n uqeddac ur ttwaqbalent ara neɣ aqeddac n timagit d arameɣtu.", - "The identity server you have chosen does not have any terms of service.": "Aqeddac n timagit i tferneḍ ulac akk ɣer-s tiwtilin n uqeddac.", - "Disconnect identity server": "Ffeɣ seg tuqqna n uqeddac n timagit", - "Disconnect from the identity server ?": "Ffeɣ seg tuqqna n uqeddac n timagi t?", - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Ilaq-ak·am ad tekkseḍ isefka-inek·inem udmawanen seg uqeddac n timagit send ad teffɣeḍ seg tuqqna. Nesḥassef, aqeddac n timagit akka tura ha-t beṛṛa n tuqqna neɣ awwaḍ ɣer-s ulamek.", - "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 .", "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.", - "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.", "You cancelled verifying %(name)s": "Tesfesxeḍ asenqed n %(name)s", "You sent a verification request": "Tuzneḍ asuter n usenqed", @@ -556,17 +409,6 @@ "Homeserver URL does not appear to be a valid Matrix homeserver": "URL n uqeddac agejdan ur yettban ara d aqeddac agejdan n Matrix ameɣtu", "Invalid identity server discovery response": "Tiririt n usnirem n uqeddac n timagitn d tarameɣtut", "Identity server URL does not appear to be a valid identity server": "URL n uqeddac n timagit ur yettban ara d aqeddac n timagit ameɣtu", - "Failed to re-authenticate due to a homeserver problem": "Allus n usesteb ur yeddi ara ssebbba n wugur deg uqeddac agejdan", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Seqdec tafyirt tuffirt i tessneḍ kan kečč·kemm, syen sekles ma tebɣiḍ tasarut n tɣellist i useqdec-ines i uḥraz.", - "Restore your key backup to upgrade your encryption": "Err-d aḥraz n tsarut-ik·im akken ad tleqqmeḍ awgelhen-ik·im", - "You'll need to authenticate with the server to confirm the upgrade.": "Ad teḥqiǧeḍ asesteb s uqeddac i wakken ad tesnetmeḍ lqem.", - "Unable to query secret storage status": "Tuttra n waddad n uklas uffir ur teddi ara", - "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.", - "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.", "Failed to connect to integration manager": "Tuqqna ɣer umsefrak n umsidef ur yeddi ara", "Jump to first unread message.": "Ɛeddi ɣer yizen amezwaru ur nettwaɣra ara.", "Error updating main address": "Tuccḍa deg usali n tensa tagejdant", @@ -589,16 +431,6 @@ "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:(", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Ad ak·akem-nwelleh ad tekkseḍ tansiwin n yimayl d wuṭṭunen n tilifun seg uqeddac n timagit send tuffɣa seg tuqqna.", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Aql-ak·akem akka tura tseqdaceḍ i wakken ad d-tafeḍ daɣen ad d-tettwafeḍ sɣur inermisen yellan i tessneḍ. Tzemreḍ ad tbeddleḍ aqeddac-ik·im n timagit ddaw.", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Ma yella ur tebɣiḍ ara ad tesqedceḍ i wakken ad d-tafeḍ daɣen ad d-tettwafeḍ sɣur inermisen yellan i tessneḍ, sekcem aqeddac-nniḍen n timagit ddaw.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Akka tura ur tesseqdaceḍ ula d yiwen n uqeddac n timagit. I wakken ad d-tafeḍ daɣen ad d-tettwafeḍ sɣur yinermisen yellan i tessneḍ, rnu yiwen ddaw.", - "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.", - "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.", "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", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Tigtin n tinubga d awezɣi. Aqeddac yettmagar-d ahat ugur akka tura neɣ ur tesɛiḍ tisirag i iwulmen i wakken ad tagiḍ tinubga-a.", @@ -624,7 +456,6 @@ "Clear all data in this session?": "Sfeḍ akk isefka seg tɣimit-a?", "Incompatible Database": "Taffa n yisefka ur temada ara", "Recently Direct Messaged": "Izen usrid n melmi kan", - "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.", "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?": "Aql-ak·akem ad tettuwellheḍ ɣer usmel n wis tlata i wakken ad tizmireḍ ad tsestbeḍ amiḍan-ik·im i useqdec d %(integrationsUrl)s. Tebɣiḍ ad tkemmleḍ?", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "D awezɣi ad d-naf imuɣna n yisulay Matrix i d-yettwabdaren ddaw - tebɣiḍ ad ten-id-tnecdeḍ ɣas akken?", @@ -649,12 +480,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", - "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.", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Seḥbiber iman-ik·im ɣef uḍegger n unekcum ɣer yiznann & yisefka yettwawgelhe s uḥraz n tsura n uwgelhen ɣef uqeddac-inek·inem.", - "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Leqqem tiimit-a i wakken ad as-teǧǧeḍ ad tsenqed n tɣimiyin-nniḍen, s tikci n uzref ad tekcem ɣer yiznan yettwawgelhen d ucraḍ fell-asen ttwattkalen i yiseqdac-nniḍen.", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Ma yella teffeḍ tura, ilaq ad tmedleḍ iznan & isefka yettwawgelhen ma yella tesruḥeḍ anekcum ɣer yinekcam-ik·im.", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Ur tettizmireḍ ara ad tesfesxeḍ asnifel-a acku tessebɣaseḍ aseqdac ad yesɛu aswir n tezmert am kečč·kemm.", "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?": "Asemmet n useqdac-a ad t-isuffeɣ yerna ur as-yettaǧǧa ara ad yales ad yeqqen. Daɣen, ad ffɣen akk seg texxamin ideg llan. Tigawt-a dayen ur tettwasefsax ara. S tidet tebɣiḍ ad tsemmteḍ aseqdac-a?", "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.": "Tukksa n tsura n uzmul anmidag ad yili i lebda. Yal amdan i tesneqdeḍ ad iwali ilɣa n tɣellist. Maca ur tebɣiḍ ara ad txedmeḍ aya, ala ma yella tesruḥeḍ ibenkan akk ara ak·akem-yeǧǧen ad tkecmeḍ seg-s.", @@ -943,13 +768,6 @@ "United States": "Iwanaken-Yeddukklen-N-Temrikt", "New Caledonia": "Kaliduni amaynut", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "%(brand)s-ik·im ur ak·am yefki ara tisirag i useqdec n umsefrak n umsidef i wakken ad tgeḍ aya. Ttxil-k·m nermes anedbal.", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Imsefrak n yimsidaf remmsen-d isefka n uswel, syen ad uɣalen zemren ad beddlen iwiǧiten, ad aznen tinubgiwin ɣer texxamin, ad yesbadu daɣen tazmert n yiswiren s yiswiren deg ubdil-ik·im.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Seqdec amsefrak n umsidef i usefrek n yibuten, n yiwiǧiten d tɣawsiwin n usenteḍ.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Seqdec amsefrak n umsidef (%(serverName)s) i usefrek n yibuten, n yiwiǧiten d tɣawsiwin n usenteḍ.", - "Identity server (%(server)s)": "Aqeddac n timagit (%(server)s)", - "Could not connect to identity server": "Ur izmir ara ad yeqqen ɣer uqeddac n timagit", - "Not a valid identity server (status code %(code)s)": "Aqeddac n timagit mačči d ameɣtu (status code %(code)s)", - "Identity server URL must be HTTPS": "URL n uqeddac n timagit ilaq ad yili d HTTPS", "common": { "about": "Ɣef", "analytics": "Tiselḍin", @@ -1017,7 +835,13 @@ "general": "Amatu", "profile": "Amaɣnu", "display_name": "Sken isem", - "user_avatar": "Tugna n umaɣnu" + "user_avatar": "Tugna n umaɣnu", + "authentication": "Asesteb", + "rooms": "Timɣiwent", + "low_priority": "Tazwart taddayt", + "historical": "Amazray", + "go_to_settings": "Ddu ɣer yiɣewwaren", + "setup_secure_messages": "Sbadu iznan iɣelsanen" }, "action": { "continue": "Kemmel", @@ -1099,7 +923,10 @@ "send_report": "Azen aneqqis", "unban": "Asefsex n tigtin", "hide_advanced": "Ffer talqayt", - "show_advanced": "Sken talqayt" + "show_advanced": "Sken talqayt", + "unignore": "Ur yettwazgel ara", + "explore_rooms": "Snirem tixxamin", + "explore_public_rooms": "Snirem tixxamin tizuyaz" }, "a11y": { "user_menu": "Umuɣ n useqdac", @@ -1112,7 +939,8 @@ "one": "1 yizen ur nettwaɣra ara." }, "unread_messages": "Iznan ur nettwaɣra ara.", - "jump_first_invite": "Ɛreddi ɣer tinnubga tamezwarut." + "jump_first_invite": "Ɛreddi ɣer tinnubga tamezwarut.", + "room_name": "Taxxamt %(name)s" }, "labs": { "pinning": "Arezzi n yizen", @@ -1181,7 +1009,13 @@ "room_a11y": "Asmad awurman n texxamt", "user_description": "Iseqdacen", "user_a11y": "Asmad awurman n useqdac" - } + }, + "room_upgraded_link": "Adiwenni yettkemmil dagi.", + "room_upgraded_notice": "Taxxamt-a ad tettusmelsi, dayen d tarurmidt.", + "no_perms_notice": "Ur tesεiḍ ara tasiregt ad d-tsuffɣeḍ deg texxamt-a", + "poll_button_no_perms_title": "Tasiregt tlaq", + "format_italics": "Uknan", + "replying_title": "Tiririt" }, "Code": "Tangalt", "power_level": { @@ -1285,7 +1119,14 @@ "inline_url_previews_room_account": "Rmed tiskanin n URL i texxamt-a (i ak·akem-yeɛnan kan)", "inline_url_previews_room": "Rmed tiskanin n URL s wudem amezwer i yimttekkiyen deg texxamt-a", "voip": { - "mirror_local_feed": "Asbani n usuddem n tvidyut tadigant" + "mirror_local_feed": "Asbani n usuddem n tvidyut tadigant", + "missing_permissions_prompt": "Ulac tisirag n umidyat, sit ɣef tqeffalt ddaw i usentem.", + "request_permissions": "Suter tisirag n umidyat", + "audio_output": "Tuffɣa n umeslaw", + "audio_output_empty": "Ulac tuffɣiwin n umeslaw i d-yettwafen", + "audio_input_empty": "Ulac isawaḍen i d-yettwafen", + "video_input_empty": "Ulac tikamiṛatin i d-yettwafen", + "title": "Ameslaw & Tavidyut" }, "security": { "message_search_disable_warning": "Ma yella tensa, iznan n texxamin tiwgelhanin ur d-ttbanen ara deg yigmaḍ n unadi.", @@ -1347,7 +1188,10 @@ "key_backup_connect": "Qqen tiɣimit-a ɣer uḥraz n tsarut", "key_backup_complete": "Akk tisura ttwaḥerzent", "key_backup_algorithm": "Alguritm:", - "key_backup_inactive_warning": "Tisura-inek·inem ur ttwaḥrazent ara seg tɣimit-a." + "key_backup_inactive_warning": "Tisura-inek·inem ur ttwaḥrazent ara seg tɣimit-a.", + "key_backup_active_version_none": "Ula yiwen", + "ignore_users_section": "Iseqdacen yettunfen", + "e2ee_default_disabled_warning": "Anedbal-ik·im n uqeddac issens awgelhen seg yixef ɣer yixef s wudem amezwer deg texxamin tusligin & yiznan usriden." }, "preferences": { "room_list_heading": "Tabdart n texxamt", @@ -1376,7 +1220,79 @@ "add_msisdn_dialog_title": "Rnu uṭṭun n tilifun", "name_placeholder": "Ulac meffer isem", "error_saving_profile_title": "Yecceḍ usekles n umaɣnu-ik•im", - "error_saving_profile": "Tamahilt ur tezmir ara ad tettwasmed" + "error_saving_profile": "Tamahilt ur tezmir ara ad tettwasmed", + "error_password_change_403": "Asnifel n wawal uffir ur yeddi ara. Awal-ik·im d ameɣtu?", + "emails_heading": "Tansiwin n yimayl", + "msisdns_heading": "Uṭṭunen n tiliɣri", + "discovery_needs_terms": "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.", + "deactivate_section": "Sens amiḍan", + "account_management_section": "Asefrek n umiḍan", + "discovery_section": "Tagrut", + "error_revoke_email_discovery": "Asefsex n beṭṭu n tansa n yimayl ur yeddi ara", + "error_share_email_discovery": "Beṭṭu n tansa n yimayl ur yeddi ara", + "email_not_verified": "Tansa n yimayl-ik·im ur tettwasenqed ara akka ar tura", + "email_verification_instructions": "Sit ɣef useɣwen yella deg yimayl i teṭṭfeḍ i usenqed syen sit tikkelt tayeḍ ad tkemmleḍ.", + "error_email_verification": "Asenqed n tansa n yimayl ur yeddi ara.", + "discovery_email_verification_instructions": "Senqed aseɣwen deg tbewwaḍt-ik·im n yimayl", + "discovery_email_empty": "Tixtiṛiyin n usnirem ad d-banent akken ara ternuḍ imayl s ufella.", + "error_revoke_msisdn_discovery": "Aḥwi n beṭṭu n tansa n yimayl ur yeddi ara", + "error_share_msisdn_discovery": "Beṭṭu n wuṭṭun n tilifun ur yeddi ara", + "error_msisdn_verification": "Asenqed n wuṭṭun n tilifun ur yeddi ara.", + "incorrect_msisdn_verification": "Tangalt n usenqed d tarussint", + "msisdn_verification_instructions": "Ttxil-k·m sekcem tangalt n usenqed i ak·am-d-yettwaznen s SMS.", + "msisdn_verification_field_label": "Tangalt n usenqed", + "discovery_msisdn_empty": "Tixtiṛiyin n usnirem ad d-banent akken ara ternuḍ uṭṭun n tilifun s ufella.", + "error_set_name": "Asbadu n yisem yettwaskanen ur yeddi ara", + "error_remove_3pid": "Tukksa n talɣut n unermas ur teddi ara", + "remove_email_prompt": "Kkes %(email)s?", + "error_invalid_email": "Tansa n yimayl d tarameɣtut", + "error_invalid_email_detail": "Tagi ur tettban ara d tansa n yimayl tameɣtut", + "error_add_email": "D awezɣi ad ternuḍ tansa n yimayl", + "add_email_instructions": "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.", + "email_address_label": "Tansa n yimayl", + "remove_msisdn_prompt": "Kkes %(phone)s?", + "add_msisdn_instructions": "Izen n uḍris yettwazen ɣer +%(msisdn)s. Ttxil-k·m sekcem tangalt n usenqed yellan deg-s.", + "msisdn_label": "Uṭṭun n tiliɣri" + }, + "key_backup": { + "backup_in_progress": "Tisura-ik·im la ttwaḥrazent (aḥraz amezwaru yezmer ad yeṭṭef kra n tesdidin).", + "backup_success": "Tammug akken iwata!", + "create_title": "Rnu aḥraz n tsarut", + "cannot_create_backup": "Yegguma ad yernu uḥraz n tsarut", + "setup_secure_backup": { + "generate_security_key_title": "Sirew tasarut n tɣellist", + "enter_phrase_title": "Sekcem tafyirt tuffirt", + "description": "Seḥbiber iman-ik·im ɣef uḍegger n unekcum ɣer yiznann & yisefka yettwawgelhe s uḥraz n tsura n uwgelhen ɣef uqeddac-inek·inem.", + "requires_password_confirmation": "Sekcem awal uffir n umiḍan-ik·im akken ad tesnetmeḍ aleqqem:", + "requires_key_restore": "Err-d aḥraz n tsarut-ik·im akken ad tleqqmeḍ awgelhen-ik·im", + "requires_server_authentication": "Ad teḥqiǧeḍ asesteb s uqeddac i wakken ad tesnetmeḍ lqem.", + "session_upgrade_description": "Leqqem tiimit-a i wakken ad as-teǧǧeḍ ad tsenqed n tɣimiyin-nniḍen, s tikci n uzref ad tekcem ɣer yiznan yettwawgelhen d ucraḍ fell-asen ttwattkalen i yiseqdac-nniḍen.", + "pass_phrase_match_success": "Yemṣada!", + "use_different_passphrase": "Seqdec tafyirt tuffirt yemgaraden?", + "pass_phrase_match_failed": "Ur yemṣada ara.", + "set_phrase_again": "Uɣal ɣer deffir akken ad t-tesbaduḍ i tikkelt-nniḍen.", + "secret_storage_query_failure": "Tuttra n waddad n uklas uffir ur teddi ara", + "cancel_warning": "Ma yella teffeḍ tura, ilaq ad tmedleḍ iznan & isefka yettwawgelhen ma yella tesruḥeḍ anekcum ɣer yinekcam-ik·im.", + "settings_reminder": "Tzemreḍ daɣen aḥraz uffir & tesferkeḍ tisura-ik·im deg yiɣewwaren.", + "title_upgrade_encryption": "Leqqem awgelhen-inek·inem", + "title_set_phrase": "Sbadu tafyirt taɣelsant", + "title_confirm_phrase": "Sentem tafyirt tuffirt", + "title_save_key": "Sekles tasarut-ik·im n tɣellist", + "unable_to_setup": "Asbadu n uklas uffir d awezɣi", + "use_phrase_only_you_know": "Seqdec tafyirt tuffirt i tessneḍ kan kečč·kemm, syen sekles ma tebɣiḍ tasarut n tɣellist i useqdec-ines i uḥraz." + } + }, + "key_export_import": { + "export_title": "Sifeḍ tisura n texxamt", + "export_description_1": "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.", + "enter_passphrase": "Sekcem tafyirt tuffirt", + "confirm_passphrase": "Sentem tafyirt tuffirt", + "phrase_cannot_be_empty": "Tafyirt tuffirt ur ilaq ara ad ilint d tilmawin", + "phrase_must_match": "Tifyar tuffirin ilaq ad mṣadant", + "import_title": "Kter tisura n texxamt", + "import_description_1": "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.", + "import_description_2": "Afaylu n usifeḍ ad yettummesten s tefyirt tuffirt. Ilaq ad teskecmeḍ tafyirt tuffirt da, i wakken ad tekkseḍ awgelhen i ufaylu.", + "file_to_import": "Afaylu i uktar" } }, "devtools": { @@ -1616,6 +1532,9 @@ "creation_summary_room": "%(creator)s yerna-d taxxamt syen yeswel taxxamt.", "context_menu": { "external_url": "URL aɣbalu" + }, + "url_preview": { + "close": "Mdel taskant" } }, "slash_command": { @@ -1769,7 +1688,14 @@ "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" + "permissions_section_description_room": "Fren timlilin yettusran i usnifel n yiḥricen yemgaraden n texxamt", + "error_unbanning": "Sefsex aḍraq yugi ad yeddu", + "banned_by": "Yettwagi sɣur %(displayName)s", + "ban_reason": "Taɣẓint", + "error_changing_pl_reqs_title": "Tuccḍa deg usnifel n tuttra n uswir afellay", + "error_changing_pl_reqs_description": "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.", + "error_changing_pl_title": "Tuccḍa deg usnifel n uswir afellay", + "error_changing_pl_description": "Tella-d tuccḍa mi ara nettbeddil tazmert n uswir n useqdac. Senqed ma tesɛiḍ tisirag i iwulmen syen ales tikkelt-nniḍen." }, "security": { "strict_encryption": "Ur ttazen ara akk iznan yettwawgelhen ɣer tɣimiyin ur nettusenqad ara seg tɣimit-a", @@ -1794,16 +1720,30 @@ "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" + "url_previews_section": "Tiskanin n URL", + "aliases_section": "Tansiwin n texxamt", + "other_section": "Nniḍen" }, "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:" + "room_version": "Lqem n texxamt:", + "information_section_room": "Talɣut n texxamt" }, - "upload_avatar_label": "Sali-d avaṭar" + "upload_avatar_label": "Sali-d avaṭar", + "bridges": { + "description": "Taxxamt-a tettcuddu iznan ɣer tɣerɣar i d-iteddun. Issin ugar.", + "title": "Tileggiyin" + }, + "notifications": { + "uploaded_sound": "Ameslaw i d-yulin", + "sounds_section": "Imesla", + "notification_sound": "Imesli i yilɣa", + "custom_sound_prompt": "Sbadu ameslaw udmawan amaynut", + "browse_button": "Inig" + } }, "encryption": { "verification": { @@ -1843,7 +1783,17 @@ "cross_signing_ready": "Azmul anmidag yewjed i useqdec.", "cross_signing_untrusted": "Amiḍan-inek·inem ɣer-s timagit n uzmul anmidag deg uklas uffir, maca mazal ur yettwaman ara sɣur taxxamt-a.", "cross_signing_not_ready": "Azmul anmidag ur yettwasebded ara.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Tarrayt tamaynut n ujebber", + "description_2": "Tiɣimit-a, amazray-ines awgelhen yesseqdac tarrayt n uɛeddi tamaynut.", + "warning": "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." + }, + "recovery_method_removed": { + "title": "Tarrayt n ujebber tettwakkes", + "description_2": "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.", + "warning": "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." + } }, "emoji": { "category_frequently_used": "Yettuseqdac s waṭas", @@ -1941,7 +1891,9 @@ "autodiscovery_unexpected_error_hs": "Tuccḍa ur nettwaṛǧa ara lawan n uṣeggem n twila n uqeddac agejdan", "autodiscovery_unexpected_error_is": "Tuccḍa ur nettwaṛǧa ara lawan n uṣeggem n uqeddac n timagit", "incorrect_credentials_detail": "Ttxil-k·m gar tamawt aql-ak·akem tkecmeḍ ɣer uqeddac %(hs)s, neɣ matrix.org.", - "create_account_title": "Rnu amiḍan" + "create_account_title": "Rnu amiḍan", + "failed_soft_logout_homeserver": "Allus n usesteb ur yeddi ara ssebbba n wugur deg uqeddac agejdan", + "soft_logout_subheading": "Sfeḍ isefka udmawanen" }, "export_chat": { "messages": "Iznan" @@ -1960,7 +1912,9 @@ "show_less": "Sken-d drus", "notification_options": "Tixtiṛiyin n wulɣu", "failed_remove_tag": "Tukksa n tebzimt %(tagName)s seg texxamt ur yeddi ara", - "failed_add_tag": "Timerna n tebzimt %(tagName)s ɣer texxamt ur yeddi ara" + "failed_add_tag": "Timerna n tebzimt %(tagName)s ɣer texxamt ur yeddi ara", + "breadcrumbs_empty": "Ulac taxxamt yemmeẓren melmi kan", + "add_room_label": "Rnu taxxamt" }, "report_content": { "missing_reason": "Ttxil-k·m ini-aɣ-d ayɣer i d-tettazneḍ alɣu.", @@ -2088,7 +2042,8 @@ "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" + "lists_new_label": "Asulay n texxamt neɣ tansa n tebdart n tegtin", + "rules_empty": "Ula yiwen" }, "user_menu": { "switch_theme_light": "Uɣal ɣer uskar aceɛlal", @@ -2112,8 +2067,38 @@ "unfavourite": "Yettusmenyaf", "favourite": "Asmenyif", "low_priority": "Tazwart taddayt", - "forget": "Tettuḍ taxxamt" - } + "forget": "Tettuḍ taxxamt", + "title": "Tixtiṛiyin n texxamt" + }, + "invite_this_room": "Nced-d ɣer texxamt-a", + "header": { + "forget_room_button": "Tettuḍ taxxamt" + }, + "join_title_account": "Ttekki deg udiwenni s umiḍan", + "join_button_account": "Jerred", + "kick_reason": "Taɣzint: %(reason)s", + "forget_room": "Ttu taxxamt-a", + "rejoin_button": "Ales attekki", + "banned_from_room_by": "Tettwaɛezleḍ-d seg %(roomName)s sɣur %(memberName)s", + "3pid_invite_error_title_room": "Yella wayen ur nteddu ara akken ilaq d tinubga-ik·im ɣer %(roomName)s", + "3pid_invite_error_invite_subtitle": "Tzemreḍ kan ad ternuḍ ɣer-s ala s tinubga n uxeddim.", + "3pid_invite_error_invite_action": "Ɣas akken ɛreḍ ad tettekkiḍ", + "join_the_discussion": "Ttekki deg udiwenni", + "3pid_invite_email_not_found_account_room": "Tinubga-a ɣer %(roomName)s tettwazen i %(email)s ur nettwacudd ara d umiḍan-ik·im", + "link_email_to_receive_3pid_invite": "Qqen imayl-a ɣer umiḍan-ik·im deg yiɣewwaren i wakken ad d-tremseḍ tinubgiwin srid deg %(brand)s.", + "invite_sent_to_email_room": "Tinubga-a ɣer %(roomName)s tettwazen i %(email)s", + "3pid_invite_no_is_subtitle": "Seqdec aqeddac n timagit deg yiɣewwaren i wakken ad d-tremseḍ tinubgiwin srid deg %(brand)s.", + "invite_email_mismatch_suggestion": "Bḍu imayl-a deg yiɣewwaren i wakken ad d-tremseḍ tinubgiwin srid deg %(brand)s.", + "dm_invite_title": "Tebɣiḍ ad temmeslayeḍ d %(user)s?", + "dm_invite_subtitle": " yebɣa ad immeslay", + "dm_invite_action": "Bdu adiwenni", + "invite_title": "Tebɣiḍ ad tettekkiḍ deg %(roomName)s?", + "invite_subtitle": " inced-ik·im", + "invite_reject_ignore": "Agi & Zgel aseqdac", + "peek_join_prompt": "Tessenqadeḍ %(roomName)s. Tebɣiḍ ad ternuḍ ɣur-s?", + "no_peek_join_prompt": "%(roomName)s ur tezmir ara ad tettwasenqed. Tebɣiḍ ad ternuḍ ɣer-s?", + "not_found_title_name": "%(roomName)s ulac-it.", + "inaccessible_name": "%(roomName)s ulac anekcum ɣer-s akka tura." }, "file_panel": { "guest_note": "Ilaq-ak·am ad teskelseḍ i wakken ad tesxedmeḍ tamahilt-a", @@ -2195,7 +2180,9 @@ "colour_bold": "Azuran", "error_change_title": "Snifel iɣewwaren n yilɣa", "mark_all_read": "Creḍ kullec yettwaɣra", - "class_other": "Nniḍen" + "class_other": "Nniḍen", + "default": "Amezwer", + "all_messages": "Iznan i meṛṛa" }, "room_summary_card_back_action_label": "Talɣut n texxamt", "quick_settings": { @@ -2212,6 +2199,43 @@ "a11y_jump_first_unread_room": "Ɛeddi ɣer texxamt tamezwarut ur nettwaɣra ara.", "integration_manager": { "error_connecting_heading": "Ur nessaweḍ ara ad neqqen ɣer umsefrak n useddu", - "error_connecting": "Amsefrak n umsidef ha-t-an beṛṛa n tuqqna neɣ ur yezmir ara ad yaweḍ ɣer uqeddac-ik·im agejdan." + "error_connecting": "Amsefrak n umsidef ha-t-an beṛṛa n tuqqna neɣ ur yezmir ara ad yaweḍ ɣer uqeddac-ik·im agejdan.", + "use_im_default": "Seqdec amsefrak n umsidef (%(serverName)s) i usefrek n yibuten, n yiwiǧiten d tɣawsiwin n usenteḍ.", + "use_im": "Seqdec amsefrak n umsidef i usefrek n yibuten, n yiwiǧiten d tɣawsiwin n usenteḍ.", + "manage_title": "Sefrek imsidf", + "explainer": "Imsefrak n yimsidaf remmsen-d isefka n uswel, syen ad uɣalen zemren ad beddlen iwiǧiten, ad aznen tinubgiwin ɣer texxamin, ad yesbadu daɣen tazmert n yiswiren s yiswiren deg ubdil-ik·im." + }, + "identity_server": { + "url_not_https": "URL n uqeddac n timagit ilaq ad yili d HTTPS", + "error_invalid": "Aqeddac n timagit mačči d ameɣtu (status code %(code)s)", + "error_connection": "Ur izmir ara ad yeqqen ɣer uqeddac n timagit", + "checking": "Asenqed n uqeddac", + "change": "Snifel aqeddac n timagit", + "change_prompt": "Ffeɣ seg tuqqna n uqeddac n timagit syen qqen ɣer deg wadeg-is?", + "error_invalid_or_terms": "Tiwtilin n uqeddac ur ttwaqbalent ara neɣ aqeddac n timagit d arameɣtu.", + "no_terms": "Aqeddac n timagit i tferneḍ ulac akk ɣer-s tiwtilin n uqeddac.", + "disconnect": "Ffeɣ seg tuqqna n uqeddac n timagit", + "disconnect_server": "Ffeɣ seg tuqqna n uqeddac n timagi t?", + "disconnect_offline_warning": "Ilaq-ak·am ad tekkseḍ isefka-inek·inem udmawanen seg uqeddac n timagit send ad teffɣeḍ seg tuqqna. Nesḥassef, aqeddac n timagit akka tura ha-t beṛṛa n tuqqna neɣ awwaḍ ɣer-s ulamek.", + "suggestions": "Aql-ak·am:", + "suggestions_1": "senqed izegrar n yiming-ik·im i kra n wayen i izemren ad isewḥel aqeddac n timagit (am Privacy Badger)", + "suggestions_2": "nermes inedbalen n uqeddac n timagit ", + "suggestions_3": "ṛǧu syen ɛreḍ tikkelt-nniḍen", + "disconnect_anyway": "Ɣas akken ffeɣ seg tuqqna", + "disconnect_personal_data_warning_1": "Mazal-ik·ikem tbeṭṭuḍ isefka-inek·inem udmawanen ɣef uqeddac n timagit .", + "disconnect_personal_data_warning_2": "Ad ak·akem-nwelleh ad tekkseḍ tansiwin n yimayl d wuṭṭunen n tilifun seg uqeddac n timagit send tuffɣa seg tuqqna.", + "url": "Aqeddac n timagit (%(server)s)", + "description_connected": "Aql-ak·akem akka tura tseqdaceḍ i wakken ad d-tafeḍ daɣen ad d-tettwafeḍ sɣur inermisen yellan i tessneḍ. Tzemreḍ ad tbeddleḍ aqeddac-ik·im n timagit ddaw.", + "change_server_prompt": "Ma yella ur tebɣiḍ ara ad tesqedceḍ i wakken ad d-tafeḍ daɣen ad d-tettwafeḍ sɣur inermisen yellan i tessneḍ, sekcem aqeddac-nniḍen n timagit ddaw.", + "description_disconnected": "Akka tura ur tesseqdaceḍ ula d yiwen n uqeddac n timagit. I wakken ad d-tafeḍ daɣen ad d-tettwafeḍ sɣur yinermisen yellan i tessneḍ, rnu yiwen ddaw.", + "disconnect_warning": "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.", + "description_optional": "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.", + "do_not_use": "Ur seqdac ara aqeddac n timagt", + "url_field_label": "Sekcem aqeddac n timagit amaynut" + }, + "member_list": { + "invited_list_heading": "Yettwancad", + "filter_placeholder": "Sizdeg iɛeggalen n texxamt", + "power_label": "%(userName)s (i iǧehden %(powerLevelNumber)s" } } diff --git a/src/i18n/strings/ko.json b/src/i18n/strings/ko.json index fc796ec269..e3a6e2fcd4 100644 --- a/src/i18n/strings/ko.json +++ b/src/i18n/strings/ko.json @@ -2,17 +2,12 @@ "Create new room": "새 방 만들기", "unknown error code": "알 수 없는 오류 코드", "Admin Tools": "관리자 도구", - "No Microphones detected": "마이크 감지 없음", - "No Webcams detected": "카메라 감지 없음", - "Authentication": "인증", "A new password must be entered.": "새 비밀번호를 입력해주세요.", "An error has occurred.": "오류가 발생했습니다.", "Are you sure?": "확신합니까?", "Are you sure you want to leave the room '%(roomName)s'?": "%(roomName)s 방을 떠나겠습니까?", - "Default": "기본", "Email address": "이메일 주소", "Failed to forget room %(errCode)s": "%(errCode)s 방 지우기에 실패함", - "Failed to change password. Is your password correct?": "비밀번호를 바꾸지 못했습니다. 이 비밀번호가 맞나요?", "%(items)s and %(lastItem)s": "%(items)s님과 %(lastItem)s님", "and %(count)s others...": { "one": "외 한 명...", @@ -20,53 +15,32 @@ }, "Are you sure you want to reject the invitation?": "초대를 거절하시겠어요?", "Custom level": "맞춤 등급", - "Deactivate Account": "계정 비활성화", "Decrypt %(text)s": "%(text)s 복호화", "Download %(text)s": "%(text)s 다운로드", - "Enter passphrase": "암호 입력", "Error decrypting attachment": "첨부 파일 복호화 중 오류", "Failed to ban user": "사용자 출입 금지에 실패함", "Failed to load timeline position": "타임라인 위치 불러오기에 실패함", "Failed to mute user": "사용자 음소거에 실패함", "Failed to reject invite": "초대 거부에 실패함", "Failed to reject invitation": "초대 거절에 실패함", - "Failed to set display name": "표시 이름을 설정하지 못함", - "Failed to unban": "출입 금지 풀기에 실패함", - "Filter room members": "방 구성원 필터", - "Forget room": "방 지우기", - "Historical": "기록", "Home": "홈", - "Import room keys": "방 키 가져오기", - "Incorrect verification code": "맞지 않은 인증 코드", - "Invalid Email Address": "잘못된 이메일 주소", "Invalid file%(extra)s": "잘못된 파일%(extra)s", - "Invited": "초대받음", "Join Room": "방에 참가", "Jump to first unread message.": "읽지 않은 첫 메시지로 건너뜁니다.", - "Low priority": "중요하지 않음", "Moderator": "조정자", "New passwords must match each other.": "새 비밀번호는 서로 같아야 합니다.", "not specified": "지정되지 않음", "No more results": "더 이상 결과 없음", "Please check your email and click on the link it contains. Once this is done, click continue.": "이메일을 확인하고 안의 링크를 클릭합니다. 모두 마치고 나서, 계속하기를 누르세요.", - "%(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.": "사용자를 자신과 같은 권한 등급으로 올리는 것은 취소할 수 없습니다.", - "Reason": "이유", "Reject invitation": "초대 거절", "Return to login screen": "로그인 화면으로 돌아가기", - "%(roomName)s does not exist.": "%(roomName)s은 없는 방이에요.", - "%(roomName)s is not accessible at this time.": "현재는 %(roomName)s에 들어갈 수 없습니다.", - "Rooms": "방", "Search failed": "검색 실패함", "Server may be unavailable, overloaded, or search timed out :(": "서버를 쓸 수 없거나 과부하거나, 검색 시간을 초과했어요 :(", "Session ID": "세션 ID", "This room has no local addresses": "이 방은 로컬 주소가 없음", - "This doesn't appear to be a valid email address": "올바르지 않은 이메일 주소로 보입니다", "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": "이메일 주소를 추가할 수 없음", - "Unable to remove contact information": "연락처 정보를 제거할 수 없음", - "Unable to verify email address.": "이메일 주소를 인증할 수 없습니다.", "Uploading %(filename)s": "%(filename)s을(를) 올리는 중", "Uploading %(filename)s and %(count)s others": { "one": "%(filename)s 외 %(count)s개를 올리는 중", @@ -74,7 +48,6 @@ }, "Verification Pending": "인증을 기다리는 중", "Warning!": "주의!", - "You do not have permission to post to this room": "이 방에 글을 올릴 권한이 없습니다", "You seem to be in a call, are you sure you want to quit?": "전화 중인데, 끊겠습니까?", "You seem to be uploading files, are you sure you want to quit?": "파일을 업로드 중인데, 그만두겠습니까?", "Sun": "일", @@ -105,15 +78,7 @@ "one": "(~%(count)s개의 결과)", "other": "(~%(count)s개의 결과)" }, - "Passphrases must match": "암호가 일치해야 함", - "Passphrase must not be empty": "암호를 입력해야 함", - "Export room keys": "방 키 내보내기", - "Confirm passphrase": "암호 확인", - "File to import": "가져올 파일", "Confirm Removal": "삭제 확인", - "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.": "내보낸 파일이 암호로 보호되어 있습니다. 파일을 복호화하려면, 여기에 암호를 입력해야 합니다.", "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을 썼다면, 세션이 이 버전과 맞지 않을 것입니다. 창을 닫고 최근 버전으로 돌아가세요.", "Error decrypting image": "사진 복호화 중 오류", @@ -134,15 +99,12 @@ "Saturday": "토요일", "Monday": "월요일", "All Rooms": "모든 방", - "All messages": "모든 메시지", - "Invite to this room": "이 방에 초대", "You cannot delete this message. (%(code)s)": "이 메시지를 삭제할 수 없습니다. (%(code)s)", "Thursday": "목요일", "Yesterday": "어제", "Wednesday": "수요일", "Thank you!": "감사합니다!", "This event could not be displayed": "이 이벤트를 표시할 수 없음", - "Banned by %(displayName)s": "%(displayName)s님에 의해 출입 금지됨", "PM": "오후", "AM": "오전", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(fullYear)s년 %(monthName)s %(day)s일 (%(weekDayName)s)", @@ -151,16 +113,13 @@ "%(duration)sm": "%(duration)s분", "%(duration)sh": "%(duration)s시간", "%(duration)sd": "%(duration)s일", - "Replying": "답장 중", "Share Link to User": "사용자에게 링크 공유", - "Unignore": "그만 무시하기", "Demote": "강등", "Demote yourself?": "자신을 강등하시겠습니까?", "This room is not public. You will not be able to rejoin without an invite.": "이 방은 공개되지 않았습니다. 초대 없이는 다시 들어올 수 없습니다.", "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": "방 공유하기", - "Permission Required": "권한 필요", "You don't currently have any stickerpacks enabled": "현재 사용하고 있는 스티커 팩이 없음", "Filter results": "필터 결과", "Delete Widget": "위젯 삭제", @@ -181,8 +140,6 @@ "Send Logs": "로그 보내기", "We encountered an error trying to restore your previous session.": "이전 활동을 복구하는 중 에러가 발생했습니다.", "Link to most recent message": "가장 최근 메시지로 연결", - "This room has been replaced and is no longer active.": "이 방은 대체되어서 더 이상 활동하지 않습니다.", - "The conversation continues here.": "이 대화는 여기서 이어집니다.", "Only room administrators will see this warning": "방 관리자만이 이 경고를 볼 수 있음", "In reply to ": "관련 대화 ", "Updating %(brand)s": "%(brand)s 업데이트 중", @@ -194,8 +151,6 @@ "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "브라우저의 저장소를 청소한다면 문제가 해결될 수도 있지만, 암호화된 대화 기록을 읽을 수 없게 됩니다.", "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.": "이 홈서버가 월 간 활성 사용자 한도를 초과했기 때문에 메시지를 보낼 수 없었습니다. 서비스를 계속 사용하려면 서비스 관리자에게 연락해주세요.", - "No Audio Outputs detected": "오디오 출력 감지 없음", - "Audio Output": "오디오 출력", "Dog": "개", "Cat": "고양이", "Lion": "사자", @@ -262,65 +217,8 @@ "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "암호화된 메시지는 종단간 암호화로 보호됩니다. 오직 당신과 상대방만 이 메시지를 읽을 수 있는 키를 갖습니다.", "Back up your keys before signing out to avoid losing them.": "잃어버리지 않도록 로그아웃하기 전에 키를 백업하세요.", "Start using Key Backup": "키 백업 시작", - "Checking server": "서버 확인 중", - "Terms of service not accepted or the identity server is invalid.": "서비스 약관에 동의하지 않거나 ID 서버가 올바르지 않습니다.", - "The identity server you have chosen does not have any terms of service.": "고른 ID 서버가 서비스 약관을 갖고 있지 않습니다.", - "Disconnect from the identity server ?": "ID 서버 (으)로부터 연결을 끊겠습니까?", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "현재 을(를) 사용하여 알고 있는 기존 연락처 사람들을 검색하거나 사람들이 당신을 검색할 수 있습니다. 아래에서 ID 서버를 변경할 수 있습니다.", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "알고 있는 기존 연락처 사람들을 검색하거나 사람들이 당신을 검색할 수 있는 을(를) 쓰고 싶지 않다면, 아래에 다른 ID 서버를 입력하세요.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "현재 ID 서버를 사용하고 있지 않습니다. 알고 있는 기존 연락처 사람들을 검색하거나 사람들이 당신을 검색하려면, 아래에 하나를 추가하세요.", - "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 서버로부터 연결을 끊으면 다른 사용자에게 검색될 수 없고, 이메일과 전화번호로 다른 사람을 초대할 수 없게 됩니다.", - "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.": "ID 서버를 사용하는 것은 선택입니다. ID 서버를 사용하지 않는다면, 다른 사용자에게 검색될 수 없고, 이메일과 전화번호로 다른 사람을 초대할 수 없게 됩니다.", - "Do not use an identity server": "ID 서버를 사용하지 않기", - "Enter a new identity server": "새 ID 서버 입력", - "Email addresses": "이메일 주소", - "Phone numbers": "전화번호", - "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": "계정 관리", - "Discovery": "탐색", "Deactivate account": "계정 비활성화", - "Ignored users": "무시한 사용자", - "Missing media permissions, click the button below to request.": "미디어 권한이 없습니다, 권한 요청을 보내려면 아래 버튼을 클릭하세요.", - "Request media permissions": "미디어 권한 요청", - "Voice & Video": "음성 & 영상", - "Room information": "방 정보", - "Room Addresses": "방 주소", - "Uploaded sound": "업로드된 소리", - "Sounds": "소리", - "Notification sound": "알림 소리", - "Set a new custom sound": "새 맞춤 소리 설정", - "Browse": "찾기", - "Unable to revoke sharing for email address": "이메일 주소 공유를 취소할 수 없음", - "Unable to share email address": "이메일 주소를 공유할 수 없음", - "Discovery options will appear once you have added an email above.": "위에 이메일을 추가하면 검색 옵션에 나타납니다.", - "Unable to revoke sharing for phone number": "전화번호 공유를 취소할 수 없음", - "Unable to share phone number": "전화번호를 공유할 수 없음", - "Unable to verify phone number.": "전화번호를 인증할 수 없습니다.", - "Please enter verification code sent via text.": "문자로 보낸 인증 코드를 입력해주세요.", - "Verification code": "인증 코드", - "Discovery options will appear once you have added a phone number above.": "위에 전화번호를 추가하면 검색 옵션에 나타납니다.", - "Remove %(email)s?": "%(email)s을(를) 제거하겠습니까?", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "주소를 인증하기 위한 이메일을 보냈습니다. 여기있는 설명을 따라간 후 아래 버튼을 클릭하세요.", - "Email Address": "이메일 주소", - "Remove %(phone)s?": "%(phone)s을(를) 제거하겠습니까?", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "문자 메시지를 +%(msisdn)s(으)로 보냈습니다. 메시지에 있는 인증 코드를 입력해주세요.", - "Phone Number": "전화번호", "Edit message": "메시지 편집", - "Join the conversation with an account": "계정으로 대화에 참여", - "Sign Up": "등록", - "Reason: %(reason)s": "이유: %(reason)s", - "Forget this room": "이 방 지우기", - "Re-join": "다시 참가", - "You were banned from %(roomName)s by %(memberName)s": "%(roomName)s 방에서 %(memberName)s님에 의해 출입 금지 당했습니다", - "Something went wrong with your invite to %(roomName)s": "%(roomName)s 방으로의 초대에 문제가 있음", - "You can only join it with a working invite.": "초대받은 사람만 참가할 수 있습니다.", - "Join the discussion": "토론에 참가", - "Try to join anyway": "무시하고 참가 시도", - "Do you want to chat with %(user)s?": "%(user)s님과 대화하겠습니까?", - "Do you want to join %(roomName)s?": "%(roomName)s 방에 참가하겠습니까?", - " invited you": "님이 당신을 초대함", - "You're previewing %(roomName)s. Want to join it?": "%(roomName)s 방을 미리 보고 있습니다. 참가하겠습니까?", - "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s 방을 미리 볼 수 없습니다. 참가하겠습니까?", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "이 방을 업그레이드하면 현재 방의 인스턴스는 문을 닫고 같은 이름의 업그레이드된 방을 만듭니다.", "This room has already been upgraded.": "이 방은 이미 업그레이드됬습니다.", "This room is running room version , which this homeserver has marked as unstable.": "이 방은 방 버전 에서 실행 중이고, 이 홈서버가 불안정으로 표시됩니다.", @@ -402,7 +300,6 @@ "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": "방 추가", "Could not load user profile": "사용자 프로필을 불러올 수 없음", "Your password has been reset.": "비밀번호가 초기화되었습니다.", "Invalid homeserver discovery response": "잘못된 홈서버 검색 응답", @@ -413,40 +310,10 @@ "Invalid base_url for m.identity_server": "잘못된 m.identity_server 용 base_url", "Identity server URL does not appear to be a valid identity server": "ID 서버 URL이 올바른 ID 서버가 아님", "General failure": "일반적인 실패", - "Failed to re-authenticate due to a homeserver problem": "홈서버 문제로 다시 인증에 실패함", - "Clear personal data": "개인 정보 지우기", - "That matches!": "맞습니다!", - "That doesn't match.": "맞지 않습니다.", - "Go back to set it again.": "돌아가서 다시 설정하기.", - "Your keys are being backed up (the first backup could take a few minutes).": "키를 백업했습니다 (처음 백업에는 시간이 걸릴 수 있습니다).", - "Success!": "성공!", - "Unable to create key backup": "키 백업을 만들 수 없음", "Set up": "설정", - "New Recovery Method": "새 복구 방식", - "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.": "새 복구 방식을 설정하지 않으면, 공격자가 계정에 접근을 시도할 지도 모릅니다. 설정에서 계정 비밀번호를 바꾸고 즉시 새 복구 방식을 설정하세요.", - "Go to Settings": "설정으로 가기", - "Set up Secure Messages": "보안 메시지 설정", - "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.": "이 복구 방식을 제거하지 않으면, 공격자가 계정에 접근을 시도할 지도 모릅니다. 설정에서 계정 비밀번호를 바꾸고 즉시 새 복구 방식을 설정하세요.", "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": "사용자 비활성화", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "당신의 계정과 관계없는 %(email)s님으로 %(roomName)s으로의 초대를 보냈습니다", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "설정에서 이 이메일을 계정에 연결하면 %(brand)s에서 직접 초대를 받을 수 있습니다.", - "This invite to %(roomName)s was sent to %(email)s": "%(roomName)s으로의 초대가 %(email)s(으)로 보내졌습니다", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "설정에서 ID 서버를 사용해 %(brand)s에서 직접 초대를 받을 수 있습니다.", - "Share this email in Settings to receive invites directly in %(brand)s.": "설정에서 이 이메일을 공유해서 %(brand)s에서 직접 초대를 받을 수 있습니다.", - "Error changing power level": "권한 등급 변경 중 오류", - "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "사용자의 권한 등급을 변경하는 중 오류가 발생했습니다. 변경할 수 있는 권한이 있는 지 확인한 후 다시 시도하세요.", - "Italics": "기울게", - "Change identity server": "ID 서버 변경", - "Disconnect from the identity server and connect to instead?": "현재 ID 서버 와의 연결을 끊고 새 ID 서버 에 연결하겠습니까?", - "Disconnect identity server": "ID 서버 연결 끊기", - "You are still sharing your personal data on the identity server .": "여전히 ID 서버 개인 정보를 공유하고 있습니다.", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "연결을 끊기 전에 ID 서버에 이메일 주소와 전화번호를 지우기를 권합니다.", - "Disconnect anyway": "무시하고 연결 끊기", - "Error changing power level requirement": "권한 등급 요구 사항 변경 중 오류", - "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "방의 권한 등급 요구 사항을 변경하는 중 오류가 발생했습니다. 변경할 수 있는 권한을 갖고 있는 지 확인한 후 다시 시도하세요.", "No recent messages by %(user)s found": "%(user)s님의 최근 메시지 없음", "Try scrolling up in the timeline to see if there are any earlier ones.": "이전 타임라인이 있는지 위로 스크롤하세요.", "Remove recent messages by %(user)s": "%(user)s님의 최근 메시지 삭제", @@ -456,23 +323,13 @@ "one": "1개의 메시지 삭제" }, "Remove recent messages": "최근 메시지 삭제", - "Explore rooms": "방 검색", - "Verify the link in your inbox": "메일함에 있는 링크로 확인", "e.g. my-room": "예: my-room", "Close dialog": "대화 상자 닫기", "Show image": "이미지 보이기", - "Your email address hasn't been verified yet": "이메일 주소가 아직 확인되지 않았습니다", - "Click the link in the email you received to verify and then click continue again.": "받은 이메일에 있는 링크를 클릭해서 확인한 후에 계속하기를 클릭하세요.", - "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": "기다리고 나중에 다시 시도하세요", "Cancel search": "검색 취소", "Failed to deactivate user": "사용자 비활성화에 실패함", "This client does not support end-to-end encryption.": "이 클라이언트는 종단간 암호화를 지원하지 않습니다.", "Messages in this room are not end-to-end encrypted.": "이 방의 메시지는 종단간 암호화가 되지 않았습니다.", - "Room %(name)s": "%(name)s 방", "Message Actions": "메시지 동작", "You verified %(name)s": "%(name)s님을 확인했습니다", "You cancelled verifying %(name)s": "%(name)s님의 확인을 취소했습니다", @@ -483,67 +340,41 @@ "%(name)s cancelled": "%(name)s님이 취소했습니다", "%(name)s wants to verify": "%(name)s님이 확인을 요청합니다", "You sent a verification request": "확인 요청을 보냈습니다", - "None": "없음", "Messages in this room are end-to-end encrypted.": "이 방의 메시지는 종단간 암호화되었습니다.", "You have ignored this user, so their message is hidden. Show anyways.": "이 사용자를 무시했습니다. 사용자의 메시지는 숨겨집니다. 무시하고 보이기.", "Show more": "더 보기", - "Identity server (%(server)s)": "ID 서버 (%(server)s)", - "Could not connect to identity server": "ID 서버에 연결할 수 없음", - "Not a valid identity server (status code %(code)s)": "올바르지 않은 ID 서버 (상태 코드 %(code)s)", - "Identity server URL must be HTTPS": "ID 서버 URL은 HTTPS이어야 함", - "Join public room": "공개 방 참가하기", - "New room": "새로운 방 만들기", - "Start new chat": "새로운 대화 시작하기", - "Room options": "방 옵션", - "Get notified only with mentions and keywords as set up in your settings": "설정에서 지정한 멘션과 키워드인 경우에만 알림을 받습니다", - "Get notifications as set up in your settings": "설정에서 지정한 알림만 받습니다", - "Get notified for every message": "모든 메세지 알림을 받습니다", - "You won't get any notifications": "어떤 알람도 받지 않습니다", "Search for": "검색 기준", "Search for rooms or people": "방 또는 사람 검색", "Search for rooms": "방 검색", "Search for spaces": "스페이스 검색", "Recently Direct Messaged": "최근 다이렉트 메세지", - "No recently visited rooms": "최근에 방문하지 않은 방 목록", - "Recently visited rooms": "최근 방문한 방 목록", "Recently viewed": "최근에 확인한", "Scroll to most recent messages": "가장 최근 메세지로 스크롤", "If you can't find the room you're looking for, ask for an invite or create a new room.": "만약 찾고 있는 방이 없다면, 초대를 요청하거나 새로운 방을 만드세요.", "Unable to copy a link to the room to the clipboard.": "방 링크를 클립보드에 복사할 수 없습니다.", "Unable to copy room link": "방 링크를 복사할 수 없습니다", - "Public space": "공개 스페이스", "Private space (invite only)": "비공개 스페이스 (초대 필요)", - "Private space": "비공개 스페이스", "Rooms and spaces": "방 및 스페이스 목록", "Leave all rooms": "모든 방에서 떠나기", "Create a new space": "새로운 스페이스 만들기", "Create a space": "스페이스 만들기", "Export chat": "대화 내보내기", "Room settings": "방 설정", - "Hide Widgets": "위젯 숨기기", "Widgets": "위젯", "Nothing pinned, yet": "아직 고정된 것이 없습니다", "Pinned messages": "고정된 메세지", "Pinned": "고정됨", "Files": "파일 목록", - "Poll": "투표", "Send voice message": "음성 메세지 보내기", - "Voice Message": "음성 메세지", "Or send invite link": "또는 초대 링크 보내기", "Recent Conversations": "최근 대화 목록", "Start a conversation with someone using their name or username (like ).": "이름이나 사용자명( 형식)을 사용하는 사람들과 대화를 시작하세요.", "Direct Messages": "다이렉트 메세지", - "Explore public rooms": "공개 방 목록 살펴보기", "If you can't see who you're looking for, send them your invite link below.": "찾으려는 사람이 보이지 않으면, 아래의 초대링크를 보내세요.", "Some suggestions may be hidden for privacy.": "일부 추천 목록은 개인 정보 보호를 위해 보이지 않을 수 있습니다.", "Start a conversation with someone using their name, email address or username (like ).": "이름, 이메일, 사용자명() 으로 대화를 시작하세요.", "Search names and descriptions": "이름 및 설명 검색", - "@mentions & keywords": "@멘션(언급) & 키워드", - "Add space": "스페이스 추가하기", "Add existing rooms": "기존 방 추가", - "Add existing room": "기존 방 목록에서 추가하기", - "Invite to this space": "이 스페이스로 초대하기", - "Invite to space": "스페이스에 초대하기", "Slovakia": "슬로바키아", "Argentina": "아르헨티나", "Laos": "라오스", @@ -564,7 +395,6 @@ "Australia": "호주", "Afghanistan": "아프가니스탄", "United States": "미국", - "Deactivating your account is a permanent action — be careful!": "계정을 비활성화 하는 것은 취소할 수 없습니다. 조심하세요!", "Room info": "방 정보", "common": { "analytics": "정보 분석", @@ -629,7 +459,15 @@ "general": "기본", "profile": "프로필", "display_name": "표시 이름", - "user_avatar": "프로필 사진" + "user_avatar": "프로필 사진", + "authentication": "인증", + "public_space": "공개 스페이스", + "private_space": "비공개 스페이스", + "rooms": "방", + "low_priority": "중요하지 않음", + "historical": "기록", + "go_to_settings": "설정으로 가기", + "setup_secure_messages": "보안 메시지 설정" }, "action": { "continue": "계속하기", @@ -699,7 +537,14 @@ "clear": "지우기", "unban": "출입 금지 풀기", "hide_advanced": "고급 숨기기", - "show_advanced": "고급 보이기" + "show_advanced": "고급 보이기", + "unignore": "그만 무시하기", + "start_new_chat": "새로운 대화 시작하기", + "invite_to_space": "스페이스에 초대하기", + "explore_rooms": "방 검색", + "new_room": "새로운 방 만들기", + "add_existing_room": "기존 방 목록에서 추가하기", + "explore_public_rooms": "공개 방 목록 살펴보기" }, "labs": { "pinning": "메시지 고정", @@ -730,7 +575,16 @@ "room_a11y": "방 자동 완성", "user_description": "사용자", "user_a11y": "사용자 자동 완성" - } + }, + "room_upgraded_link": "이 대화는 여기서 이어집니다.", + "room_upgraded_notice": "이 방은 대체되어서 더 이상 활동하지 않습니다.", + "no_perms_notice": "이 방에 글을 올릴 권한이 없습니다", + "send_button_voice_message": "음성 메세지 보내기", + "voice_message_button": "음성 메세지", + "poll_button_no_perms_title": "권한 필요", + "poll_button": "투표", + "format_italics": "기울게", + "replying_title": "답장 중" }, "Code": "코드", "power_level": { @@ -804,7 +658,14 @@ "inline_url_previews_room_account": "이 방에서 URL 미리보기 사용하기 (오직 나만 영향을 받음)", "inline_url_previews_room": "이 방에 참여한 모두에게 기본으로 URL 미리보기 사용하기", "voip": { - "mirror_local_feed": "보고 있는 비디오 전송 상태 비추기" + "mirror_local_feed": "보고 있는 비디오 전송 상태 비추기", + "missing_permissions_prompt": "미디어 권한이 없습니다, 권한 요청을 보내려면 아래 버튼을 클릭하세요.", + "request_permissions": "미디어 권한 요청", + "audio_output": "오디오 출력", + "audio_output_empty": "오디오 출력 감지 없음", + "audio_input_empty": "마이크 감지 없음", + "video_input_empty": "카메라 감지 없음", + "title": "음성 & 영상" }, "security": { "send_analytics": "정보 분석 데이터 보내기", @@ -819,7 +680,9 @@ "delete_backup_confirm_description": "확실합니까? 키를 정상적으로 백업하지 않았다면 암호화된 메시지를 잃게 됩니다.", "error_loading_key_backup_status": "키 백업 상태를 불러올 수 없음", "restore_key_backup": "백업에서 복구", - "key_backup_complete": "모든 키 백업됨" + "key_backup_complete": "모든 키 백업됨", + "key_backup_active_version_none": "없음", + "ignore_users_section": "무시한 사용자" }, "preferences": { "room_list_heading": "방 목록", @@ -852,11 +715,66 @@ "add_email_dialog_title": "이메일 주소 추가", "add_email_failed_verification": "이메일 주소를 인증하지 못했습니다. 메일에 나온 주소를 눌렀는지 확인해 보세요", "add_msisdn_dialog_title": "전화번호 추가", - "name_placeholder": "표시 이름 없음" + "name_placeholder": "표시 이름 없음", + "error_password_change_403": "비밀번호를 바꾸지 못했습니다. 이 비밀번호가 맞나요?", + "emails_heading": "이메일 주소", + "msisdns_heading": "전화번호", + "discovery_needs_terms": "이메일 주소나 전화번호로 자신을 발견할 수 있도록 ID 서버 (%(serverName)s) 서비스 약관에 동의하세요.", + "deactivate_section": "계정 비활성화", + "account_management_section": "계정 관리", + "deactivate_warning": "계정을 비활성화 하는 것은 취소할 수 없습니다. 조심하세요!", + "discovery_section": "탐색", + "error_revoke_email_discovery": "이메일 주소 공유를 취소할 수 없음", + "error_share_email_discovery": "이메일 주소를 공유할 수 없음", + "email_not_verified": "이메일 주소가 아직 확인되지 않았습니다", + "email_verification_instructions": "받은 이메일에 있는 링크를 클릭해서 확인한 후에 계속하기를 클릭하세요.", + "error_email_verification": "이메일 주소를 인증할 수 없습니다.", + "discovery_email_verification_instructions": "메일함에 있는 링크로 확인", + "discovery_email_empty": "위에 이메일을 추가하면 검색 옵션에 나타납니다.", + "error_revoke_msisdn_discovery": "전화번호 공유를 취소할 수 없음", + "error_share_msisdn_discovery": "전화번호를 공유할 수 없음", + "error_msisdn_verification": "전화번호를 인증할 수 없습니다.", + "incorrect_msisdn_verification": "맞지 않은 인증 코드", + "msisdn_verification_instructions": "문자로 보낸 인증 코드를 입력해주세요.", + "msisdn_verification_field_label": "인증 코드", + "discovery_msisdn_empty": "위에 전화번호를 추가하면 검색 옵션에 나타납니다.", + "error_set_name": "표시 이름을 설정하지 못함", + "error_remove_3pid": "연락처 정보를 제거할 수 없음", + "remove_email_prompt": "%(email)s을(를) 제거하겠습니까?", + "error_invalid_email": "잘못된 이메일 주소", + "error_invalid_email_detail": "올바르지 않은 이메일 주소로 보입니다", + "error_add_email": "이메일 주소를 추가할 수 없음", + "add_email_instructions": "주소를 인증하기 위한 이메일을 보냈습니다. 여기있는 설명을 따라간 후 아래 버튼을 클릭하세요.", + "email_address_label": "이메일 주소", + "remove_msisdn_prompt": "%(phone)s을(를) 제거하겠습니까?", + "add_msisdn_instructions": "문자 메시지를 +%(msisdn)s(으)로 보냈습니다. 메시지에 있는 인증 코드를 입력해주세요.", + "msisdn_label": "전화번호" }, "sidebar": { "title": "사이드바", "metaspaces_home_all_rooms": "모든 방 목록 보기" + }, + "key_backup": { + "backup_in_progress": "키를 백업했습니다 (처음 백업에는 시간이 걸릴 수 있습니다).", + "backup_success": "성공!", + "cannot_create_backup": "키 백업을 만들 수 없음", + "setup_secure_backup": { + "pass_phrase_match_success": "맞습니다!", + "pass_phrase_match_failed": "맞지 않습니다.", + "set_phrase_again": "돌아가서 다시 설정하기." + } + }, + "key_export_import": { + "export_title": "방 키 내보내기", + "export_description_1": "이 과정으로 암호화한 방에서 받은 메시지의 키를 로컬 파일로 내보낼 수 있습니다. 그런 다음 나중에 다른 Matrix 클라이언트에서 파일을 가져와서, 해당 클라이언트에서도 이 메시지를 복호화할 수 있도록 할 수 있습니다.", + "enter_passphrase": "암호 입력", + "confirm_passphrase": "암호 확인", + "phrase_cannot_be_empty": "암호를 입력해야 함", + "phrase_must_match": "암호가 일치해야 함", + "import_title": "방 키 가져오기", + "import_description_1": "이 과정으로 다른 Matrix 클라이언트에서 내보낸 암호화 키를 가져올 수 있습니다. 그런 다음 이전 클라이언트에서 복호화할 수 있는 모든 메시지를 복호화할 수 있습니다.", + "import_description_2": "내보낸 파일이 암호로 보호되어 있습니다. 파일을 복호화하려면, 여기에 암호를 입력해야 합니다.", + "file_to_import": "가져올 파일" } }, "devtools": { @@ -1172,7 +1090,14 @@ "send_event_type": "%(eventType)s 이벤트 보내기", "title": "규칙 & 권한", "permissions_section": "권한", - "permissions_section_description_room": "방의 여러 부분을 변경하는 데 필요한 규칙을 선택" + "permissions_section_description_room": "방의 여러 부분을 변경하는 데 필요한 규칙을 선택", + "error_unbanning": "출입 금지 풀기에 실패함", + "banned_by": "%(displayName)s님에 의해 출입 금지됨", + "ban_reason": "이유", + "error_changing_pl_reqs_title": "권한 등급 요구 사항 변경 중 오류", + "error_changing_pl_reqs_description": "방의 권한 등급 요구 사항을 변경하는 중 오류가 발생했습니다. 변경할 수 있는 권한을 갖고 있는 지 확인한 후 다시 시도하세요.", + "error_changing_pl_title": "권한 등급 변경 중 오류", + "error_changing_pl_description": "사용자의 권한 등급을 변경하는 중 오류가 발생했습니다. 변경할 수 있는 권한이 있는 지 확인한 후 다시 시도하세요." }, "security": { "strict_encryption": "이 채팅방의 현재 세션에서 확인되지 않은 세션으로 암호화된 메시지를 보내지 않음", @@ -1204,14 +1129,17 @@ "default_url_previews_off": "기본으로 URL 미리 보기가 이 방에 참여한 사람들 모두에게 꺼졌습니다.", "url_preview_encryption_warning": "지금 이 방처럼, 암호화된 방에서는 홈서버 (미리 보기가 만들어지는 곳)에서 이 방에서 보여지는 링크에 대해 알 수 없도록 기본으로 URL 미리 보기가 꺼집니다.", "url_preview_explainer": "누군가 메시지에 URL을 넣으면, URL 미리 보기로 웹사이트에서 온 제목, 설명, 그리고 이미지 등 그 링크에 대한 정보가 표시됩니다.", - "url_previews_section": "URL 미리보기" + "url_previews_section": "URL 미리보기", + "aliases_section": "방 주소", + "other_section": "기타" }, "advanced": { "unfederated": "이 방은 원격 Matrix 서버로 접근할 수 없음", "room_upgrade_button": "추천하는 방 버전으로 이 방 업그레이드", "room_predecessor": "%(roomName)s 방에서 오래된 메시지를 봅니다.", "room_version_section": "방 버전", - "room_version": "방 버전:" + "room_version": "방 버전:", + "information_section_room": "방 정보" }, "delete_avatar_label": "아바타 삭제", "upload_avatar_label": "아바타 업로드", @@ -1224,6 +1152,14 @@ "access": { "title": "접근", "description_space": "누가 %(spaceName)s를 보거나 참여할 수 있는지 설정합니다." + }, + "notifications": { + "uploaded_sound": "업로드된 소리", + "settings_link": "설정에서 지정한 알림만 받습니다", + "sounds_section": "소리", + "notification_sound": "알림 소리", + "custom_sound_prompt": "새 맞춤 소리 설정", + "browse_button": "찾기" } }, "encryption": { @@ -1246,7 +1182,15 @@ "import_invalid_passphrase": "인증 확인 실패: 비밀번호를 틀리셨나요?", "upgrade_toast_title": "암호화 업그레이드 가능", "verify_toast_title": "이 세션 검증", - "not_supported": "<지원하지 않음>" + "not_supported": "<지원하지 않음>", + "new_recovery_method_detected": { + "title": "새 복구 방식", + "warning": "새 복구 방식을 설정하지 않으면, 공격자가 계정에 접근을 시도할 지도 모릅니다. 설정에서 계정 비밀번호를 바꾸고 즉시 새 복구 방식을 설정하세요." + }, + "recovery_method_removed": { + "title": "복구 방식 제거됨", + "warning": "이 복구 방식을 제거하지 않으면, 공격자가 계정에 접근을 시도할 지도 모릅니다. 설정에서 계정 비밀번호를 바꾸고 즉시 새 복구 방식을 설정하세요." + } }, "emoji": { "category_frequently_used": "자주 사용함", @@ -1332,7 +1276,9 @@ "autodiscovery_unexpected_error_hs": "홈서버 설정을 해결하는 중 예기치 않은 오류", "autodiscovery_unexpected_error_is": "ID 서버 설정을 해결하는 중 예기치 않은 오류", "incorrect_credentials_detail": "지금 %(hs)s 서버로 로그인하고 있는데, matrix.org로 로그인해야 합니다.", - "create_account_title": "계정 만들기" + "create_account_title": "계정 만들기", + "failed_soft_logout_homeserver": "홈서버 문제로 다시 인증에 실패함", + "soft_logout_subheading": "개인 정보 지우기" }, "export_chat": { "title": "대화 내보내기", @@ -1343,7 +1289,12 @@ "other": "%(count)s개 더 보기" }, "failed_remove_tag": "방에 %(tagName)s 태그 제거에 실패함", - "failed_add_tag": "방에 %(tagName)s 태그 추가에 실패함" + "failed_add_tag": "방에 %(tagName)s 태그 추가에 실패함", + "breadcrumbs_label": "최근 방문한 방 목록", + "breadcrumbs_empty": "최근에 방문하지 않은 방 목록", + "add_room_label": "방 추가", + "add_space_label": "스페이스 추가하기", + "join_public_room_label": "공개 방 참가하기" }, "report_content": { "missing_reason": "왜 신고하는 지 이유를 적어주세요.", @@ -1360,7 +1311,8 @@ "one": "1개의 읽지 않은 메시지." }, "unread_messages": "읽지 않은 메시지.", - "jump_first_invite": "첫 초대로 건너뜁니다." + "jump_first_invite": "첫 초대로 건너뜁니다.", + "room_name": "%(name)s 방" }, "onboarding": { "welcome_user": "환영합니다 %(name)s님", @@ -1452,7 +1404,8 @@ "personal_new_placeholder": "예: @bot:* 또는 example.org", "lists_heading": "구독 목록", "lists_description_1": "차단 목록을 구독하면 차단 목록에 참여하게 됩니다!", - "lists_description_2": "이것을 원한 것이 아니라면, 사용자를 무시하는 다른 도구를 사용해주세요." + "lists_description_2": "이것을 원한 것이 아니라면, 사용자를 무시하는 다른 도구를 사용해주세요.", + "rules_empty": "없음" }, "create_space": { "public_heading": "당신의 공개 스페이스", @@ -1474,8 +1427,36 @@ "unfavourite": "즐겨찾기 됨", "favourite": "즐겨찾기", "copy_link": "방 링크 복사", - "low_priority": "중요하지 않음" - } + "low_priority": "중요하지 않음", + "title": "방 옵션" + }, + "invite_this_room": "이 방에 초대", + "header": { + "forget_room_button": "방 지우기", + "hide_widgets_button": "위젯 숨기기" + }, + "join_title_account": "계정으로 대화에 참여", + "join_button_account": "등록", + "kick_reason": "이유: %(reason)s", + "forget_room": "이 방 지우기", + "rejoin_button": "다시 참가", + "banned_from_room_by": "%(roomName)s 방에서 %(memberName)s님에 의해 출입 금지 당했습니다", + "3pid_invite_error_title_room": "%(roomName)s 방으로의 초대에 문제가 있음", + "3pid_invite_error_invite_subtitle": "초대받은 사람만 참가할 수 있습니다.", + "3pid_invite_error_invite_action": "무시하고 참가 시도", + "join_the_discussion": "토론에 참가", + "3pid_invite_email_not_found_account_room": "당신의 계정과 관계없는 %(email)s님으로 %(roomName)s으로의 초대를 보냈습니다", + "link_email_to_receive_3pid_invite": "설정에서 이 이메일을 계정에 연결하면 %(brand)s에서 직접 초대를 받을 수 있습니다.", + "invite_sent_to_email_room": "%(roomName)s으로의 초대가 %(email)s(으)로 보내졌습니다", + "3pid_invite_no_is_subtitle": "설정에서 ID 서버를 사용해 %(brand)s에서 직접 초대를 받을 수 있습니다.", + "invite_email_mismatch_suggestion": "설정에서 이 이메일을 공유해서 %(brand)s에서 직접 초대를 받을 수 있습니다.", + "dm_invite_title": "%(user)s님과 대화하겠습니까?", + "invite_title": "%(roomName)s 방에 참가하겠습니까?", + "invite_subtitle": "님이 당신을 초대함", + "peek_join_prompt": "%(roomName)s 방을 미리 보고 있습니다. 참가하겠습니까?", + "no_peek_join_prompt": "%(roomName)s 방을 미리 볼 수 없습니다. 참가하겠습니까?", + "not_found_title_name": "%(roomName)s은 없는 방이에요.", + "inaccessible_name": "현재는 %(roomName)s에 들어갈 수 없습니다." }, "file_panel": { "guest_note": "이 기능을 쓰려면 등록해야 합니다", @@ -1487,7 +1468,8 @@ "explore": "방 검색", "manage_and_explore": "관리 및 방 목록 보기" }, - "share_public": "당신의 공개 스페이스 공유하기" + "share_public": "당신의 공개 스페이스 공유하기", + "invite_this_space": "이 스페이스로 초대하기" }, "terms": { "integration_manager": "봇, 브릿지, 위젯 그리고 스티커 팩을 사용", @@ -1572,7 +1554,13 @@ "colour_bold": "굵게", "mark_all_read": "모두 읽음으로 표시", "class_other": "기타", - "mentions_keywords": "멘션 및 키워드" + "mentions_keywords": "멘션 및 키워드", + "default": "기본", + "all_messages": "모든 메시지", + "all_messages_description": "모든 메세지 알림을 받습니다", + "mentions_and_keywords": "@멘션(언급) & 키워드", + "mentions_and_keywords_description": "설정에서 지정한 멘션과 키워드인 경우에만 알림을 받습니다", + "mute_description": "어떤 알람도 받지 않습니다" }, "room_summary_card_back_action_label": "방 정보", "quick_settings": { @@ -1598,5 +1586,38 @@ "integration_manager": { "error_connecting_heading": "통합 관리자에 연결할 수 없음", "error_connecting": "통합 관리자가 오프라인이거나 당신의 홈서버에서 접근할 수 없습니다." + }, + "identity_server": { + "url_not_https": "ID 서버 URL은 HTTPS이어야 함", + "error_invalid": "올바르지 않은 ID 서버 (상태 코드 %(code)s)", + "error_connection": "ID 서버에 연결할 수 없음", + "checking": "서버 확인 중", + "change": "ID 서버 변경", + "change_prompt": "현재 ID 서버 와의 연결을 끊고 새 ID 서버 에 연결하겠습니까?", + "error_invalid_or_terms": "서비스 약관에 동의하지 않거나 ID 서버가 올바르지 않습니다.", + "no_terms": "고른 ID 서버가 서비스 약관을 갖고 있지 않습니다.", + "disconnect": "ID 서버 연결 끊기", + "disconnect_server": "ID 서버 (으)로부터 연결을 끊겠습니까?", + "disconnect_offline_warning": "계정을 해제하기 전에 ID 서버 에서 개인 정보를 삭제해야 합니다. 불행하게도 ID 서버 가 현재 오프라인이거나 접근할 수 없는 상태입니다.", + "suggestions": "이렇게 하세요:", + "suggestions_1": "브라우저 플러그인을 확인하고 (Privacy Badger같은) ID 서버를 막는 것이 있는지 확인하세요", + "suggestions_2": "ID 서버 의 관리자와 연락하세요", + "suggestions_3": "기다리고 나중에 다시 시도하세요", + "disconnect_anyway": "무시하고 연결 끊기", + "disconnect_personal_data_warning_1": "여전히 ID 서버 개인 정보를 공유하고 있습니다.", + "disconnect_personal_data_warning_2": "연결을 끊기 전에 ID 서버에 이메일 주소와 전화번호를 지우기를 권합니다.", + "url": "ID 서버 (%(server)s)", + "description_connected": "현재 을(를) 사용하여 알고 있는 기존 연락처 사람들을 검색하거나 사람들이 당신을 검색할 수 있습니다. 아래에서 ID 서버를 변경할 수 있습니다.", + "change_server_prompt": "알고 있는 기존 연락처 사람들을 검색하거나 사람들이 당신을 검색할 수 있는 을(를) 쓰고 싶지 않다면, 아래에 다른 ID 서버를 입력하세요.", + "description_disconnected": "현재 ID 서버를 사용하고 있지 않습니다. 알고 있는 기존 연락처 사람들을 검색하거나 사람들이 당신을 검색하려면, 아래에 하나를 추가하세요.", + "disconnect_warning": "ID 서버로부터 연결을 끊으면 다른 사용자에게 검색될 수 없고, 이메일과 전화번호로 다른 사람을 초대할 수 없게 됩니다.", + "description_optional": "ID 서버를 사용하는 것은 선택입니다. ID 서버를 사용하지 않는다면, 다른 사용자에게 검색될 수 없고, 이메일과 전화번호로 다른 사람을 초대할 수 없게 됩니다.", + "do_not_use": "ID 서버를 사용하지 않기", + "url_field_label": "새 ID 서버 입력" + }, + "member_list": { + "invited_list_heading": "초대받음", + "filter_placeholder": "방 구성원 필터", + "power_label": "%(userName)s님 (권한 %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/lo.json b/src/i18n/strings/lo.json index d7b9905a7e..602ab7a94f 100644 --- a/src/i18n/strings/lo.json +++ b/src/i18n/strings/lo.json @@ -196,10 +196,8 @@ "Tue": "ວັນອັງຄານ", "Mon": "ວັນຈັນ", "Sun": "ວັນອາທິດ", - "Permission Required": "ຕ້ອງການອະນຸຍາດ", "Moderator": "ຜູ້ດຳເນິນລາຍການ", "Restricted": "ຖືກຈຳກັດ", - "Default": "ຄ່າເລີ່ມຕົ້ນ", "Zimbabwe": "ຊິມບັບເວ", "Zambia": "ແຊມເບຍ", "Yemen": "ເຢເມນ", @@ -292,71 +290,9 @@ "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.": "ຜູ້ໃຊ້ນີ້ຍັງບໍ່ໄດ້ຢຶນຢັນການເຂົ້າຮ່ວມຂອງເຂົາເຈົ້າທັງຫມົດຂອງ.", - "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ອອກບໍ?", - "Email Address": "ທີ່ຢູ່ອີເມວ", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "ພວກເຮົາໄດ້ສົ່ງອີເມວຫາທ່ານເພື່ອຢືນຢັນທີ່ຢູ່ຂອງທ່ານ. ກະລຸນາປະຕິບັດຕາມຄໍາແນະນໍາຢູ່ທີ່ນັ້ນ ແລະ ຫຼັງຈາກນັ້ນໃຫ້ຄລິກໃສ່ປຸ່ມຂ້າງລຸ່ມນີ້.", - "Unable to add email address": "ບໍ່ສາມາດເພີ່ມທີ່ຢູ່ອີເມວໄດ້", - "This doesn't appear to be a valid email address": "ສິ່ງນີ້ເບິ່ງຄືວ່າບໍ່ແມ່ນທີ່ຢູ່ອີເມວທີ່ຖືກຕ້ອງ", - "Invalid Email Address": "ທີ່ຢູ່ອີເມວບໍ່ຖືກຕ້ອງ", - "Remove %(email)s?": "ລຶບ %(email)s ອອກບໍ?", - "Unable to remove contact information": "ບໍ່ສາມາດລຶບຂໍ້ມູນການຕິດຕໍ່ໄດ້", - "Discovery options will appear once you have added a phone number above.": "ຕົວເລືອກການຄົ້ນພົບຈະປາກົດເມື່ອທ່ານໄດ້ເພີ່ມເບີໂທລະສັບຂ້າງເທິງ.", - "Verification code": "ລະຫັດຢືນຢັນ", - "Please enter verification code sent via text.": "ກະລຸນາໃສ່ລະຫັດຢືນຢັນທີ່ສົ່ງຜ່ານຂໍ້ຄວາມ.", - "Incorrect verification code": "ລະຫັດຢືນຢັນບໍ່ຖືກຕ້ອງ", - "Unable to verify phone number.": "ບໍ່ສາມາດຢັ້ງຢືນເບີໂທລະສັບໄດ້.", - "Unable to share phone number": "ບໍ່ສາມາດແບ່ງປັນເບີໂທລະສັບໄດ້", - "Unable to revoke sharing for phone number": "ບໍ່ສາມາດຖອນການແບ່ງປັນສຳລັບເບີໂທລະສັບໄດ້", - "Discovery options will appear once you have added an email above.": "ຕົວເລືອກການຄົ້ນພົບຈະປາກົດຂຶ້ນເມື່ອທ່ານໄດ້ເພີ່ມອີເມວຂ້າງເທິງ.", - "Verify the link in your inbox": "ຢືນຢັນການເຊື່ອມຕໍ່ໃນ inbox ຂອງທ່ານ", - "Unable to verify email address.": "ບໍ່ສາມາດຢັ້ງຢືນທີ່ຢູ່ອີເມວໄດ້.", - "Click the link in the email you received to verify and then click continue again.": "ກົດທີ່ລິ້ງໃນອີເມວທີ່ທ່ານໄດ້ຮັບເພື່ອກວດສອບ ແລະ ຈາກນັ້ນກົດສືບຕໍ່ອີກຄັ້ງ.", - "Your email address hasn't been verified yet": "ທີ່ຢູ່ອີເມວຂອງທ່ານຍັງບໍ່ໄດ້ຖືກຢືນຢັນເທື່ອ", - "Unable to share email address": "ບໍ່ສາມາດແບ່ງປັນທີ່ຢູ່ອີເມວໄດ້", - "Unable to revoke sharing for email address": "ບໍ່ສາມາດຖອນການແບ່ງປັນສໍາລັບທີ່ຢູ່ອີເມວໄດ້", - "Unknown failure": "ຄວາມລົ້ມເຫຼວທີ່ບໍ່ຮູ້ສາເຫດ", - "Failed to update the join rules": "ອັບເດດກົດລະບຽບການເຂົ້າຮ່ວມບໍ່ສຳເລັດ", - "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.": "ເກີດຄວາມຜິດພາດໃນການປ່ຽນແປງຂໍ້ກຳນົດລະດັບສິດຂອງຫ້ອງ. ກວດໃຫ້ແນ່ໃຈວ່າເຈົ້າມີສິດອະນຸຍາດພຽງພໍແລ້ວລອງໃໝ່ອີກຄັ້ງ.", - "Error changing power level requirement": "ເກີດຄວາມຜິດພາດໃນການປ່ຽນແປງຄວາມຕ້ອງການລະດັບພະລັງງານ", - "Reason": "ເຫດຜົນ", - "Banned by %(displayName)s": "ຫ້າມໂດຍ %(displayName)s", - "Failed to unban": "ຍົກເລີກບໍ່ສໍາເລັດ", - "Browse": "ຄົ້ນຫາ", - "Set a new custom sound": "ຕັ້ງສຽງແບບກຳນົດເອງ", - "Notification sound": "ສຽງແຈ້ງເຕຶອນ", - "Sounds": "ສຽງ", - "You won't get any notifications": "ທ່ານຈະບໍ່ໄດ້ຮັບການແຈ້ງເຕືອນໃດໆ", - "Get notified only with mentions and keywords as set up in your settings": "ຮັບການແຈ້ງເຕືອນພຽງແຕ່ມີການກ່າວເຖິງ ແລະ ຄໍາທີ່ກຳນົດໄວ້ໃນsettingsຂອງທ່ານ", - "@mentions & keywords": "@ກ່າວເຖິງ & ຄໍາສໍາຄັນ", - "Get notified for every message": "ໄດ້ຮັບການແຈ້ງເຕືອນສໍາລັບທຸກໆຂໍ້ຄວາມ", - "All messages": "ຂໍ້ຄວາມທັງໝົດ", - "Get notifications as set up in your settings": "ຮັບການແຈ້ງເຕືອນຕາມທີ່ກຳນົດໄວ້ໃນ ການຕັ້ງຄ່າ ຂອງທ່ານ", - "Uploaded sound": "ອັບໂຫຼດສຽງ", - "Room Addresses": "ທີ່ຢູ່ຂອງຫ້ອງ", - "Bridges": "ເປັນຂົວຕໍ່", - "This room isn't bridging messages to any platforms. Learn more.": "ຫ້ອງນີ້ບໍ່ໄດ້ເຊື່ອມຕໍ່ຂໍ້ຄວາມໄປຫາພັລດຟອມໃດໆ. ສຶກສາເພີ່ມເຕີມ.", - "This room is bridging messages to the following platforms. Learn more.": "ຫ້ອງນີ້ກໍາລັງເຊື່ອມຕໍ່ຂໍ້ຄວາມໄປຫາພັລດຟອມຕໍ່ໄປນີ້. ສຶກສາເພີ່ມເຕີມ.", - "Space information": "ຂໍ້ມູນພື້ນທີ່", - "Voice & Video": "ສຽງ & ວິດີໂອ", - "No Webcams detected": "ບໍ່ພົບ Webcam", - "No Microphones detected": "ບໍ່ພົບໄມໂຄຣໂຟນ", - "No Audio Outputs detected": "ບໍ່ພົບສຽງອອກ", - "Audio Output": "ສຽງອອກ", - "Request media permissions": "ຮ້ອງຂໍການອະນຸຍາດສື່ມວນຊົນ", - "Missing media permissions, click the button below to request.": "ບໍ່ອະນຸຍາດສື່, ກົດໄປທີ່ປຸ່ມຂ້າງລຸ່ມນີ້ເພື່ອຮ້ອງຂໍ.", - "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "ຜູ້ຄຸມເຊີບເວີຂອງທ່ານໄດ້ປິດການນຳໃຊ້ການເຂົ້າລະຫັດແບບຕົ້ນທາງຮອດປາຍທາງໂດຍຄ່າເລີ່ມຕົ້ນໃນຫ້ອງສ່ວນຕົວ ແລະ ຂໍ້ຄວາມໂດຍກົງ.", - "You have no ignored users.": "ທ່ານບໍ່ມີຜູ້ໃຊ້ທີ່ຖືກລະເລີຍ.", - "Unignore": "ບໍ່ສົນໃຈ", - "Ignored users": "ຜູ້ໃຊ້ຖືກຍົກເວັ້ນ", - "None": "ບໍ່ມີ", "Warning!": "ແຈ້ງເຕືອນ!", "To join a space you'll need an invite.": "ເພື່ອເຂົ້າຮ່ວມພື້ນທີ່, ທ່ານຈະຕ້ອງການເຊີນ.", "Create a space": "ສ້າງພື້ນທີ່", - "Address": "ທີ່ຢູ່", "Space selection": "ການເລືອກພື້ນທີ່", "Folder": "ໂຟນເດີ", "Headphones": "ຫູຟັງ", @@ -386,13 +322,6 @@ "Umbrella": "ຄັນຮົ່ມ", "Thumbs up": "ຍົກໂປ້", "Santa": "ຊານຕາ", - "Italics": "ໂຕໜັງສືອຽງ", - "Home options": "ຕົວເລືອກໜ້າຫຼັກ", - "%(spaceName)s menu": "ເມນູ %(spaceName)s", - "Currently removing messages in %(count)s rooms": { - "one": "ຕອນນີ້ກຳລັງລຶບຂໍ້ຄວາມຢູ່ໃນຫ້ອງ %(count)s", - "other": "ກຳລັງລຶບຂໍ້ຄວາມຢູ່ໃນ %(count)s ຫ້ອງ" - }, "Live location enabled": "ເປີດໃຊ້ສະຖານທີປັດຈຸບັນແລ້ວ", "You are sharing your live location": "ທ່ານກໍາລັງແບ່ງປັນສະຖານທີ່ປັດຈຸບັນຂອງທ່ານ", "Close sidebar": "ປິດແຖບດ້ານຂ້າງ", @@ -520,7 +449,6 @@ "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.": "ພະຍາຍາມໂຫຼດຈຸດສະເພາະຢູ່ໃນທາມລາຍຂອງຫ້ອງນີ້, ແຕ່ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ເບິ່ງຂໍ້ຄວາມທີ່ເປັນຄໍາຖາມ.", " invites you": " ເຊີນທ່ານ", - "Private space": "ພື້ນທີ່ສ່ວນຕົວ", "Search names and descriptions": "ຄົ້ນຫາຊື່ ແລະ ຄໍາອະທິບາຍ", "Rooms and spaces": "ຫ້ອງ ແລະ ພຶ້ນທີ່", "Results": "ຜົນຮັບ", @@ -654,72 +582,7 @@ "one": "ຜູ້ເຂົ້າຮ່ວມ 1ຄົນ", "other": "ຜູ້ເຂົ້າຮ່ວມ %(count)s ຄົນ" }, - "%(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.", - "Try again later, or ask a room or space admin to check if you have access.": "ລອງໃໝ່ໃນພາຍຫຼັງ, ຫຼື ຂໍໃຫ້ຜູ້ຄຸ້ມຄອງຫ້ອງ ຫຼື ຜູ້ຄຸ້ມຄອງພື້ນທີ່ກວດເບິ່ງວ່າທ່ານມີການເຂົ້າເຖິງ ຫຼື ບໍ່.", - "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.": "ຖ້າທ່ານບໍ່ໄດ້ລືບຂະບວນການກູ້ຄືນ, ຜູ້ໂຈມຕີອາດຈະພະຍາຍາມເຂົ້າເຖິງບັນຊີຂອງທ່ານ. ປ່ຽນລະຫັດຜ່ານບັນຊີຂອງທ່ານ ແລະ ກຳນົດຂະບວນການກູ້ຄືນໃໝ່ທັນທີໃນການຕັ້ງຄ່າ.", - "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.": "ຖ້າທ່ານດຳເນີນການສິ່ງນີ້ໂດຍບໍ່ໄດ້ຕັ້ງໃຈ, ທ່ານສາມາດຕັ້ງຄ່າຄວາມປອດໄພຂອງຂໍ້ຄວາມ ໃນລະບົບນີ້ ເຊິ່ງຈະມີການເຂົ້າລະຫັດປະຫວັດຂໍ້ຄວາມຂອງລະບົບນີ້ຄືນໃໝ່ດ້ວຍຂະບວນການກູ້ຂໍ້ມູນໃໝ່.", - "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "ລະບົບນີ້ໄດ້ກວດພົບປະໂຫຍກຄວາມປອດໄພ ແລະ ກະແຈຂໍ້ຄວາມທີ່ປອດໄພຂອງທ່ານໄດ້ຖືກເອົາອອກແລ້ວ.", - "Recovery Method Removed": "ວິທີລົບຂະບວນການກູ້ຄືນ", - "Set up Secure Messages": "ຕັ້ງຄ່າຂໍ້ຄວາມທີ່ປອດໄພ", - "Go to Settings": "ໄປທີ່ການຕັ້ງຄ່າ", - "This session is encrypting history using the new recovery method.": "ລະບົບນີ້ກຳລັງເຂົ້າລະຫັດປະຫວັດໂດຍໃຊ້ວິທີການກູ້ຂໍ້ມູນໃໝ່.", - "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.": "ຖ້າທ່ານບໍ່ໄດ້ກຳນົດວິທີການກູ້ຄືນໃໝ່, ຜູ້ໂຈມຕີອາດຈະພະຍາຍາມເຂົ້າເຖິງບັນຊີຂອງທ່ານ. ປ່ຽນລະຫັດຜ່ານບັນຊີຂອງທ່ານ ແລະກຳນົດ ວິທີການກູ້ຄືນໃໝ່ທັນທີໃນການຕັ້ງຄ່າ.", - "A new Security Phrase and key for Secure Messages have been detected.": "ກວດພົບປະໂຫຍກຄວາມປອດໄພໃໝ່ ແລະ ກະແຈສຳລັບຂໍ້ຄວາມທີ່ປອດໄພຖືກກວດພົບ.", - "New Recovery Method": "ວິທີການກູ້ຄືນໃຫມ່", - "File to import": "ໄຟລ໌ທີ່ຈະນໍາເຂົ້າ", - "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 ອື່ນ. ຈາກນັ້ນທ່ານຈະສາມາດຖອດລະຫັດຂໍ້ຄວາມໃດໆທີ່ລູກຄ້າອື່ນສາມາດຖອດລະຫັດໄດ້.", - "Import room keys": "ນຳເຂົ້າກະແຈຫ້ອງ", - "Confirm passphrase": "ຢືນຢັນລະຫັດຜ່ານ", - "Enter passphrase": "ໃສ່ລະຫັດຜ່ານ", - "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 ອື່ນໃນອະນາຄົດ, ດັ່ງນັ້ນລູກຄ້ານັ້ນຈະສາມາດຖອດລະຫັດຂໍ້ຄວາມເຫຼົ່ານີ້ໄດ້.", - "Export room keys": "ສົ່ງກະແຈຫ້ອງອອກ", - "Passphrase must not be empty": "ຂໍ້ຄວາມລະຫັດຜ່ານຈະຕ້ອງບໍ່ຫວ່າງເປົ່າ", - "Passphrases must match": "ປະໂຫຍກຕ້ອງກົງກັນ", - "Unable to set up secret storage": "ບໍ່ສາມາດກຳນົດບ່ອນເກັບຂໍ້ມູນລັບໄດ້", - "Save your Security Key": "ບັນທຶກກະແຈຄວາມປອດໄພຂອງທ່ານ", - "Confirm Security Phrase": "ຢືນຢັນປະໂຫຍກຄວາມປອດໄພ", - "Set a Security Phrase": "ຕັ້ງຄ່າປະໂຫຍກຄວາມປອດໄພ", - "Upgrade your encryption": "ປັບປຸງການເຂົ້າລະຫັດຂອງທ່ານ", - "You can also set up Secure Backup & manage your keys in Settings.": "ນອກນັ້ນທ່ານຍັງສາມາດຕັ້ງຄ່າການສໍາຮອງຂໍ້ມູນທີ່ປອດໄພ & ຈັດການກະແຈຂອງທ່ານໃນການຕັ້ງຄ່າ.", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "ຖ້າທ່ານຍົກເລີກດຽວນີ້, ທ່ານອາດຈະສູນເສຍຂໍ້ຄວາມ & ຂໍ້ມູນທີ່ຖືກເຂົ້າລະຫັດ ແລະ ທ່ານສູນເສຍການເຂົ້າເຖິງການເຂົ້າສູ່ລະບົບຂອງທ່ານ.", - "Unable to query secret storage status": "ບໍ່ສາມາດຄົ້ນຫາສະຖານະການເກັບຮັກສາຄວາມລັບໄດ້", - "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "ການເກັບຮັກສາກະແຈຄວາມປອດໄພຂອງທ່ານໄວ້ບ່ອນໃດບ່ອນໜຶ່ງທີ່ປອດໄພ ເຊັ່ນ: ຕົວຈັດການລະຫັດຜ່ານ ຫຼືບ່ອນປອດໄພ ເພາະຈະຖືກໃຊ້ເພື່ອປົກປ້ອງຂໍ້ມູນທີ່ເຂົ້າລະຫັດໄວ້ຂອງທ່ານ.", - "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "ປັບປຸງລະບົບນີ້ເພື່ອໃຫ້ມັນກວດສອບລະບົບອື່ນ, ອະນຸຍາດໃຫ້ພວກເຂົາເຂົ້າເຖິງຂໍ້ຄວາມທີ່ຖືກເຂົ້າລະຫັດ ແລະເປັນເຄື່ອງໝາຍໃຫ້ເປັນທີ່ເຊື່ອຖືໄດ້ສໍາລັບຜູ້ໃຊ້ອື່ນ.", - "You'll need to authenticate with the server to confirm the upgrade.": "ທ່ານຈະຕ້ອງພິສູດຢືນຢັນກັບເຊີບເວີເພື່ອຢືນຢັນການປັບປຸງ.", - "Restore your key backup to upgrade your encryption": "ກູ້ຄືນການສຳຮອງຂໍ້ມູນກະແຈຂອງທ່ານເພື່ອຍົກລະດັບການເຂົ້າລະຫັດຂອງທ່ານ", - "Enter your account password to confirm the upgrade:": "ໃສ່ລະຫັດຜ່ານບັນຊີຂອງທ່ານເພື່ອຢືນຢັນການຍົກລະດັບ:", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "ປ້ອງກັນການສູນເສຍການເຂົ້າເຖິງຂໍ້ຄວາມ & ຂໍ້ມູນທີ່ຖືກເຂົ້າລະຫັດໂດຍການສໍາຮອງລະຫັດການເຂົ້າລະຫັດຢູ່ໃນເຊີບເວີຂອງທ່ານ.", - "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.": "ພວກເຮົາຈະສ້າງກະແຈຄວາມປອດໄພໃຫ້ທ່ານເກັບຮັກສາໄວ້ບ່ອນໃດບ່ອນໜຶ່ງທີ່ປອດໄພ ເຊັ່ນ: ຕົວຈັດການລະຫັດຜ່ານ ຫຼື ຕູ້ນິລະໄພ.", - "Generate a Security Key": "ສ້າງກະແຈຄວາມປອດໄພ", - "Unable to create key backup": "ບໍ່ສາມາດສ້າງສໍາຮອງຂໍ້ມູນທີ່ສໍາຄັນ", - "Create key backup": "ສ້າງການສໍາຮອງຂໍ້ມູນທີ່ສໍາຄັນ", - "Success!": "ສໍາເລັດ!", - "Confirm your Security Phrase": "ຢືນຢັນປະໂຫຍກຄວາມປອດໄພຂອງທ່ານ", - "Your keys are being backed up (the first backup could take a few minutes).": "ກະແຈຂອງທ່ານກຳລັງຖືກສຳຮອງຂໍ້ມູນ (ການສຳຮອງຂໍ້ມູນຄັ້ງທຳອິດອາດໃຊ້ເວລາສອງສາມນາທີ).", - "Enter your Security Phrase a second time to confirm it.": "ກະລຸນາໃສ່ປະໂຫຍກຄວາມປອດໄພຂອງທ່ານເປັນເທື່ອທີສອງເພື່ອຢືນຢັນ.", - "Go back to set it again.": "ກັບຄືນໄປຕັ້ງໃໝ່ອີກຄັ້ງ.", - "That doesn't match.": "ບໍ່ກົງກັນ.", - "Use a different passphrase?": "ໃຊ້ຂໍ້ຄວາມລະຫັດຜ່ານອື່ນບໍ?", - "That matches!": "ກົງກັນ!", - "Great! This Security Phrase looks strong enough.": "ດີເລີດ! ປະໂຫຍກຄວາມປອດໄພນີ້ເບິ່ງຄືວ່າເຂັ້ມແຂງພຽງພໍ.", - "Enter a Security Phrase": "ໃສ່ປະໂຫຍກເພື່ອຄວາມປອດໄພ", - "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 ບໍ່ສຳເລັດ", - "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.": "ການຕັ້ງຄ່າລະຫັດຢືນຢັນຂອງທ່ານບໍ່ສາມາດຍົກເລີກໄດ້. ຫຼັງຈາກການຕັ້ງຄ່າແລ້ວ, ທ່ານຈະບໍ່ສາມາດເຂົ້າເຖິງຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດເກົ່າໄດ້, ແລະ ໝູ່ເພື່ອນທີ່ຢືນຢັນໄປກ່ອນໜ້ານີ້ ທ່ານຈະເຫັນຄຳເຕືອນຄວາມປອດໄພຈົນກວ່າທ່ານຈະຢືນຢັນກັບພວກມັນຄືນໃໝ່.", - "I'll verify later": "ຂ້ອຍຈະກວດສອບພາຍຫຼັງ", - "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "ໂດຍບໍ່ມີການຢັ້ງຢືນ, ທ່ານຈະບໍ່ສາມາດເຂົ້າເຖິງຂໍ້ຄວາມທັງຫມົດຂອງທ່ານ ແລະ ອາດຈະປາກົດວ່າບໍ່ຫນ້າເຊື່ອຖື.", - "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.": "ດຽວນີ້ອຸປະກອນໃໝ່ຂອງທ່ານໄດ້ຮັບການຢັ້ງຢືນແລ້ວ. ມີການເຂົ້າເຖິງຂໍ້ຄວາມທີ່ຖືກເຂົ້າລະຫັດຂອງທ່ານ, ແລະຜູ້ໃຊ້ອື່ນໆຈະເຫັນວ່າເປັນທີ່ເຊື່ອຖືໄດ້.", - "Verify your identity to access encrypted messages and prove your identity to others.": "ຢືນຢັນຕົວຕົນຂອງທ່ານເພື່ອເຂົ້າເຖິງຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດໄວ້ ແລະ ພິສູດຕົວຕົນຂອງທ່ານໃຫ້ກັບຜູ້ອື່ນ.", - "Verify with another device": "ຢັ້ງຢືນດ້ວຍອຸປະກອນອື່ນ", - "Verify with Security Key": "ຢືນຢັນດ້ວຍກະແຈຄວາມປອດໄພ", - "Verify with Security Key or Phrase": "ຢືນຢັນດ້ວຍກະແຈຄວາມປອດໄພ ຫຼືປະໂຫຍກ", - "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.": "ເບິ່ງຄືວ່າທ່ານບໍ່ມີກະແຈຄວາມປອດໄພ ຫຼື ອຸປະກອນອື່ນໆທີ່ທ່ານສາມາດຢືນຢັນໄດ້. ອຸປະກອນນີ້ຈະບໍ່ສາມາດເຂົ້າເຖິງຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດເກົ່າໄດ້. ເພື່ອຢືນຢັນຕົວຕົນຂອງທ່ານໃນອຸປະກອນນີ້, ທ່ານຈຳເປັນຕ້ອງຕັ້ງລະຫັດຢືນຢັນຂອງທ່ານ.", - "Failed to set display name": "ກຳນົດການສະເເດງຊື່ບໍ່ສຳເລັດ", "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": "ສ່ວນຫຼາຍແລ້ວທ່ານບໍ່ຢາກຈະກູ້ຄືນດັດສະນີຂອງທ່ານ", @@ -925,14 +788,12 @@ "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ເວີຊັ້ນໃໝ່ກວ່າໃນລະບົບນີ້. ເພື່ອໃຊ້ເວີຊັ້ນນີ້ອີກເທື່ອໜຶ່ງດ້ວຍການເຂົ້າລະຫັດແບບຕົ້ນທາງເຖິງປາຍທາງ, ທ່ານຈະຕ້ອງອອກຈາກລະບົບ ແລະ ກັບຄືນເຂົ້າລະຫັດໃໝ່ອີກຄັ້ງ.", "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 ເພື່ອເຮັດສິ່ງນີ້", "Want to add an existing space instead?": "ຕ້ອງການເພີ່ມພື້ນທີ່ທີ່ມີຢູ່ແທນບໍ?", - "Public space": "ພື້ນທີ່ສາທາລະນະ", "Private space (invite only)": "ພື້ນທີ່ສ່ວນຕົວ (ເຊີນເທົ່ານັ້ນ)", "Space visibility": "ການເບິ່ງເຫັນພຶ້ນທີ່", "Add a space to a space you manage.": "ເພີ່ມພື້ນທີ່ໃສ່ພື້ນທີ່ທີ່ທ່ານຈັດການ.", "Only people invited will be able to find and join this space.": "ມີແຕ່ຄົນທີ່ຖືກເຊີນເທົ່ານັ້ນທີ່ສາມາດຊອກຫາ ແລະເຂົ້າຮ່ວມພື້ນທີ່ນີ້ໄດ້.", "Anyone will be able to find and join this space, not just members of .": "ທຸກຄົນຈະສາມາດຊອກຫາ ແລະເຂົ້າຮ່ວມພື້ນທີ່ນີ້, ບໍ່ພຽງແຕ່ສະມາຊິກຂອງ ເທົ່ານັ້ນ.", "Anyone in will be able to find and join.": "ທຸກຄົນໃນ ຈະສາມາດຊອກຫາ ແລະ ເຂົ້າຮ່ວມໄດ້.", - "Public room": "ຫ້ອງສາທາລະນະ", "Clear all data": "ລຶບລ້າງຂໍ້ມູນທັງໝົດ", "An error has occurred.": "ໄດ້ເກີດຂໍ້ຜິດພາດ.", "Sorry, the poll did not end. Please try again.": "ຂໍອະໄພ,ບໍ່ສາມາດສິ້ນສຸດການສຳຫຼວດ. ກະລຸນາລອງອີກຄັ້ງ.", @@ -945,17 +806,9 @@ "Experimental": "ທົດລອງ", "Themes": "ຫົວຂໍ້", "Moderation": "ປານກາງ", - "Rooms": "ຫ້ອງ", "Widgets": "ວິດເຈັດ", - "Room information": "ຂໍ້ມູນຫ້ອງ", - "Replying": "ກຳລັງຕອບກັບ", "Recently viewed": "ເບິ່ງເມື່ອບໍ່ດົນມານີ້", - "Seen by %(count)s people": { - "one": "ເຫັນໂດຍ %(count)s ຄົນ", - "other": "ເຫັນໂດຍ %(count)s ຄົນ" - }, "View message": "ເບິ່ງຂໍ້ຄວາມ", - "Message didn't send. Click for info.": "ບໍ່ໄດ້ສົ່ງຂໍ້ຄວາມ. ກົດສຳລັບຂໍ້ມູນ.", "What location type do you want to share?": "ທ່ານຕ້ອງການແບ່ງປັນສະຖານທີ່ປະເພດໃດ?", "Drop a Pin": "ປັກໝຸດ", "My live location": "ສະຖານທີ່ຂອງຂ້ອຍ", @@ -1017,15 +870,6 @@ "%(space1Name)s and %(space2Name)s": "%(space1Name)s ແລະ %(space2Name)s", "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.": "ກະລຸນາຮັບຊາບວ່າ, ຖ້າທ່ານບໍ່ເພີ່ມອີເມວ ແລະ ລືມລະຫັດຜ່ານຂອງທ່ານ, ທ່ານອາດ ສູນເສຍການເຂົ້າເຖິງບັນຊີຂອງທ່ານຢ່າງຖາວອນ.", - "Suggested Rooms": "ຫ້ອງແນະນຳ", - "Historical": "ປະຫວັດ", - "Low priority": "ບູລິມະສິດຕໍ່າ", - "Add room": "ເພີ່ມຫ້ອງ", - "Explore public rooms": "ສຳຫຼວດຫ້ອງສາທາລະນະ", - "Add existing room": "ເພີ່ມຫ້ອງທີ່ມີຢູ່", - "New video room": "ຫ້ອງວິດີໂອໃຫມ່", - "New room": "ຫ້ອງໃຫມ່", - "Explore rooms": "ການສຳຫຼວດຫ້ອງ", "%(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", "Tuesday": "ວັນອັງຄານ", @@ -1073,55 +917,9 @@ "Remove them from everything I'm able to": "ລຶບອອກຈາກທຸກສິ່ງທີ່ຂ້ອຍສາມາດເຮັດໄດ້", "Remove from %(roomName)s": "ລຶບອອກຈາກ %(roomName)s", "Disinvite from %(roomName)s": "ຍົກເລີກເຊີນຈາກ %(roomName)s", - "Authentication": "ການຢືນຢັນ", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "ການລຶບລ້າງຂໍ້ມູນທັງໝົດຈາກລະບົບນີ້ຖາວອນ. ຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດຈະສູນເສຍເວັ້ນເສຍແຕ່ກະແຈຂອງເຂົາເຈົ້າໄດ້ຮັບການສໍາຮອງຂໍ້ມູນ.", "%(duration)sd": "%(duration)sd", - "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?": "ທ່ານແນ່ໃຈບໍ່ວ່າທ່ານຢູ່ບ່ອນທີ່ຖືກຕ້ອງ?", - "This room or space does not exist.": "ບໍ່ມີຫ້ອງ ຫຼື ພື້ນທີ່ນີ້.", - "%(roomName)s does not exist.": "%(roomName)s ບໍ່ມີ.", - "There's no preview, would you like to join?": "ບໍ່ມີຕົວຢ່າງ, ທ່ານຕ້ອງການເຂົ້າຮ່ວມບໍ?", - "%(roomName)s can't be previewed. Do you want to join it?": "ບໍ່ສາມາດເບິ່ງຕົວຢ່າງ %(roomName)s ໄດ້. ທ່ານຕ້ອງການເຂົ້າຮ່ວມມັນບໍ?", - "You're previewing %(roomName)s. Want to join it?": "ທ່ານກຳລັງເບິ່ງຕົວຢ່າງ %(roomName)s. ຕ້ອງການເຂົ້າຮ່ວມບໍ?", - "Reject & Ignore user": "ປະຕິເສດ ແລະ ບໍ່ສົນໃຈຜູ້ໃຊ້", - " invited you": " ເຊີນທ່ານ", - "Do you want to join %(roomName)s?": "ທ່ານຕ້ອງການເຂົ້າຮ່ວມ %(roomName)s ບໍ?", - "Start chatting": "ເລີ່ມການສົນທະນາ", - " wants to chat": " ຕ້ອງການສົນທະນາ", - "Do you want to chat with %(user)s?": "ທ່ານຕ້ອງການສົນທະນາກັບ %(user)s ບໍ?", - "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.", - "This invite was sent to %(email)s": "ການເຊີນນີ້ຖືກສົ່ງໄປຫາ %(email)s", - "This invite to %(roomName)s was sent to %(email)s": "ການເຊີນນີ້ໄປຫາ %(roomName)s ໄດ້ຖືກສົ່ງໄປຫາ %(email)s", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "ເຊື່ອມຕໍ່ອີເມວນີ້ກັບບັນຊີຂອງທ່ານໃນການຕັ້ງຄ່າເພື່ອຮັບການເຊີນໂດຍກົງໃນ %(brand)s.", - "This invite was sent to %(email)s which is not associated with your account": "ການເຊີນນີ້ຖືກສົ່ງໄປຫາ %(email)s ທີ່ບໍ່ກ່ຽວຂ້ອງກັບບັນຊີຂອງທ່ານ", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "ການເຊີນນີ້ໄປຫາ %(roomName)s ໄດ້ຖືກສົ່ງໄປຫາ %(email)s ຊຶ່ງບໍ່ກ່ຽວຂ້ອງກັບບັນຊີຂອງທ່ານ", - "Join the discussion": "ເຂົ້າຮ່ວມການສົນທະນາ", - "You can still join here.": "ທ່ານຍັງສາມາດເຂົ້າຮ່ວມໄດ້ຢູ່ບ່ອນນີ້.", - "Try to join anyway": "ພະຍາຍາມເຂົ້າຮ່ວມຕໍ່ໄປ", - "You can only join it with a working invite.": "ທ່ານສາມາດເຂົ້າຮ່ວມໄດ້ດ້ວຍການເຊີນເຮັດວຽກເທົ່ານັ້ນ.", "unknown error code": "ລະຫັດຜິດພາດທີ່ບໍ່ຮູ້ຈັກ", - "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) ໃນຂະນະທີ່ພະຍາຍາມທີ່ຈະກວດສອບການເຊີນຂອງທ່ານ. ທ່ານສາມາດທົດລອງສົ່ງຂໍ້ມູນນີ້ໄປຫາບບຸກຄົນທີ່ເຊີນທ່ານ.", - "Something went wrong with your invite.": "ມີບາງຢ່າງຜິດພາດກ່ຍວກັບການເຊີນຂອງທ່ານ.", - "Something went wrong with your invite to %(roomName)s": "ມີບາງຢ່າງຜິດພາດກ່ຽວກັບການເຊີນຂອງທ່ານໄປຫາ %(roomName)s", - "You were banned by %(memberName)s": "ທ່ານຖືກຫ້າມໂດຍ %(memberName)s", - "You were banned from %(roomName)s by %(memberName)s": "ທ່ານຖືກຫ້າມຈາກ %(roomName)s ໂດຍ %(memberName)s", - "Re-join": "ເຂົ້າຮ່ວມອີກຄັ້ງ", - "Forget this room": "ລືມຫ້ອງນີ້", - "Forget this space": "ລືມພຶ້ນທີ່ນີ້", - "Reason: %(reason)s": "ເຫດຜົນ: %(reason)s", - "You were removed by %(memberName)s": "ທ່ານຖືກລຶບຍອອກໂດຍ %(memberName)s", - "You were removed from %(roomName)s by %(memberName)s": "ທ່ານຖືກລຶບອອກຈາກ %(roomName)s ໂດຍ %(memberName)s", - "Loading preview": "ກຳລັງໂຫຼດຕົວຢ່າງ", - "Sign Up": "ລົງທະບຽນ", - "Join the conversation with an account": "ເຂົ້າຮ່ວມການສົນທະນາດ້ວຍບັນຊີ", - "Currently joining %(count)s rooms": { - "one": "ກຳລັງເຂົ້າຮ່ວມຫ້ອງ %(count)s", - "other": "ປະຈຸບັນກຳລັງເຂົ້າຮ່ວມ %(count)s ຫ້ອງ" - }, - "Join public room": "ເຂົ້າຮ່ວມຫ້ອງສາທາລະນະ", - "Add space": "ເພີ່ມພື້ນທີ່", "Don't leave any rooms": "ຢ່າອອກຈາກຫ້ອງ", "Would you like to leave the rooms in this space?": "ທ່ານຕ້ອງການອອກຈາກຫ້ອງໃນພື້ນທີ່ນີ້ບໍ?", "You are about to leave .": "ທ່ານກຳລັງຈະອອກຈາກ .", @@ -1177,40 +975,6 @@ "Leave space": "ອອກຈາກພື້ນທີ່", "Leave some rooms": "ອອກຈາກບາງຫ້ອງ", "Leave all rooms": "ອອກຈາກຫ້ອງທັງຫມົດ", - "Phone numbers": "ເບີໂທລະສັບ", - "Email addresses": "ທີ່ຢູ່ອີເມວ", - "Your password was successfully changed.": "ລະຫັດຜ່ານຂອງທ່ານຖືກປ່ຽນສຳເລັດແລ້ວ.", - "Failed to change password. Is your password correct?": "ປ່ຽນລະຫັດຜ່ານບໍ່ສຳເລັດ. ລະຫັດຜ່ານຂອງທ່ານຖືກຕ້ອງບໍ?", - "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, ແລະຊຸດສະຕິກເກີ.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "ໃຊ້ຕົວຈັດການການເຊື່ອມໂຍງ (%(serverName)s) ເພື່ອຈັດການບັອດ, widgets, ແລະ ຊຸດສະຕິກເກີ.", - "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.": "ການນໍາໃຊ້ຕົວເຊີບເວີເປັນທາງເລືອກ. ຖ້າທ່ານເລືອກທີ່ຈະບໍ່ໃຊ້ຕົວເຊີບເວີ, ທ່ານຈະບໍ່ຖືກຄົ້ນພົບໂດຍຜູ້ໃຊ້ອື່ນ ແລະ ທ່ານຈະບໍ່ສາມາດເຊີນຜູ້ອື່ນໂດຍອີເມລ໌ຫຼືໂທລະສັບ.", - "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.": "ໃນປັດຈຸບັນທ່ານບໍ່ໄດ້ໃຊ້ເຊີບເວີ. ເພື່ອຄົ້ນຫາ ແລະ ສາມາດຄົ້ນຫາໄດ້ໂດຍຜູ້ຕິດຕໍ່ທີ່ມີຢູ່ແລ້ວ, ໃຫ້ເພີ່ມທີ່ຢຸ່ຂ້າງລຸ່ມນີ້.", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "ຖ້າຫາກວ່າທ່ານບໍ່ຕ້ອງການທີ່ຈະນໍາໃຊ້ ເພື່ອຄົ້ນຫາ ແລະ ສາມາດຄົ້ນຫາໂດຍການຕິດຕໍ່ທີ່ມີຢູ່ແລ້ວ, ເຂົ້າໄປໃນຕົວ server ອື່ນຂ້າງລຸ່ມນີ້.", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "ຕອນນີ້ທ່ານກຳລັງໃຊ້ ເພື່ອຄົ້ນຫາ ແລະ ສາມາດຄົ້ນຫາໄດ້ໂດຍຜູ້ຕິດຕໍ່ທີ່ມີຢູ່ແລ້ວ. ທ່ານສາມາດປ່ຽນເຊີບເວນຂອງທ່ານໄດ້ຂ້າງລຸ່ມນີ້.", - "Identity server (%(server)s)": "ເຊີບເວີ %(server)s)", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "ພວກເຮົາແນະນໍາໃຫ້ທ່ານເອົາທີ່ຢູ່ອີເມວ ແລະ ເບີໂທລະສັບຂອງທ່ານອອກຈາກເຊີບເວີກ່ອນທີ່ຈະຕັດການເຊື່ອມຕໍ່.", - "You are still sharing your personal data on the identity server .": "ທ່ານຍັງ ແບ່ງປັນຂໍ້ມູນສ່ວນຕົວຂອງທ່ານ ຢູ່ໃນເຊີບເວີ .", - "Disconnect anyway": "ຍົກເລີກການເຊື່ອມຕໍ່", - "wait and try again later": "ລໍຖ້າແລ້ວລອງໃໝ່ໃນພາຍຫຼັງ", - "contact the administrators of identity server ": "ຕິດຕໍ່ຜູ້ຄຸ້ມຄອງເຊີບເວີ ", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "ກວດເບິ່ງ plugins ຂອງບ່ໜາວເຊີຂອງທ່ານສໍາລັບສິ່ງໃດແດ່ທີ່ອາດຈະກີດກັ້ນເຊີບເວີ (ເຊັ່ນ: ຄວາມເປັນສ່ວນຕົວ Badger)", - "You should:": "ທ່ານຄວນ:", - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "ທ່ານຄວນ ລຶບຂໍ້ມູນສ່ວນຕົວຂອງທ່ານ ອອກຈາກເຊີບເວີ ກ່ອນທີ່ຈະຕັດການເຊື່ອມຕໍ່. ຂໍອະໄພ, ເຊີບເວີ ຢູ່ໃນຂະນະອອບລາຍຢູ່ ຫຼືບໍ່ສາມາດຕິດຕໍ່ໄດ້.", - "Disconnect from the identity server ?": "ຕັດການເຊື່ອມຕໍ່ຈາກເຊີບເວີ ?", - "Disconnect identity server": "ຕັດການເຊື່ອມຕໍ່ເຊີບເວີ", - "The identity server you have chosen does not have any terms of service.": "ເຊີບທີ່ທ່ານເລືອກບໍ່ມີເງື່ອນໄຂການບໍລິການໃດໆ.", - "Terms of service not accepted or the identity server is invalid.": "ບໍ່ຖືກຍອມຮັບເງື່ອນໄຂການໃຫ້ບໍລິການ ຫຼື ເຊີບເວີບໍ່ຖືກຕ້ອງ.", - "Disconnect from the identity server and connect to instead?": "ຕັດການເຊື່ອມຕໍ່ຈາກເຊີບເວີແລະ ເຊື່ອມຕໍ່ຫາ ແທນບໍ?", - "Change identity server": "ປ່ຽນຕົວເຊີບເວີ", - "Checking server": "ກຳລັງກວດສອບເຊີບເວີ", - "Could not connect to identity server": "ບໍ່ສາມາດເຊື່ອມຕໍ່ກັບເຊີບເວີໄດ້", - "Not a valid identity server (status code %(code)s)": "ບໍ່ແມ່ນເຊີບເວີທີ່ຖືກຕ້ອງ (ລະຫັດສະຖານະ %(code)s)", - "Identity server URL must be HTTPS": "URL ເຊີບເວີຕ້ອງເປັນ HTTPS", "Set up": "ຕັ້ງຄ່າ", "Back up your keys before signing out to avoid losing them.": "ສຳຮອງຂໍ້ມູນກະແຈຂອງທ່ານກ່ອນທີ່ຈະອອກຈາກລະບົບເພື່ອຫຼີກເວັ້ນການສູນເສຍຂໍ້ມູນ.", "Backup version:": "ເວີຊັ້ນສໍາຮອງຂໍ້ມູນ:", @@ -1267,11 +1031,7 @@ "Flower": "ດອກໄມ້", "Butterfly": "ແມງກະເບື້ອ", "Octopus": "ປາຫມຶກ", - "Discovery": "ການຄົ້ນພົບ", "Deactivate account": "ປິດການນຳໃຊ້ບັນຊີ", - "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) ເງື່ອນໄຂການໃຫ້ບໍລິການເພື່ອອະນຸຍາດໃຫ້ຕົວທ່ານເອງສາມາດຄົ້ນພົບໄດ້ໂດຍທີ່ຢູ່ອີເມວ ຫຼືເບີໂທລະສັບ.", "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.": "ເກີດຄວາມຜິດພາດໃນການເຊື່ອມຕໍ່ໃນຂະນະທີ່ພະຍາຍາມຕິດຕໍ່ກັບເຊີບເວີ.", @@ -1330,19 +1090,8 @@ "Preparing to download logs": "ກຳລັງກະກຽມດາວໂຫຼດບັນທຶກ", "Failed to send logs: ": "ສົ່ງບັນທຶກບໍ່ສຳເລັດ: ", "Room Settings - %(roomName)s": "ການຕັ້ງຄ່າຫ້ອງ - %(roomName)s", - "Close preview": "ປິດຕົວຢ່າງ", - "Show %(count)s other previews": { - "one": "ສະແດງຕົວຢ່າງ %(count)s ອື່ນໆ", - "other": "ສະແດງຕົວຢ່າງອື່ນໆ %(count)s" - }, "Scroll to most recent messages": "ເລື່ອນໄປຫາຂໍ້ຄວາມຫຼ້າສຸດ", "The authenticity of this encrypted message can't be guaranteed on this device.": "ອຸປະກອນນີ້ບໍ່ສາມາດຮັບປະກັນຄວາມຖືກຕ້ອງຂອງຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດນີ້ໄດ້.", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (power %(powerLevelNumber)s)", - "Filter room members": "ການກັ່ນຕອງສະມາຊິກຫ້ອງ", - "Invited": "ເຊີນ", - "Start new chat": "ເລີ່ມການສົນທະນາໃໝ່", - "Add people": "ເພີ່ມຄົນ", - "Invite to space": "ເຊີນໄປຍັງພື້ນທີ່", "a key signature": "ລາຍເຊັນຫຼັກ", "a device cross-signing signature": "ການ cross-signing ອຸປະກອນ", "a new cross-signing key signature": "ການລົງລາຍເຊັນ cross-signing ແບບໃໝ່", @@ -1380,32 +1129,15 @@ "Ban from room": "ຫ້າມອອກຈາກຫ້ອງ", "Unban from room": "ຫ້າມຈາກຫ້ອງ", "Ban from space": "ພື້ນທີ່ຫ້າມຈາກ", - "Show Widgets": "ສະແດງ Widgets", - "Hide Widgets": "ເຊື່ອງ Widgets", - "Forget room": "ລືມຫ້ອງ", - "Room options": "ຕົວເລືອກຫ້ອງ", "Join Room": "ເຂົ້າຮ່ວມຫ້ອງ", "(~%(count)s results)": { "one": "(~%(count)sຜົນຮັບ)", "other": "(~%(count)sຜົນຮັບ)" }, - "No recently visited rooms": "ບໍ່ມີຫ້ອງທີ່ເຂົ້າເບິ່ງເມື່ອບໍ່ດົນມານີ້", - "Recently visited rooms": "ຫ້ອງທີ່ເຂົ້າເບິ່ງເມື່ອບໍ່ດົນມານີ້", - "Room %(name)s": "ຫ້ອງ %(name)s", "%(duration)sh": "%(duration)sh", "%(duration)sm": "%(duration)sm", "%(duration)ss": "%(duration)s", - "Insert link": "ໃສ່ລິ້ງ", - "Poll": "ການສໍາຫລວດ", - "You do not have permission to start polls in this room.": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ເລີ່ມແບບສຳຫຼວດຢູ່ໃນຫ້ອງນີ້.", - "Voice Message": "ຂໍ້ຄວາມສຽງ", - "Hide stickers": "ເຊື່ອງສະຕິກເກີ", "Send voice message": "ສົ່ງຂໍ້ຄວາມສຽງ", - "You do not have permission to post to this room": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ໂພສໃສ່ຫ້ອງນີ້", - "This room has been replaced and is no longer active.": "ຫ້ອງນີ້ໄດ້ໍປ່ຽນແທນ ແລະບໍ່ມີການເຄື່ອນໄຫວອີກຕໍ່ໄປ.", - "The conversation continues here.": "ການສົນທະນາສືບຕໍ່ຢູ່ທີ່ນີ້.", - "Invite to this space": "ເຊີນໄປບ່ອນນີ້", - "Invite to this room": "ເຊີນເຂົ້າຫ້ອງນີ້", "and %(count)s others...": { "one": "ແລະ ອີກອັນນຶ່ງ...", "other": "ແລະ %(count)s ຜູ້ອຶ່ນ..." @@ -1418,16 +1150,9 @@ "Output devices": "ອຸປະກອນຂາອອກ", "Input devices": "ອຸປະກອນຂາເຂົ້າ", "Show Labs settings": "ໂຊການຕັ້ງຄ່າສູນທົດລອງ", - "To join, please enable video rooms in Labs first": "ເພື່ອເຂົ້າຮ່ວມ, ທ່ານຕ້ອງເປີດຫ້ອງວີດີໂອໃນສູນທົດລອງກ່ອນ", - "To view, please enable video rooms in Labs first": "ເພື່ອເບິ່ງ, ທ່ານຕ້ອງເປີດຫ້ອງວີດີໂອໃນສູນທົດລອງກ່ອນ", - "To view %(roomName)s, you need an invite": "ເພື່ອເບິ່ງ %(roomName)s, ທ່ານຕ້ອງມີບັດເຊີນ", - "Private room": "ຫ້ອງສ່ວນຕົວ", - "Video room": "ຫ້ອງວີດີໂອ", "Unread email icon": "ໄອຄັອນເມວທີ່ຍັງບໍ່ໄດ້ຖືກອ່ານ", "An error occurred whilst sharing your live location, please try again": "ພົບບັນຫາຕອນກຳລັງແບ່ງປັນຈຸດພິກັດຂອງທ່ານ, ກະລຸນາລອງໃໝ່", "An error occurred whilst sharing your live location": "ພົບບັນຫາຕອນກຳລັງແບ່ງປັນຈຸດພິກັດຂອງທ່ານ", - "Joining…": "ກຳລັງເຂົ້າ…", - "Read receipts": "ຢັ້ງຢືນອ່ານແລ້ວ", "common": { "about": "ກ່ຽວກັບ", "analytics": "ວິເຄາະ", @@ -1519,7 +1244,18 @@ "general": "ທົ່ວໄປ", "profile": "ໂປຣໄຟລ໌", "display_name": "ຊື່ສະແດງ", - "user_avatar": "ຮູບໂປຣໄຟລ໌" + "user_avatar": "ຮູບໂປຣໄຟລ໌", + "authentication": "ການຢືນຢັນ", + "public_room": "ຫ້ອງສາທາລະນະ", + "video_room": "ຫ້ອງວີດີໂອ", + "public_space": "ພື້ນທີ່ສາທາລະນະ", + "private_space": "ພື້ນທີ່ສ່ວນຕົວ", + "private_room": "ຫ້ອງສ່ວນຕົວ", + "rooms": "ຫ້ອງ", + "low_priority": "ບູລິມະສິດຕໍ່າ", + "historical": "ປະຫວັດ", + "go_to_settings": "ໄປທີ່ການຕັ້ງຄ່າ", + "setup_secure_messages": "ຕັ້ງຄ່າຂໍ້ຄວາມທີ່ປອດໄພ" }, "action": { "continue": "ສືບຕໍ່", @@ -1617,7 +1353,16 @@ "unban": "ຍົກເລີກການຫ້າມ", "click_to_copy": "ກົດເພື່ອສຳເນົາ", "hide_advanced": "ເຊື່ອງຂັ້ນສູງ", - "show_advanced": "ສະແດງຂັ້ນສູງ" + "show_advanced": "ສະແດງຂັ້ນສູງ", + "unignore": "ບໍ່ສົນໃຈ", + "start_new_chat": "ເລີ່ມການສົນທະນາໃໝ່", + "invite_to_space": "ເຊີນໄປຍັງພື້ນທີ່", + "add_people": "ເພີ່ມຄົນ", + "explore_rooms": "ການສຳຫຼວດຫ້ອງ", + "new_room": "ຫ້ອງໃຫມ່", + "new_video_room": "ຫ້ອງວິດີໂອໃຫມ່", + "add_existing_room": "ເພີ່ມຫ້ອງທີ່ມີຢູ່", + "explore_public_rooms": "ສຳຫຼວດຫ້ອງສາທາລະນະ" }, "a11y": { "user_menu": "ເມນູຜູ້ໃຊ້", @@ -1630,7 +1375,8 @@ "other": "%(count)s ຂໍ້ຄວາມທີ່ຍັງບໍ່ໄດ້ອ່ານ." }, "unread_messages": "ຂໍ້ຄວາມທີ່ຍັງບໍ່ໄດ້ອ່ານ.", - "jump_first_invite": "ໄປຫາຄຳເຊີນທຳອິດ." + "jump_first_invite": "ໄປຫາຄຳເຊີນທຳອິດ.", + "room_name": "ຫ້ອງ %(name)s" }, "labs": { "msc3531_hide_messages_pending_moderation": "ໃຫ້ຜູ້ຄວບຄຸມການເຊື່ອງຂໍ້ຄວາມທີ່ລໍຖ້າການກັ່ນຕອງ.", @@ -1758,7 +1504,19 @@ "space_a11y": "ການເພິ່ມຂໍ້ຄວາມອັດຕະໂນມັດໃນພື້ນທີ່", "user_description": "ຜູ້ໃຊ້", "user_a11y": "ການຕຶ້ມຂໍ້ມູນອັດຕະໂນມັດຊື່ຜູ້ໃຊ້" - } + }, + "room_upgraded_link": "ການສົນທະນາສືບຕໍ່ຢູ່ທີ່ນີ້.", + "room_upgraded_notice": "ຫ້ອງນີ້ໄດ້ໍປ່ຽນແທນ ແລະບໍ່ມີການເຄື່ອນໄຫວອີກຕໍ່ໄປ.", + "no_perms_notice": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ໂພສໃສ່ຫ້ອງນີ້", + "send_button_voice_message": "ສົ່ງຂໍ້ຄວາມສຽງ", + "close_sticker_picker": "ເຊື່ອງສະຕິກເກີ", + "voice_message_button": "ຂໍ້ຄວາມສຽງ", + "poll_button_no_perms_title": "ຕ້ອງການອະນຸຍາດ", + "poll_button_no_perms_description": "ທ່ານບໍ່ໄດ້ຮັບອະນຸຍາດໃຫ້ເລີ່ມແບບສຳຫຼວດຢູ່ໃນຫ້ອງນີ້.", + "poll_button": "ການສໍາຫລວດ", + "format_italics": "ໂຕໜັງສືອຽງ", + "format_insert_link": "ໃສ່ລິ້ງ", + "replying_title": "ກຳລັງຕອບກັບ" }, "Code": "ລະຫັດ", "power_level": { @@ -1902,7 +1660,14 @@ "inline_url_previews_room_account": "ເປີດໃຊ້ຕົວຢ່າງ URL ສໍາລັບຫ້ອງນີ້ (ມີຜົນຕໍ່ທ່ານເທົ່ານັ້ນ)", "inline_url_previews_room": "ເປີດໃຊ້ການສະແດງຕົວຢ່າງ URL ໂດຍຄ່າເລີ່ມຕົ້ນສໍາລັບຜູ້ເຂົ້າຮ່ວມໃນຫ້ອງນີ້", "voip": { - "mirror_local_feed": "ເບິ່ງຟີດວິດີໂອທ້ອງຖິ່ນ" + "mirror_local_feed": "ເບິ່ງຟີດວິດີໂອທ້ອງຖິ່ນ", + "missing_permissions_prompt": "ບໍ່ອະນຸຍາດສື່, ກົດໄປທີ່ປຸ່ມຂ້າງລຸ່ມນີ້ເພື່ອຮ້ອງຂໍ.", + "request_permissions": "ຮ້ອງຂໍການອະນຸຍາດສື່ມວນຊົນ", + "audio_output": "ສຽງອອກ", + "audio_output_empty": "ບໍ່ພົບສຽງອອກ", + "audio_input_empty": "ບໍ່ພົບໄມໂຄຣໂຟນ", + "video_input_empty": "ບໍ່ພົບ Webcam", + "title": "ສຽງ & ວິດີໂອ" }, "security": { "message_search_disable_warning": "ຖ້າປິດໃຊ້ງານ, ຂໍ້ຄວາມຈາກຫ້ອງທີ່ເຂົ້າລະຫັດຈະບໍ່ປາກົດຢູ່ໃນຜົນການຄົ້ນຫາ.", @@ -1971,7 +1736,11 @@ "key_backup_connect": "ເຊື່ອມຕໍ່ລະບົບນີ້ກັບ ກະເເຈສຳຮອງ", "key_backup_complete": "ກະແຈທັງໝົດຖືກສຳຮອງໄວ້", "key_backup_algorithm": "ສູດການຄິດໄລ່:", - "key_backup_inactive_warning": "ກະແຈຂອງທ່ານ ບໍ່ຖືກສຳຮອງຂໍ້ມູນຈາກລະບົບນີ້." + "key_backup_inactive_warning": "ກະແຈຂອງທ່ານ ບໍ່ຖືກສຳຮອງຂໍ້ມູນຈາກລະບົບນີ້.", + "key_backup_active_version_none": "ບໍ່ມີ", + "ignore_users_empty": "ທ່ານບໍ່ມີຜູ້ໃຊ້ທີ່ຖືກລະເລີຍ.", + "ignore_users_section": "ຜູ້ໃຊ້ຖືກຍົກເວັ້ນ", + "e2ee_default_disabled_warning": "ຜູ້ຄຸມເຊີບເວີຂອງທ່ານໄດ້ປິດການນຳໃຊ້ການເຂົ້າລະຫັດແບບຕົ້ນທາງຮອດປາຍທາງໂດຍຄ່າເລີ່ມຕົ້ນໃນຫ້ອງສ່ວນຕົວ ແລະ ຂໍ້ຄວາມໂດຍກົງ." }, "preferences": { "room_list_heading": "ລາຍຊື່ຫ້ອງ", @@ -2028,7 +1797,40 @@ "add_msisdn_dialog_title": "ເພີ່ມເບີໂທລະສັບ", "name_placeholder": "ບໍ່ມີຊື່ສະແດງຜົນ", "error_saving_profile_title": "ບັນທຶກໂປຣໄຟລ໌ຂອງທ່ານບໍ່ສຳເລັດ", - "error_saving_profile": "ການດໍາເນີນງານບໍ່ສໍາເລັດ" + "error_saving_profile": "ການດໍາເນີນງານບໍ່ສໍາເລັດ", + "error_password_change_403": "ປ່ຽນລະຫັດຜ່ານບໍ່ສຳເລັດ. ລະຫັດຜ່ານຂອງທ່ານຖືກຕ້ອງບໍ?", + "password_change_success": "ລະຫັດຜ່ານຂອງທ່ານຖືກປ່ຽນສຳເລັດແລ້ວ.", + "emails_heading": "ທີ່ຢູ່ອີເມວ", + "msisdns_heading": "ເບີໂທລະສັບ", + "discovery_needs_terms": "ຕົກລົງເຫັນດີກັບ ເຊີບເວີ(%(serverName)s) ເງື່ອນໄຂການໃຫ້ບໍລິການເພື່ອອະນຸຍາດໃຫ້ຕົວທ່ານເອງສາມາດຄົ້ນພົບໄດ້ໂດຍທີ່ຢູ່ອີເມວ ຫຼືເບີໂທລະສັບ.", + "deactivate_section": "ປິດການນຳໃຊ້ບັນຊີ", + "account_management_section": "ການຈັດການບັນຊີ", + "discovery_section": "ການຄົ້ນພົບ", + "error_revoke_email_discovery": "ບໍ່ສາມາດຖອນການແບ່ງປັນສໍາລັບທີ່ຢູ່ອີເມວໄດ້", + "error_share_email_discovery": "ບໍ່ສາມາດແບ່ງປັນທີ່ຢູ່ອີເມວໄດ້", + "email_not_verified": "ທີ່ຢູ່ອີເມວຂອງທ່ານຍັງບໍ່ໄດ້ຖືກຢືນຢັນເທື່ອ", + "email_verification_instructions": "ກົດທີ່ລິ້ງໃນອີເມວທີ່ທ່ານໄດ້ຮັບເພື່ອກວດສອບ ແລະ ຈາກນັ້ນກົດສືບຕໍ່ອີກຄັ້ງ.", + "error_email_verification": "ບໍ່ສາມາດຢັ້ງຢືນທີ່ຢູ່ອີເມວໄດ້.", + "discovery_email_verification_instructions": "ຢືນຢັນການເຊື່ອມຕໍ່ໃນ inbox ຂອງທ່ານ", + "discovery_email_empty": "ຕົວເລືອກການຄົ້ນພົບຈະປາກົດຂຶ້ນເມື່ອທ່ານໄດ້ເພີ່ມອີເມວຂ້າງເທິງ.", + "error_revoke_msisdn_discovery": "ບໍ່ສາມາດຖອນການແບ່ງປັນສຳລັບເບີໂທລະສັບໄດ້", + "error_share_msisdn_discovery": "ບໍ່ສາມາດແບ່ງປັນເບີໂທລະສັບໄດ້", + "error_msisdn_verification": "ບໍ່ສາມາດຢັ້ງຢືນເບີໂທລະສັບໄດ້.", + "incorrect_msisdn_verification": "ລະຫັດຢືນຢັນບໍ່ຖືກຕ້ອງ", + "msisdn_verification_instructions": "ກະລຸນາໃສ່ລະຫັດຢືນຢັນທີ່ສົ່ງຜ່ານຂໍ້ຄວາມ.", + "msisdn_verification_field_label": "ລະຫັດຢືນຢັນ", + "discovery_msisdn_empty": "ຕົວເລືອກການຄົ້ນພົບຈະປາກົດເມື່ອທ່ານໄດ້ເພີ່ມເບີໂທລະສັບຂ້າງເທິງ.", + "error_set_name": "ກຳນົດການສະເເດງຊື່ບໍ່ສຳເລັດ", + "error_remove_3pid": "ບໍ່ສາມາດລຶບຂໍ້ມູນການຕິດຕໍ່ໄດ້", + "remove_email_prompt": "ລຶບ %(email)s ອອກບໍ?", + "error_invalid_email": "ທີ່ຢູ່ອີເມວບໍ່ຖືກຕ້ອງ", + "error_invalid_email_detail": "ສິ່ງນີ້ເບິ່ງຄືວ່າບໍ່ແມ່ນທີ່ຢູ່ອີເມວທີ່ຖືກຕ້ອງ", + "error_add_email": "ບໍ່ສາມາດເພີ່ມທີ່ຢູ່ອີເມວໄດ້", + "add_email_instructions": "ພວກເຮົາໄດ້ສົ່ງອີເມວຫາທ່ານເພື່ອຢືນຢັນທີ່ຢູ່ຂອງທ່ານ. ກະລຸນາປະຕິບັດຕາມຄໍາແນະນໍາຢູ່ທີ່ນັ້ນ ແລະ ຫຼັງຈາກນັ້ນໃຫ້ຄລິກໃສ່ປຸ່ມຂ້າງລຸ່ມນີ້.", + "email_address_label": "ທີ່ຢູ່ອີເມວ", + "remove_msisdn_prompt": "ລຶບ %(phone)sອອກບໍ?", + "add_msisdn_instructions": "ຂໍ້ຄວາມໄດ້ຖືກສົ່ງໄປຫາ +%(msisdn)s. ກະລຸນາໃສ່ລະຫັດຢືນຢັນ.", + "msisdn_label": "ເບີໂທລະສັບ" }, "sidebar": { "title": "ແຖບດ້ານຂ້າງ", @@ -2041,6 +1843,51 @@ "metaspaces_orphans_description": "ຈັດກຸ່ມຫ້ອງທັງໝົດຂອງທ່ານທີ່ບໍ່ໄດ້ເປັນສ່ວນໜຶ່ງຂອງພື້ນທີ່ຢູ່ໃນບ່ອນດຽວກັນ.", "metaspaces_home_all_rooms_description": "ສະແດງຫ້ອງທັງໝົດຂອງທ່ານໃນໜ້າຫຼັກ, ເຖິງແມ່ນວ່າພວກມັນຢູ່ໃນບ່ອນໃດນຶ່ງກໍ່ຕາມ.", "metaspaces_home_all_rooms": "ສະແດງຫ້ອງທັງໝົດ" + }, + "key_backup": { + "backup_in_progress": "ກະແຈຂອງທ່ານກຳລັງຖືກສຳຮອງຂໍ້ມູນ (ການສຳຮອງຂໍ້ມູນຄັ້ງທຳອິດອາດໃຊ້ເວລາສອງສາມນາທີ).", + "backup_success": "ສໍາເລັດ!", + "create_title": "ສ້າງການສໍາຮອງຂໍ້ມູນທີ່ສໍາຄັນ", + "cannot_create_backup": "ບໍ່ສາມາດສ້າງສໍາຮອງຂໍ້ມູນທີ່ສໍາຄັນ", + "setup_secure_backup": { + "generate_security_key_title": "ສ້າງກະແຈຄວາມປອດໄພ", + "generate_security_key_description": "ພວກເຮົາຈະສ້າງກະແຈຄວາມປອດໄພໃຫ້ທ່ານເກັບຮັກສາໄວ້ບ່ອນໃດບ່ອນໜຶ່ງທີ່ປອດໄພ ເຊັ່ນ: ຕົວຈັດການລະຫັດຜ່ານ ຫຼື ຕູ້ນິລະໄພ.", + "enter_phrase_title": "ໃສ່ປະໂຫຍກເພື່ອຄວາມປອດໄພ", + "description": "ປ້ອງກັນການສູນເສຍການເຂົ້າເຖິງຂໍ້ຄວາມ & ຂໍ້ມູນທີ່ຖືກເຂົ້າລະຫັດໂດຍການສໍາຮອງລະຫັດການເຂົ້າລະຫັດຢູ່ໃນເຊີບເວີຂອງທ່ານ.", + "requires_password_confirmation": "ໃສ່ລະຫັດຜ່ານບັນຊີຂອງທ່ານເພື່ອຢືນຢັນການຍົກລະດັບ:", + "requires_key_restore": "ກູ້ຄືນການສຳຮອງຂໍ້ມູນກະແຈຂອງທ່ານເພື່ອຍົກລະດັບການເຂົ້າລະຫັດຂອງທ່ານ", + "requires_server_authentication": "ທ່ານຈະຕ້ອງພິສູດຢືນຢັນກັບເຊີບເວີເພື່ອຢືນຢັນການປັບປຸງ.", + "session_upgrade_description": "ປັບປຸງລະບົບນີ້ເພື່ອໃຫ້ມັນກວດສອບລະບົບອື່ນ, ອະນຸຍາດໃຫ້ພວກເຂົາເຂົ້າເຖິງຂໍ້ຄວາມທີ່ຖືກເຂົ້າລະຫັດ ແລະເປັນເຄື່ອງໝາຍໃຫ້ເປັນທີ່ເຊື່ອຖືໄດ້ສໍາລັບຜູ້ໃຊ້ອື່ນ.", + "phrase_strong_enough": "ດີເລີດ! ປະໂຫຍກຄວາມປອດໄພນີ້ເບິ່ງຄືວ່າເຂັ້ມແຂງພຽງພໍ.", + "pass_phrase_match_success": "ກົງກັນ!", + "use_different_passphrase": "ໃຊ້ຂໍ້ຄວາມລະຫັດຜ່ານອື່ນບໍ?", + "pass_phrase_match_failed": "ບໍ່ກົງກັນ.", + "set_phrase_again": "ກັບຄືນໄປຕັ້ງໃໝ່ອີກຄັ້ງ.", + "enter_phrase_to_confirm": "ກະລຸນາໃສ່ປະໂຫຍກຄວາມປອດໄພຂອງທ່ານເປັນເທື່ອທີສອງເພື່ອຢືນຢັນ.", + "confirm_security_phrase": "ຢືນຢັນປະໂຫຍກຄວາມປອດໄພຂອງທ່ານ", + "security_key_safety_reminder": "ການເກັບຮັກສາກະແຈຄວາມປອດໄພຂອງທ່ານໄວ້ບ່ອນໃດບ່ອນໜຶ່ງທີ່ປອດໄພ ເຊັ່ນ: ຕົວຈັດການລະຫັດຜ່ານ ຫຼືບ່ອນປອດໄພ ເພາະຈະຖືກໃຊ້ເພື່ອປົກປ້ອງຂໍ້ມູນທີ່ເຂົ້າລະຫັດໄວ້ຂອງທ່ານ.", + "secret_storage_query_failure": "ບໍ່ສາມາດຄົ້ນຫາສະຖານະການເກັບຮັກສາຄວາມລັບໄດ້", + "cancel_warning": "ຖ້າທ່ານຍົກເລີກດຽວນີ້, ທ່ານອາດຈະສູນເສຍຂໍ້ຄວາມ & ຂໍ້ມູນທີ່ຖືກເຂົ້າລະຫັດ ແລະ ທ່ານສູນເສຍການເຂົ້າເຖິງການເຂົ້າສູ່ລະບົບຂອງທ່ານ.", + "settings_reminder": "ນອກນັ້ນທ່ານຍັງສາມາດຕັ້ງຄ່າການສໍາຮອງຂໍ້ມູນທີ່ປອດໄພ & ຈັດການກະແຈຂອງທ່ານໃນການຕັ້ງຄ່າ.", + "title_upgrade_encryption": "ປັບປຸງການເຂົ້າລະຫັດຂອງທ່ານ", + "title_set_phrase": "ຕັ້ງຄ່າປະໂຫຍກຄວາມປອດໄພ", + "title_confirm_phrase": "ຢືນຢັນປະໂຫຍກຄວາມປອດໄພ", + "title_save_key": "ບັນທຶກກະແຈຄວາມປອດໄພຂອງທ່ານ", + "unable_to_setup": "ບໍ່ສາມາດກຳນົດບ່ອນເກັບຂໍ້ມູນລັບໄດ້", + "use_phrase_only_you_know": "ໃຊ້ປະໂຫຍກລັບທີ່ທ່ານຮູ້ເທົ່ານັ້ນ, ແລະ ເປັນທາງເລືອກທີ່ຈະບັນທຶກກະແຈຄວາມປອດໄພເພື່ອໃຊ້ສຳລັບການສຳຮອງຂໍ້ມູນ." + } + }, + "key_export_import": { + "export_title": "ສົ່ງກະແຈຫ້ອງອອກ", + "export_description_1": "ຂະບວນການນີ້ຊ່ວຍໃຫ້ທ່ານສາມາດສົ່ງອອກລະຫັດສໍາລັບຂໍ້ຄວາມທີ່ທ່ານໄດ້ຮັບໃນຫ້ອງທີ່ຖືກເຂົ້າລະຫັດໄປຫາໄຟລ໌ໃນຊ່ອງເກັບຂໍ້ມູນ. ຫຼັງຈາກນັ້ນທ່ານຈະສາມາດນໍາເຂົ້າໄຟລ໌ເຂົ້າໄປໃນລູກຄ້າ Matrix ອື່ນໃນອະນາຄົດ, ດັ່ງນັ້ນລູກຄ້ານັ້ນຈະສາມາດຖອດລະຫັດຂໍ້ຄວາມເຫຼົ່ານີ້ໄດ້.", + "enter_passphrase": "ໃສ່ລະຫັດຜ່ານ", + "confirm_passphrase": "ຢືນຢັນລະຫັດຜ່ານ", + "phrase_cannot_be_empty": "ຂໍ້ຄວາມລະຫັດຜ່ານຈະຕ້ອງບໍ່ຫວ່າງເປົ່າ", + "phrase_must_match": "ປະໂຫຍກຕ້ອງກົງກັນ", + "import_title": "ນຳເຂົ້າກະແຈຫ້ອງ", + "import_description_1": "ຂະບວນການນີ້ອະນຸຍາດໃຫ້ທ່ານນໍາເຂົ້າລະຫັດ ທີ່ທ່ານໄດ້ສົ່ງອອກຜ່ານມາຈາກລູກຄ້າ Matrix ອື່ນ. ຈາກນັ້ນທ່ານຈະສາມາດຖອດລະຫັດຂໍ້ຄວາມໃດໆທີ່ລູກຄ້າອື່ນສາມາດຖອດລະຫັດໄດ້.", + "import_description_2": "ໄຟລ໌ທີສົ່ງອອກຈະຖືກປ້ອງກັນດ້ວຍປະໂຫຍກລະຫັດຜ່ານ. ທ່ານຄວນໃສ່ລະຫັດຜ່ານທີ່ນີ້, ເພື່ອຖອດລະຫັດໄຟລ໌.", + "file_to_import": "ໄຟລ໌ທີ່ຈະນໍາເຂົ້າ" } }, "devtools": { @@ -2493,7 +2340,19 @@ "collapse_reply_thread": "ຫຍໍ້ກະທູ້ຕອບກັບ", "view_related_event": "ເບິ່ງເຫດການທີ່ກ່ຽວຂ້ອງ", "report": "ລາຍງານ" - } + }, + "url_preview": { + "show_n_more": { + "one": "ສະແດງຕົວຢ່າງ %(count)s ອື່ນໆ", + "other": "ສະແດງຕົວຢ່າງອື່ນໆ %(count)s" + }, + "close": "ປິດຕົວຢ່າງ" + }, + "read_receipt_title": { + "one": "ເຫັນໂດຍ %(count)s ຄົນ", + "other": "ເຫັນໂດຍ %(count)s ຄົນ" + }, + "read_receipts_label": "ຢັ້ງຢືນອ່ານແລ້ວ" }, "slash_command": { "spoiler": "ສົ່ງຂໍ້ຄວາມທີ່ກຳນົດເປັນ spoiler", @@ -2724,7 +2583,14 @@ "title": "ພາລະບົດບາດ & ການອະນຸຍາດ", "permissions_section": "ການອະນຸຍາດ", "permissions_section_description_space": "ເລືອກພາລະບົດບາດທີ່ຕ້ອງການໃນການປ່ຽນແປງພາກສ່ວນຕ່າງໆຂອງພຶ້ນທີ່", - "permissions_section_description_room": "ເລືອກພາລະບົດບາດທີ່ຕ້ອງການໃນການປ່ຽນແປງພາກສ່ວນຕ່າງໆຂອງຫ້ອງ" + "permissions_section_description_room": "ເລືອກພາລະບົດບາດທີ່ຕ້ອງການໃນການປ່ຽນແປງພາກສ່ວນຕ່າງໆຂອງຫ້ອງ", + "error_unbanning": "ຍົກເລີກບໍ່ສໍາເລັດ", + "banned_by": "ຫ້າມໂດຍ %(displayName)s", + "ban_reason": "ເຫດຜົນ", + "error_changing_pl_reqs_title": "ເກີດຄວາມຜິດພາດໃນການປ່ຽນແປງຄວາມຕ້ອງການລະດັບພະລັງງານ", + "error_changing_pl_reqs_description": "ເກີດຄວາມຜິດພາດໃນການປ່ຽນແປງຂໍ້ກຳນົດລະດັບສິດຂອງຫ້ອງ. ກວດໃຫ້ແນ່ໃຈວ່າເຈົ້າມີສິດອະນຸຍາດພຽງພໍແລ້ວລອງໃໝ່ອີກຄັ້ງ.", + "error_changing_pl_title": "ເກີດຄວາມຜິດພາດໃນການປ່ຽນແປງລະດັບສິດ", + "error_changing_pl_description": "ເກີດຄວາມຜິດພາດໃນການປ່ຽນແປງລະດັບສິດຂອງຜູ້ໃຊ້. ກວດໃຫ້ແນ່ໃຈວ່າເຈົ້າມີສິດອະນຸຍາດພຽງພໍແລ້ວລອງໃໝ່ອີກຄັ້ງ." }, "security": { "strict_encryption": "ບໍ່ສົ່ງຂໍ້ຄວາມເຂົ້າລະຫັດໄປຫາລະບົບທີ່ບໍ່ໄດ້ຢືນຢັນໃນຫ້ອງນີ້ຈາກລະບົບນີ້", @@ -2775,7 +2641,9 @@ "join_rule_upgrade_updating_spaces": { "one": "ກຳລັງປັບປຸງພື້ນທີ່..", "other": "ກຳລັງຍົກລະດັບພື້ນທີ່... (%(progress)s ຈາກທັງໝົດ %(count)s)" - } + }, + "error_join_rule_change_title": "ອັບເດດກົດລະບຽບການເຂົ້າຮ່ວມບໍ່ສຳເລັດ", + "error_join_rule_change_unknown": "ຄວາມລົ້ມເຫຼວທີ່ບໍ່ຮູ້ສາເຫດ" }, "general": { "publish_toggle": "ເຜີຍແຜ່ຫ້ອງນີ້ຕໍ່ສາທາລະນະຢູ່ໃນຄຳນຳຫ້ອງຂອງ %(domain)s ບໍ?", @@ -2789,7 +2657,9 @@ "error_save_space_settings": "ບັນທຶກການຕັ້ງຄ່າພື້ນທີ່ບໍ່ສຳເລັດ.", "description_space": "ແກ້ໄຂການຕັ້ງຄ່າທີ່ກ່ຽວຂ້ອງກັບພື້ນທີ່ຂອງທ່ານ.", "save": "ບັນທຶກການປ່ຽນແປງ", - "leave_space": "ອອກຈາກພື້ນທີ່" + "leave_space": "ອອກຈາກພື້ນທີ່", + "aliases_section": "ທີ່ຢູ່ຂອງຫ້ອງ", + "other_section": "ອື່ນໆ" }, "advanced": { "unfederated": "ຫ້ອງນີ້ບໍ່ສາມາດເຂົ້າເຖິງໄດ້ໂດຍເຊີບເວີ Matrix ໄລຍະໄກ", @@ -2799,7 +2669,9 @@ "room_predecessor": "ບິ່ງຂໍ້ຄວາມເກົ່າໃນ %(roomName)s.", "room_id": "ID ຫ້ອງພາຍໃນ", "room_version_section": "ເວີຊັ້ນຫ້ອງ", - "room_version": "ເວີຊັ້ນຫ້ອງ:" + "room_version": "ເວີຊັ້ນຫ້ອງ:", + "information_section_space": "ຂໍ້ມູນພື້ນທີ່", + "information_section_room": "ຂໍ້ມູນຫ້ອງ" }, "delete_avatar_label": "ລືບອາວາຕ້າ", "upload_avatar_label": "ອັບໂຫຼດອາວາຕ້າ", @@ -2813,11 +2685,25 @@ "history_visibility_anyone_space": "ເບິ່ງຕົວຢ່າງພື້ນທີ່", "history_visibility_anyone_space_description": "ອະນຸຍາດໃຫ້ຄົນເບິ່ງຕົວຢ່າງພື້ນທີ່ຂອງທ່ານກ່ອນທີ່ເຂົາເຈົ້າເຂົ້າຮ່ວມ.", "history_visibility_anyone_space_recommendation": "ແນະນຳສຳລັບສະຖານທີ່ສາທາລະນະ.", - "guest_access_label": "ເປີດໃຊ້ການເຂົ້າເຖິງແຂກ/ຜູ້ຖືກເຊີນ" + "guest_access_label": "ເປີດໃຊ້ການເຂົ້າເຖິງແຂກ/ຜູ້ຖືກເຊີນ", + "alias_section": "ທີ່ຢູ່" }, "access": { "title": "ການເຂົ້າເຖິງ", "description_space": "ຕັດສິນໃຈວ່າໃຜສາມາດເບິ່ງ ແລະ ເຂົ້າຮ່ວມ %(spaceName)s." + }, + "bridges": { + "description": "ຫ້ອງນີ້ກໍາລັງເຊື່ອມຕໍ່ຂໍ້ຄວາມໄປຫາພັລດຟອມຕໍ່ໄປນີ້. ສຶກສາເພີ່ມເຕີມ.", + "empty": "ຫ້ອງນີ້ບໍ່ໄດ້ເຊື່ອມຕໍ່ຂໍ້ຄວາມໄປຫາພັລດຟອມໃດໆ. ສຶກສາເພີ່ມເຕີມ.", + "title": "ເປັນຂົວຕໍ່" + }, + "notifications": { + "uploaded_sound": "ອັບໂຫຼດສຽງ", + "settings_link": "ຮັບການແຈ້ງເຕືອນຕາມທີ່ກຳນົດໄວ້ໃນ ການຕັ້ງຄ່າ ຂອງທ່ານ", + "sounds_section": "ສຽງ", + "notification_sound": "ສຽງແຈ້ງເຕຶອນ", + "custom_sound_prompt": "ຕັ້ງສຽງແບບກຳນົດເອງ", + "browse_button": "ຄົ້ນຫາ" } }, "encryption": { @@ -2847,7 +2733,18 @@ "unverified_sessions_toast_description": "ກວດສອບໃຫ້ແນ່ໃຈວ່າບັນຊີຂອງທ່ານປອດໄພ", "unverified_sessions_toast_reject": "ຕໍ່ມາ", "unverified_session_toast_title": "ເຂົ້າສູ່ລະບົບໃໝ່. ນີ້ແມ່ນທ່ານບໍ?", - "request_toast_detail": "%(deviceId)s ຈາກ %(ip)s" + "request_toast_detail": "%(deviceId)s ຈາກ %(ip)s", + "no_key_or_device": "ເບິ່ງຄືວ່າທ່ານບໍ່ມີກະແຈຄວາມປອດໄພ ຫຼື ອຸປະກອນອື່ນໆທີ່ທ່ານສາມາດຢືນຢັນໄດ້. ອຸປະກອນນີ້ຈະບໍ່ສາມາດເຂົ້າເຖິງຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດເກົ່າໄດ້. ເພື່ອຢືນຢັນຕົວຕົນຂອງທ່ານໃນອຸປະກອນນີ້, ທ່ານຈຳເປັນຕ້ອງຕັ້ງລະຫັດຢືນຢັນຂອງທ່ານ.", + "reset_proceed_prompt": "ດຳເນີນການຕັ້ງຄ່າໃໝ່", + "verify_using_key_or_phrase": "ຢືນຢັນດ້ວຍກະແຈຄວາມປອດໄພ ຫຼືປະໂຫຍກ", + "verify_using_key": "ຢືນຢັນດ້ວຍກະແຈຄວາມປອດໄພ", + "verify_using_device": "ຢັ້ງຢືນດ້ວຍອຸປະກອນອື່ນ", + "verification_description": "ຢືນຢັນຕົວຕົນຂອງທ່ານເພື່ອເຂົ້າເຖິງຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດໄວ້ ແລະ ພິສູດຕົວຕົນຂອງທ່ານໃຫ້ກັບຜູ້ອື່ນ.", + "verification_success_with_backup": "ດຽວນີ້ອຸປະກອນໃໝ່ຂອງທ່ານໄດ້ຮັບການຢັ້ງຢືນແລ້ວ. ມີການເຂົ້າເຖິງຂໍ້ຄວາມທີ່ຖືກເຂົ້າລະຫັດຂອງທ່ານ, ແລະຜູ້ໃຊ້ອື່ນໆຈະເຫັນວ່າເປັນທີ່ເຊື່ອຖືໄດ້.", + "verification_success_without_backup": "ດຽວນີ້ອຸປະກອນໃໝ່ຂອງທ່ານໄດ້ຮັບການຢັ້ງຢືນແລ້ວ. ຜູ້ໃຊ້ອື່ນໆຈະເຫັນວ່າມັນເປັນທີ່ເຊື່ອຖືໄດ້.", + "verification_skip_warning": "ໂດຍບໍ່ມີການຢັ້ງຢືນ, ທ່ານຈະບໍ່ສາມາດເຂົ້າເຖິງຂໍ້ຄວາມທັງຫມົດຂອງທ່ານ ແລະ ອາດຈະປາກົດວ່າບໍ່ຫນ້າເຊື່ອຖື.", + "verify_later": "ຂ້ອຍຈະກວດສອບພາຍຫຼັງ", + "verify_reset_warning_1": "ການຕັ້ງຄ່າລະຫັດຢືນຢັນຂອງທ່ານບໍ່ສາມາດຍົກເລີກໄດ້. ຫຼັງຈາກການຕັ້ງຄ່າແລ້ວ, ທ່ານຈະບໍ່ສາມາດເຂົ້າເຖິງຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດເກົ່າໄດ້, ແລະ ໝູ່ເພື່ອນທີ່ຢືນຢັນໄປກ່ອນໜ້ານີ້ ທ່ານຈະເຫັນຄຳເຕືອນຄວາມປອດໄພຈົນກວ່າທ່ານຈະຢືນຢັນກັບພວກມັນຄືນໃໝ່." }, "old_version_detected_title": "ກວດພົບຂໍ້ມູນການເຂົ້າລະຫັດລັບເກົ່າ", "old_version_detected_description": "ກວດພົບຂໍ້ມູນຈາກ%(brand)s ລຸ້ນເກົ່າກວ່າ. ອັນນີ້ຈະເຮັດໃຫ້ການເຂົ້າລະຫັດລັບແບບຕົ້ນທາງເຖິງປາຍທາງເຮັດວຽກຜິດປົກກະຕິໃນລຸ້ນເກົ່າ. ຂໍ້ຄວາມທີ່ເຂົ້າລະຫັດແບບຕົ້ນທາງເຖິງປາຍທາງທີ່ໄດ້ແລກປ່ຽນເມື່ອບໍ່ດົນມານີ້ ໃນຂະນະທີ່ໃຊ້ເວີຊັນເກົ່າອາດຈະບໍ່ສາມາດຖອດລະຫັດໄດ້ໃນລູ້ນນີ້. ນີ້ອາດຈະເຮັດໃຫ້ຂໍ້ຄວາມທີ່ແລກປ່ຽນກັບລູ້ນນີ້ບໍ່ສຳເລັດ. ຖ້າເຈົ້າປະສົບບັນຫາ, ໃຫ້ອອກຈາກລະບົບ ແລະ ກັບມາໃໝ່ອີກຄັ້ງ. ເພື່ອຮັກສາປະຫວັດຂໍ້ຄວາມ, ສົ່ງອອກ ແລະ ນໍາເຂົ້າລະຫັດຂອງທ່ານຄືນໃໝ່.", @@ -2868,7 +2765,19 @@ "cross_signing_ready_no_backup": "ການລົງຊື່ຂ້າມແມ່ນພ້ອມແລ້ວແຕ່ກະແຈບໍ່ໄດ້ສຳຮອງໄວ້.", "cross_signing_untrusted": "ບັນຊີຂອງທ່ານມີຂໍ້ມູນແບບ cross-signing ໃນການເກັບຮັກສາຄວາມລັບ, ແຕ່ວ່າຍັງບໍ່ມີຄວາມເຊື່ອຖືໃນລະບົບນີ້.", "cross_signing_not_ready": "ບໍ່ໄດ້ຕັ້ງຄ່າ Cross-signing.", - "not_supported": "<ບໍ່ຮອງຮັບ>" + "not_supported": "<ບໍ່ຮອງຮັບ>", + "new_recovery_method_detected": { + "title": "ວິທີການກູ້ຄືນໃຫມ່", + "description_1": "ກວດພົບປະໂຫຍກຄວາມປອດໄພໃໝ່ ແລະ ກະແຈສຳລັບຂໍ້ຄວາມທີ່ປອດໄພຖືກກວດພົບ.", + "description_2": "ລະບົບນີ້ກຳລັງເຂົ້າລະຫັດປະຫວັດໂດຍໃຊ້ວິທີການກູ້ຂໍ້ມູນໃໝ່.", + "warning": "ຖ້າທ່ານບໍ່ໄດ້ກຳນົດວິທີການກູ້ຄືນໃໝ່, ຜູ້ໂຈມຕີອາດຈະພະຍາຍາມເຂົ້າເຖິງບັນຊີຂອງທ່ານ. ປ່ຽນລະຫັດຜ່ານບັນຊີຂອງທ່ານ ແລະກຳນົດ ວິທີການກູ້ຄືນໃໝ່ທັນທີໃນການຕັ້ງຄ່າ." + }, + "recovery_method_removed": { + "title": "ວິທີລົບຂະບວນການກູ້ຄືນ", + "description_1": "ລະບົບນີ້ໄດ້ກວດພົບປະໂຫຍກຄວາມປອດໄພ ແລະ ກະແຈຂໍ້ຄວາມທີ່ປອດໄພຂອງທ່ານໄດ້ຖືກເອົາອອກແລ້ວ.", + "description_2": "ຖ້າທ່ານດຳເນີນການສິ່ງນີ້ໂດຍບໍ່ໄດ້ຕັ້ງໃຈ, ທ່ານສາມາດຕັ້ງຄ່າຄວາມປອດໄພຂອງຂໍ້ຄວາມ ໃນລະບົບນີ້ ເຊິ່ງຈະມີການເຂົ້າລະຫັດປະຫວັດຂໍ້ຄວາມຂອງລະບົບນີ້ຄືນໃໝ່ດ້ວຍຂະບວນການກູ້ຂໍ້ມູນໃໝ່.", + "warning": "ຖ້າທ່ານບໍ່ໄດ້ລືບຂະບວນການກູ້ຄືນ, ຜູ້ໂຈມຕີອາດຈະພະຍາຍາມເຂົ້າເຖິງບັນຊີຂອງທ່ານ. ປ່ຽນລະຫັດຜ່ານບັນຊີຂອງທ່ານ ແລະ ກຳນົດຂະບວນການກູ້ຄືນໃໝ່ທັນທີໃນການຕັ້ງຄ່າ." + } }, "emoji": { "category_frequently_used": "ໃຊ້ເປັນປະຈຳ", @@ -3026,7 +2935,9 @@ "autodiscovery_unexpected_error_hs": "ເກີດຄວາມຜິດພາດທີ່ບໍ່ຄາດຄິດໃນການແກ້ໄຂການຕັ້ງຄ່າ homeserver", "autodiscovery_unexpected_error_is": "ເກີດຄວາມຜິດພາດທີ່ບໍ່ຄາດຄິດໃນການແກ້ໄຂການກຳນົດຄ່າເຊີບເວີ", "incorrect_credentials_detail": "ກະລຸນາຮັບຊາບວ່າທ່ານກຳລັງເຂົ້າສູ່ລະບົບເຊີບເວີ %(hs)s, ບໍ່ແມ່ນ matrix.org.", - "create_account_title": "ສ້າງບັນຊີ" + "create_account_title": "ສ້າງບັນຊີ", + "failed_soft_logout_homeserver": "ການພິສູດຢືນຢັນຄືນໃໝ່ເນື່ອງຈາກບັນຫາ homeserver ບໍ່ສຳເລັດ", + "soft_logout_subheading": "ລຶບຂໍ້ມູນສ່ວນຕົວ" }, "room_list": { "sort_unread_first": "ສະແດງຫ້ອງຂໍ້ຄວາມທີ່ຍັງບໍ່ທັນໄດ້ອ່ານກ່ອນ", @@ -3042,7 +2953,23 @@ "show_less": "ສະແດງໜ້ອຍລົງ", "notification_options": "ຕົວເລືອກການແຈ້ງເຕືອນ", "failed_remove_tag": "ລຶບແທັກ %(tagName)s ອອກຈາກຫ້ອງບໍ່ສຳເລັດ", - "failed_add_tag": "ເພີ່ມແທັກ %(tagName)s ໃສ່ຫ້ອງບໍ່ສຳເລັດ" + "failed_add_tag": "ເພີ່ມແທັກ %(tagName)s ໃສ່ຫ້ອງບໍ່ສຳເລັດ", + "breadcrumbs_label": "ຫ້ອງທີ່ເຂົ້າເບິ່ງເມື່ອບໍ່ດົນມານີ້", + "breadcrumbs_empty": "ບໍ່ມີຫ້ອງທີ່ເຂົ້າເບິ່ງເມື່ອບໍ່ດົນມານີ້", + "add_room_label": "ເພີ່ມຫ້ອງ", + "suggested_rooms_heading": "ຫ້ອງແນະນຳ", + "add_space_label": "ເພີ່ມພື້ນທີ່", + "join_public_room_label": "ເຂົ້າຮ່ວມຫ້ອງສາທາລະນະ", + "joining_rooms_status": { + "one": "ກຳລັງເຂົ້າຮ່ວມຫ້ອງ %(count)s", + "other": "ປະຈຸບັນກຳລັງເຂົ້າຮ່ວມ %(count)s ຫ້ອງ" + }, + "redacting_messages_status": { + "one": "ຕອນນີ້ກຳລັງລຶບຂໍ້ຄວາມຢູ່ໃນຫ້ອງ %(count)s", + "other": "ກຳລັງລຶບຂໍ້ຄວາມຢູ່ໃນ %(count)s ຫ້ອງ" + }, + "space_menu_label": "ເມນູ %(spaceName)s", + "home_menu_label": "ຕົວເລືອກໜ້າຫຼັກ" }, "report_content": { "missing_reason": "ກະລຸນາຕື່ມຂໍ້ມູນວ່າເປັນຫຍັງທ່ານກໍາລັງລາຍງານ.", @@ -3270,7 +3197,8 @@ "search_children": "ຊອກຫາ %(spaceName)s", "invite_link": "ແບ່ງປັນລິ້ງເຊີນ", "invite": "ເຊີນຜູ້ຄົນ", - "invite_description": "ເຊີນດ້ວຍອີເມລ໌ ຫຼື ຊື່ຜູ້ໃຊ້" + "invite_description": "ເຊີນດ້ວຍອີເມລ໌ ຫຼື ຊື່ຜູ້ໃຊ້", + "invite_this_space": "ເຊີນໄປບ່ອນນີ້" }, "location_sharing": { "MapStyleUrlNotConfigured": "homeserver ນີ້ບໍ່ໄດ້ຕັ້ງຄ່າເພື່ອສະແດງແຜນທີ່.", @@ -3318,7 +3246,8 @@ "lists_heading": "ລາຍຊື່ທີ່ສະໝັກແລ້ວ", "lists_description_1": "ການສະໝັກບັນຊີລາຍການຫ້າມຈະເຮັດໃຫ້ທ່ານເຂົ້າຮ່ວມ!", "lists_description_2": "ຖ້າສິ່ງນີ້ບໍ່ແມ່ນສິ່ງທີ່ທ່ານຕ້ອງການ, ກະລຸນາໃຊ້ເຄື່ອງມືອື່ນເພື່ອລະເວັ້ນຜູ້ໃຊ້.", - "lists_new_label": "IDຫ້ອງ ຫຼື ທີ່ຢູ່ຂອງລາຍການຫ້າມ" + "lists_new_label": "IDຫ້ອງ ຫຼື ທີ່ຢູ່ຂອງລາຍການຫ້າມ", + "rules_empty": "ບໍ່ມີ" }, "create_space": { "name_required": "ກະລຸນາໃສ່ຊື່ສໍາລັບຊ່ອງຫວ່າງ", @@ -3408,8 +3337,60 @@ "mentions_only": "ກ່າວເຖິງເທົ່ານັ້ນ", "copy_link": "ສຳເນົາລິ້ງຫ້ອງ", "low_priority": "ຄວາມສຳຄັນຕໍ່າ", - "forget": "ລືມຫ້ອງ" - } + "forget": "ລືມຫ້ອງ", + "title": "ຕົວເລືອກຫ້ອງ" + }, + "invite_this_room": "ເຊີນເຂົ້າຫ້ອງນີ້", + "header": { + "forget_room_button": "ລືມຫ້ອງ", + "hide_widgets_button": "ເຊື່ອງ Widgets", + "show_widgets_button": "ສະແດງ Widgets" + }, + "joining": "ກຳລັງເຂົ້າ…", + "join_title_account": "ເຂົ້າຮ່ວມການສົນທະນາດ້ວຍບັນຊີ", + "join_button_account": "ລົງທະບຽນ", + "loading_preview": "ກຳລັງໂຫຼດຕົວຢ່າງ", + "kicked_from_room_by": "ທ່ານຖືກລຶບອອກຈາກ %(roomName)s ໂດຍ %(memberName)s", + "kicked_by": "ທ່ານຖືກລຶບຍອອກໂດຍ %(memberName)s", + "kick_reason": "ເຫດຜົນ: %(reason)s", + "forget_space": "ລືມພຶ້ນທີ່ນີ້", + "forget_room": "ລືມຫ້ອງນີ້", + "rejoin_button": "ເຂົ້າຮ່ວມອີກຄັ້ງ", + "banned_from_room_by": "ທ່ານຖືກຫ້າມຈາກ %(roomName)s ໂດຍ %(memberName)s", + "banned_by": "ທ່ານຖືກຫ້າມໂດຍ %(memberName)s", + "3pid_invite_error_title_room": "ມີບາງຢ່າງຜິດພາດກ່ຽວກັບການເຊີນຂອງທ່ານໄປຫາ %(roomName)s", + "3pid_invite_error_title": "ມີບາງຢ່າງຜິດພາດກ່ຍວກັບການເຊີນຂອງທ່ານ.", + "3pid_invite_error_description": "ຄວາມຜິດພາດ (%(errcode)s) ໃນຂະນະທີ່ພະຍາຍາມທີ່ຈະກວດສອບການເຊີນຂອງທ່ານ. ທ່ານສາມາດທົດລອງສົ່ງຂໍ້ມູນນີ້ໄປຫາບບຸກຄົນທີ່ເຊີນທ່ານ.", + "3pid_invite_error_invite_subtitle": "ທ່ານສາມາດເຂົ້າຮ່ວມໄດ້ດ້ວຍການເຊີນເຮັດວຽກເທົ່ານັ້ນ.", + "3pid_invite_error_invite_action": "ພະຍາຍາມເຂົ້າຮ່ວມຕໍ່ໄປ", + "3pid_invite_error_public_subtitle": "ທ່ານຍັງສາມາດເຂົ້າຮ່ວມໄດ້ຢູ່ບ່ອນນີ້.", + "join_the_discussion": "ເຂົ້າຮ່ວມການສົນທະນາ", + "3pid_invite_email_not_found_account_room": "ການເຊີນນີ້ໄປຫາ %(roomName)s ໄດ້ຖືກສົ່ງໄປຫາ %(email)s ຊຶ່ງບໍ່ກ່ຽວຂ້ອງກັບບັນຊີຂອງທ່ານ", + "3pid_invite_email_not_found_account": "ການເຊີນນີ້ຖືກສົ່ງໄປຫາ %(email)s ທີ່ບໍ່ກ່ຽວຂ້ອງກັບບັນຊີຂອງທ່ານ", + "link_email_to_receive_3pid_invite": "ເຊື່ອມຕໍ່ອີເມວນີ້ກັບບັນຊີຂອງທ່ານໃນການຕັ້ງຄ່າເພື່ອຮັບການເຊີນໂດຍກົງໃນ %(brand)s.", + "invite_sent_to_email_room": "ການເຊີນນີ້ໄປຫາ %(roomName)s ໄດ້ຖືກສົ່ງໄປຫາ %(email)s", + "invite_sent_to_email": "ການເຊີນນີ້ຖືກສົ່ງໄປຫາ %(email)s", + "3pid_invite_no_is_subtitle": "ໃຊ້ເຊີບເວີໃນການຕັ້ງຄ່າເພື່ອຮັບການເຊີນໂດຍກົງໃນ %(brand)s.", + "invite_email_mismatch_suggestion": "ແບ່ງປັນອີເມວນີ້ໃນການຕັ້ງຄ່າເພື່ອຮັບການເຊີນໂດຍກົງໃນ %(brand)s.", + "dm_invite_title": "ທ່ານຕ້ອງການສົນທະນາກັບ %(user)s ບໍ?", + "dm_invite_subtitle": " ຕ້ອງການສົນທະນາ", + "dm_invite_action": "ເລີ່ມການສົນທະນາ", + "invite_title": "ທ່ານຕ້ອງການເຂົ້າຮ່ວມ %(roomName)s ບໍ?", + "invite_subtitle": " ເຊີນທ່ານ", + "invite_reject_ignore": "ປະຕິເສດ ແລະ ບໍ່ສົນໃຈຜູ້ໃຊ້", + "peek_join_prompt": "ທ່ານກຳລັງເບິ່ງຕົວຢ່າງ %(roomName)s. ຕ້ອງການເຂົ້າຮ່ວມບໍ?", + "no_peek_join_prompt": "ບໍ່ສາມາດເບິ່ງຕົວຢ່າງ %(roomName)s ໄດ້. ທ່ານຕ້ອງການເຂົ້າຮ່ວມມັນບໍ?", + "no_peek_no_name_join_prompt": "ບໍ່ມີຕົວຢ່າງ, ທ່ານຕ້ອງການເຂົ້າຮ່ວມບໍ?", + "not_found_title_name": "%(roomName)s ບໍ່ມີ.", + "not_found_title": "ບໍ່ມີຫ້ອງ ຫຼື ພື້ນທີ່ນີ້.", + "not_found_subtitle": "ທ່ານແນ່ໃຈບໍ່ວ່າທ່ານຢູ່ບ່ອນທີ່ຖືກຕ້ອງ?", + "inaccessible_name": "%(roomName)s ບໍ່ສາມາດເຂົ້າເຖິງໄດ້ໃນເວລານີ້.", + "inaccessible": "ຫ້ອງ ຫຼື ພື້ນທີ່ນີ້ບໍ່ສາມາດເຂົ້າເຖິງໄດ້ໃນເວລານີ້.", + "inaccessible_subtitle_1": "ລອງໃໝ່ໃນພາຍຫຼັງ, ຫຼື ຂໍໃຫ້ຜູ້ຄຸ້ມຄອງຫ້ອງ ຫຼື ຜູ້ຄຸ້ມຄອງພື້ນທີ່ກວດເບິ່ງວ່າທ່ານມີການເຂົ້າເຖິງ ຫຼື ບໍ່.", + "inaccessible_subtitle_2": "%(errcode)s ຖືກສົ່ງຄືນໃນຂະນະທີ່ພະຍາຍາມເຂົ້າເຖິງຫ້ອງ ຫຼື ພື້ນທີ່. ຖ້າຫາກທ່ານຄິດວ່າທ່ານກໍາລັງເຫັນຂໍ້ຄວາມນີ້ຜິດພາດ, ກະລຸນາ ສົ່ງບົດລາຍງານ bug.", + "join_failed_needs_invite": "ເພື່ອເບິ່ງ %(roomName)s, ທ່ານຕ້ອງມີບັດເຊີນ", + "view_failed_enable_video_rooms": "ເພື່ອເບິ່ງ, ທ່ານຕ້ອງເປີດຫ້ອງວີດີໂອໃນສູນທົດລອງກ່ອນ", + "join_failed_enable_video_rooms": "ເພື່ອເຂົ້າຮ່ວມ, ທ່ານຕ້ອງເປີດຫ້ອງວີດີໂອໃນສູນທົດລອງກ່ອນ" }, "file_panel": { "guest_note": "ທ່ານຕ້ອງ ລົງທະບຽນ ເພື່ອໃຊ້ຟັງຊັນນີ້", @@ -3529,7 +3510,14 @@ "keyword_new": "ຄໍາສໍາຄັນໃຫມ່", "class_global": "ທົ່ວໂລກ", "class_other": "ອື່ນໆ", - "mentions_keywords": "ກ່າວເຖິງ & ຄໍາສໍາຄັນ" + "mentions_keywords": "ກ່າວເຖິງ & ຄໍາສໍາຄັນ", + "default": "ຄ່າເລີ່ມຕົ້ນ", + "all_messages": "ຂໍ້ຄວາມທັງໝົດ", + "all_messages_description": "ໄດ້ຮັບການແຈ້ງເຕືອນສໍາລັບທຸກໆຂໍ້ຄວາມ", + "mentions_and_keywords": "@ກ່າວເຖິງ & ຄໍາສໍາຄັນ", + "mentions_and_keywords_description": "ຮັບການແຈ້ງເຕືອນພຽງແຕ່ມີການກ່າວເຖິງ ແລະ ຄໍາທີ່ກຳນົດໄວ້ໃນsettingsຂອງທ່ານ", + "mute_description": "ທ່ານຈະບໍ່ໄດ້ຮັບການແຈ້ງເຕືອນໃດໆ", + "message_didnt_send": "ບໍ່ໄດ້ສົ່ງຂໍ້ຄວາມ. ກົດສຳລັບຂໍ້ມູນ." }, "mobile_guide": { "toast_title": "ໃຊ້ແອັບເພື່ອປະສົບການທີ່ດີກວ່າ", @@ -3553,6 +3541,43 @@ "a11y_jump_first_unread_room": "ໄປຫາຫ້ອງທໍາອິດທີ່ຍັງບໍ່ໄດ້ອ່ານ.", "integration_manager": { "error_connecting_heading": "ບໍ່ສາມາດເຊື່ອມຕໍ່ກັບຕົວຈັດການການເຊື່ອມໂຍງໄດ້", - "error_connecting": "ຜູ້ຈັດການການເຊື່ອມໂຍງແມ່ນອອບໄລນ໌ຫຼືບໍ່ສາມາດເຂົ້າຫາ homeserver ຂອງທ່ານໄດ້." + "error_connecting": "ຜູ້ຈັດການການເຊື່ອມໂຍງແມ່ນອອບໄລນ໌ຫຼືບໍ່ສາມາດເຂົ້າຫາ homeserver ຂອງທ່ານໄດ້.", + "use_im_default": "ໃຊ້ຕົວຈັດການການເຊື່ອມໂຍງ (%(serverName)s) ເພື່ອຈັດການບັອດ, widgets, ແລະ ຊຸດສະຕິກເກີ.", + "use_im": "ໃຊ້ຕົວຈັດການການເຊື່ອມໂຍງເພື່ອຈັດການ bots, widget, ແລະຊຸດສະຕິກເກີ.", + "manage_title": "ຈັດການການເຊື່ອມໂຍງ", + "explainer": "ຜູ້ຈັດການລວມລະບົບໄດ້ຮັບຂໍ້ມູນການຕັ້ງຄ່າ ແລະ ສາມາດແກ້ໄຂ widget, ສົ່ງການເຊີນຫ້ອງ ແລະ ກໍານົດລະດັບພະລັງງານໃນນາມຂອງທ່ານ." + }, + "identity_server": { + "url_not_https": "URL ເຊີບເວີຕ້ອງເປັນ HTTPS", + "error_invalid": "ບໍ່ແມ່ນເຊີບເວີທີ່ຖືກຕ້ອງ (ລະຫັດສະຖານະ %(code)s)", + "error_connection": "ບໍ່ສາມາດເຊື່ອມຕໍ່ກັບເຊີບເວີໄດ້", + "checking": "ກຳລັງກວດສອບເຊີບເວີ", + "change": "ປ່ຽນຕົວເຊີບເວີ", + "change_prompt": "ຕັດການເຊື່ອມຕໍ່ຈາກເຊີບເວີແລະ ເຊື່ອມຕໍ່ຫາ ແທນບໍ?", + "error_invalid_or_terms": "ບໍ່ຖືກຍອມຮັບເງື່ອນໄຂການໃຫ້ບໍລິການ ຫຼື ເຊີບເວີບໍ່ຖືກຕ້ອງ.", + "no_terms": "ເຊີບທີ່ທ່ານເລືອກບໍ່ມີເງື່ອນໄຂການບໍລິການໃດໆ.", + "disconnect": "ຕັດການເຊື່ອມຕໍ່ເຊີບເວີ", + "disconnect_server": "ຕັດການເຊື່ອມຕໍ່ຈາກເຊີບເວີ ?", + "disconnect_offline_warning": "ທ່ານຄວນ ລຶບຂໍ້ມູນສ່ວນຕົວຂອງທ່ານ ອອກຈາກເຊີບເວີ ກ່ອນທີ່ຈະຕັດການເຊື່ອມຕໍ່. ຂໍອະໄພ, ເຊີບເວີ ຢູ່ໃນຂະນະອອບລາຍຢູ່ ຫຼືບໍ່ສາມາດຕິດຕໍ່ໄດ້.", + "suggestions": "ທ່ານຄວນ:", + "suggestions_1": "ກວດເບິ່ງ plugins ຂອງບ່ໜາວເຊີຂອງທ່ານສໍາລັບສິ່ງໃດແດ່ທີ່ອາດຈະກີດກັ້ນເຊີບເວີ (ເຊັ່ນ: ຄວາມເປັນສ່ວນຕົວ Badger)", + "suggestions_2": "ຕິດຕໍ່ຜູ້ຄຸ້ມຄອງເຊີບເວີ ", + "suggestions_3": "ລໍຖ້າແລ້ວລອງໃໝ່ໃນພາຍຫຼັງ", + "disconnect_anyway": "ຍົກເລີກການເຊື່ອມຕໍ່", + "disconnect_personal_data_warning_1": "ທ່ານຍັງ ແບ່ງປັນຂໍ້ມູນສ່ວນຕົວຂອງທ່ານ ຢູ່ໃນເຊີບເວີ .", + "disconnect_personal_data_warning_2": "ພວກເຮົາແນະນໍາໃຫ້ທ່ານເອົາທີ່ຢູ່ອີເມວ ແລະ ເບີໂທລະສັບຂອງທ່ານອອກຈາກເຊີບເວີກ່ອນທີ່ຈະຕັດການເຊື່ອມຕໍ່.", + "url": "ເຊີບເວີ %(server)s)", + "description_connected": "ຕອນນີ້ທ່ານກຳລັງໃຊ້ ເພື່ອຄົ້ນຫາ ແລະ ສາມາດຄົ້ນຫາໄດ້ໂດຍຜູ້ຕິດຕໍ່ທີ່ມີຢູ່ແລ້ວ. ທ່ານສາມາດປ່ຽນເຊີບເວນຂອງທ່ານໄດ້ຂ້າງລຸ່ມນີ້.", + "change_server_prompt": "ຖ້າຫາກວ່າທ່ານບໍ່ຕ້ອງການທີ່ຈະນໍາໃຊ້ ເພື່ອຄົ້ນຫາ ແລະ ສາມາດຄົ້ນຫາໂດຍການຕິດຕໍ່ທີ່ມີຢູ່ແລ້ວ, ເຂົ້າໄປໃນຕົວ server ອື່ນຂ້າງລຸ່ມນີ້.", + "description_disconnected": "ໃນປັດຈຸບັນທ່ານບໍ່ໄດ້ໃຊ້ເຊີບເວີ. ເພື່ອຄົ້ນຫາ ແລະ ສາມາດຄົ້ນຫາໄດ້ໂດຍຜູ້ຕິດຕໍ່ທີ່ມີຢູ່ແລ້ວ, ໃຫ້ເພີ່ມທີ່ຢຸ່ຂ້າງລຸ່ມນີ້.", + "disconnect_warning": "ການຕັດການເຊື່ອມຕໍ່ຈາກຕົວເຊີບເວີຂອງທ່ານຈະຫມາຍຄວາມວ່າທ່ານຈະບໍ່ຖືກຄົ້ນຫາໂດຍຜູ້ໃຊ້ອື່ນ ແລະ ທ່ານຈະບໍ່ສາມາດເຊີນຜູ້ອື່ນໂດຍອີເມລ໌ ຫຼື ໂທລະສັບ.", + "description_optional": "ການນໍາໃຊ້ຕົວເຊີບເວີເປັນທາງເລືອກ. ຖ້າທ່ານເລືອກທີ່ຈະບໍ່ໃຊ້ຕົວເຊີບເວີ, ທ່ານຈະບໍ່ຖືກຄົ້ນພົບໂດຍຜູ້ໃຊ້ອື່ນ ແລະ ທ່ານຈະບໍ່ສາມາດເຊີນຜູ້ອື່ນໂດຍອີເມລ໌ຫຼືໂທລະສັບ.", + "do_not_use": "ກະລຸນນາຢ່າໃຊ້ເຊີບເວີລະບຸຕົວຕົນ", + "url_field_label": "ໃສ່ເຊີບເວີໃໝ່" + }, + "member_list": { + "invited_list_heading": "ເຊີນ", + "filter_placeholder": "ການກັ່ນຕອງສະມາຊິກຫ້ອງ", + "power_label": "%(userName)s (power %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/lt.json b/src/i18n/strings/lt.json index 8882c94327..7c94272887 100644 --- a/src/i18n/strings/lt.json +++ b/src/i18n/strings/lt.json @@ -3,7 +3,6 @@ "Today": "Šiandien", "Friday": "Penktadienis", "Changelog": "Keitinių žurnalas", - "Failed to change password. Is your password correct?": "Nepavyko pakeisti slaptažodžio. Ar jūsų slaptažodis teisingas?", "This Room": "Šis pokalbių kambarys", "Unavailable": "Neprieinamas", "All Rooms": "Visi pokalbių kambariai", @@ -13,18 +12,14 @@ "Unnamed room": "Kambarys be pavadinimo", "Saturday": "Šeštadienis", "Monday": "Pirmadienis", - "Rooms": "Kambariai", "Failed to forget room %(errCode)s": "Nepavyko pamiršti kambario %(errCode)s", "Wednesday": "Trečiadienis", "Send": "Siųsti", - "All messages": "Visos žinutės", "unknown error code": "nežinomas klaidos kodas", - "Invite to this room": "Pakviesti į šį kambarį", "You cannot delete this message. (%(code)s)": "Jūs negalite trinti šios žinutės. (%(code)s)", "Thursday": "Ketvirtadienis", "Yesterday": "Vakar", "Thank you!": "Ačiū!", - "Permission Required": "Reikalingas Leidimas", "Sun": "Sek", "Mon": "Pir", "Tue": "Ant", @@ -50,10 +45,7 @@ "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(fullYear)s %(monthName)s %(day)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(fullYear)s %(monthName)s %(day)s %(time)s", - "Reason": "Priežastis", - "Incorrect verification code": "Neteisingas patvirtinimo kodas", "Warning!": "Įspėjimas!", - "Failed to set display name": "Nepavyko nustatyti rodomo vardo", "Failed to mute user": "Nepavyko nutildyti vartotojo", "Are you sure?": "Ar tikrai?", "Admin Tools": "Administratoriaus įrankiai", @@ -61,8 +53,6 @@ "other": "(~%(count)s rezultatų(-ai))", "one": "(~%(count)s rezultatas)" }, - "%(roomName)s does not exist.": "%(roomName)s neegzistuoja.", - "%(roomName)s is not accessible at this time.": "%(roomName)s šiuo metu nėra pasiekiamas.", "This room has no local addresses": "Šis kambarys neturi jokių vietinių adresų", "Error decrypting attachment": "Klaida iššifruojant priedą", "Decrypt %(text)s": "Iššifruoti %(text)s", @@ -84,38 +74,20 @@ "one": "Įkeliamas %(filename)s ir dar %(count)s failas" }, "Uploading %(filename)s": "Įkeliamas %(filename)s", - "Unable to remove contact information": "Nepavyko pašalinti kontaktinės informacijos", - "No Audio Outputs detected": "Neaptikta jokių garso išvesčių", - "No Microphones detected": "Neaptikta jokių mikrofonų", - "No Webcams detected": "Neaptikta jokių kamerų", - "Audio Output": "Garso išvestis", "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ą", "Session ID": "Seanso ID", - "Passphrases must match": "Slaptafrazės privalo sutapti", - "Passphrase must not be empty": "Slaptafrazė negali būti tuščia", - "Export room keys": "Eksportuoti kambario raktus", - "Enter passphrase": "Įveskite slaptafrazę", - "Confirm passphrase": "Patvirtinkite slaptafrazę", - "Import room keys": "Importuoti kambario raktus", - "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Eksportavimo failas bus apsaugotas slaptafraze. Norėdami iššifruoti failą, čia turėtumėte įvesti slaptafrazę.", - "File to import": "Failas, kurį importuoti", "This event could not be displayed": "Nepavyko parodyti šio įvykio", "Failed to ban user": "Nepavyko užblokuoti vartotojo", - "Invited": "Pakviesta", - "Filter room members": "Filtruoti kambario dalyvius", "%(duration)ss": "%(duration)s sek", "%(duration)sm": "%(duration)s min", "%(duration)sh": "%(duration)s val", "%(duration)sd": "%(duration)s d", - "Authentication": "Autentifikavimas", - "Forget room": "Pamiršti kambarį", "Share room": "Bendrinti kambarį", "Demote yourself?": "Pažeminti save?", "Demote": "Pažeminti", "Share Link to User": "Dalintis nuoroda į vartotoją", - "The conversation continues here.": "Pokalbis tęsiasi čia.", "Only room administrators will see this warning": "Šį įspėjimą matys tik kambario administratoriai", "Invalid file%(extra)s": "Neteisingas failas %(extra)s", "Create new room": "Sukurti naują kambarį", @@ -128,49 +100,30 @@ "The room upgrade could not be completed": "Nepavyko užbaigti kambario atnaujinimo", "Send Logs": "Siųsti žurnalus", "Unable to restore session": "Nepavyko atkurti seanso", - "Invalid Email Address": "Neteisingas el. pašto adresas", - "Unignore": "Nebeignoruoti", "and %(count)s others...": { "other": "ir %(count)s kitų...", "one": "ir dar vienas..." }, - "This room has been replaced and is no longer active.": "Šis kambarys buvo pakeistas ir daugiau nebėra aktyvus.", - "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", "Home": "Pradžia", "And %(count)s more...": { "other": "Ir dar %(count)s..." }, - "Default": "Numatytas", "Restricted": "Apribotas", "Moderator": "Moderatorius", - "Historical": "Istoriniai", "Set up": "Nustatyti", "Preparing to send logs": "Ruošiamasi išsiųsti žurnalus", "Incompatible Database": "Nesuderinama duomenų bazė", - "Deactivate Account": "Deaktyvuoti Paskyrą", "Incompatible local cache": "Nesuderinamas vietinis podėlis", "Updating %(brand)s": "Atnaujinama %(brand)s", - "This doesn't appear to be a valid email address": "Tai nepanašu į teisingą el. pašto adresą", - "Unable to add email address": "Nepavyko pridėti el. pašto adreso", - "Unable to verify email address.": "Nepavyko patvirtinti el. pašto adreso.", "This will allow you to reset your password and receive notifications.": "Tai jums leis iš naujo nustatyti slaptažodį ir gauti pranešimus.", "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ų!", - "Explore rooms": "Žvalgyti kambarius", "%(items)s and %(lastItem)s": "%(items)s ir %(lastItem)s", "Remove recent messages by %(user)s": "Pašalinti paskutines %(user)s žinutes", "Jump to read receipt": "Nušokti iki perskaitytų žinučių", "Remove recent messages": "Pašalinti paskutines žinutes", - "Do you want to chat with %(user)s?": "Ar jūs norite kalbėtis su %(user)s?", - " wants to chat": " nori kalbėtis", - "Start chatting": "Pradėti kalbėtis", - "Do you want to join %(roomName)s?": "Ar jūs norite prisijungti prie %(roomName)s kanalo?", - " invited you": " jus pakvietė", - "You're previewing %(roomName)s. Want to join it?": "Jūs peržiūrite %(roomName)s. Norite prie jo prisijungti?", - "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s negali būti peržiūrėtas. Ar jūs norite prie jo prisijungti?", "Room Settings - %(roomName)s": "Kambario nustatymai - %(roomName)s", "Upgrade public room": "Atnaujinti viešą kambarį", "Upload files (%(current)s of %(total)s)": "Įkelti failus (%(current)s iš %(total)s)", @@ -188,13 +141,9 @@ "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?", "General failure": "Bendras triktis", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (galia %(powerLevelNumber)s)", - "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.", "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.", "Email (optional)": "El. paštas (neprivaloma)", - "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.": "Jei jūs nenustatėte naujo paskyros atgavimo metodo, gali būti, kad užpuolikas bando patekti į jūsų paskyrą. Nedelsiant nustatymuose pakeiskite savo paskyros slaptažodį ir nustatykite naują atgavimo metodą.", - "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.": "Jei jūs nepašalinote paskyros atgavimo metodo, gali būti, kad užpuolikas bando patekti į jūsų paskyrą. Nedelsiant nustatymuose pakeiskite savo paskyros slaptažodį ir nustatykite naują atgavimo metodą.", "Direct Messages": "Privačios žinutės", "Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "Nustatykite adresus šiam kambariui, kad vartotojai galėtų surasti šį kambarį per jūsų serverį (%(localDomain)s)", "Power level": "Galios lygis", @@ -203,11 +152,9 @@ "Recently Direct Messaged": "Neseniai tiesiogiai susirašyta", "Command Help": "Komandų pagalba", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Bandyta įkelti konkrečią vietą šio kambario laiko juostoje, bet nepavyko jos rasti.", - "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.": "Šis procesas leidžia jums eksportuoti užšifruotuose kambariuose gautų žinučių raktus į lokalų failą. Tada jūs turėsite galimybę ateityje importuoti šį failą į kitą Matrix klientą, kad tas klientas taip pat galėtų iššifruoti tas žinutes.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Užšifruotos žinutės yra apsaugotos visapusiu šifravimu. Tik jūs ir gavėjas(-ai) turi raktus šioms žinutėms perskaityti.", "Back up your keys before signing out to avoid losing them.": "Prieš atsijungdami sukurkite atsarginę savo raktų kopiją, kad išvengtumėte jų praradimo.", "Start using Key Backup": "Pradėti naudoti atsarginę raktų kopiją", - "Room %(name)s": "Kambarys %(name)s", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Atnaujinimas išjungs dabartinę kambario instanciją ir sukurs atnaujintą kambarį tuo pačiu pavadinimu.", "Other published addresses:": "Kiti paskelbti adresai:", "No other published addresses yet, add one below": "Kol kas nėra kitų paskelbtų adresų, pridėkite vieną žemiau", @@ -228,26 +175,15 @@ "I don't want my encrypted messages": "Man nereikalingos užšifruotos žinutės", "You'll lose access to your encrypted messages": "Jūs prarasite prieigą prie savo užšifruotų žinučių", "Warning: you should only set up key backup from a trusted computer.": "Įspėjimas: atsarginę raktų kopiją sukurkite tik iš patikimo kompiuterio.", - "Add room": "Sukurti kambarį", "This room is end-to-end encrypted": "Šis kambarys visapusiškai užšifruotas", "Messages in this room are end-to-end encrypted.": "Žinutės šiame kambaryje yra visapusiškai užšifruotos.", "Messages in this room are not end-to-end encrypted.": "Žinutės šiame kambaryje nėra visapusiškai užšifruotos.", "Confirm Removal": "Patvirtinkite pašalinimą", "Manually export keys": "Eksportuoti raktus rankiniu būdu", - "Go back to set it again.": "Grįžti atgal, kad nustatyti iš naujo.", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Prieš atsijungiant rekomenduojame iš tapatybės serverio pašalinti savo el. pašto adresus ir telefono numerius.", - "Email addresses": "El. pašto adresai", - "Account management": "Paskyros tvarkymas", - "Your email address hasn't been verified yet": "Jūsų el. pašto adresas dar nebuvo patvirtintas", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Išsiuntėme jums el. laišką, kad patvirtintumėme savo adresą. Sekite ten pateiktas instrukcijas ir tada paspauskite žemiau esantį mygtuką.", - "Email Address": "El. pašto adresas", "Homeserver URL does not appear to be a valid Matrix homeserver": "Serverio adresas neatrodo esantis tinkamas Matrix serveris", - "That matches!": "Tai sutampa!", - "That doesn't match.": "Tai nesutampa.", "Your password has been reset.": "Jūsų slaptažodis buvo iš naujo nustatytas.", "Show more": "Rodyti daugiau", "Verify your other session using one of the options below.": "Patvirtinkite savo kitą seansą naudodami vieną iš žemiau esančių parinkčių.", - "Voice & Video": "Garsas ir Vaizdas", "Deactivate user?": "Deaktyvuoti vartotoją?", "Deactivate user": "Deaktyvuoti vartotoją", "Failed to deactivate user": "Nepavyko deaktyvuoti vartotojo", @@ -273,27 +209,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ą?", - "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.", - "Disconnect from the identity server and connect to instead?": "Atsijungti nuo tapatybės serverio ir jo vietoje prisijungti prie ?", - "Terms of service not accepted or the identity server is invalid.": "Nesutikta su paslaugų teikimo sąlygomis arba tapatybės serveris yra klaidingas.", - "The identity server you have chosen does not have any terms of service.": "Jūsų pasirinktas tapatybės serveris neturi jokių paslaugų teikimo sąlygų.", - "Disconnect identity server": "Atjungti tapatybės serverį", - "Disconnect from the identity server ?": "Atsijungti nuo tapatybės serverio ?", - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Prieš atsijungdami jūs turėtumėte pašalinti savo asmeninius duomenis iš tapatybės serverio . Deja, tapatybės serveris šiuo metu yra išjungtas arba nepasiekiamas.", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "patikrinti ar tarp jūsų naršyklės įskiepių nėra nieko kas galėtų blokuoti tapatybės serverį (pavyzdžiui \"Privacy Badger\")", - "contact the administrators of identity server ": "susisiekti su tapatybės serverio administratoriais", - "You are still sharing your personal data on the identity server .": "Jūs vis dar dalijatės savo asmeniniais duomenimis tapatybės serveryje .", - "Enter a new identity server": "Pridėkite naują tapatybės serverį", - "Manage integrations": "Valdyti integracijas", - "Phone numbers": "Telefono numeriai", - "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ą.", - "Unable to revoke sharing for phone number": "Neina atšaukti telefono numerio bendrinimo", - "Unable to share phone number": "Neina bendrinti telefono numerio", - "Unable to verify phone number.": "Nepavyko patvirtinti telefono numerio.", - "Discovery options will appear once you have added a phone number above.": "Radimo parinktys atsiras jums aukščiau pridėjus telefono numerį.", - "Phone Number": "Telefono Numeris", "Room Topic": "Kambario Tema", "Invalid homeserver discovery response": "Klaidingas serverio radimo atsakas", "Invalid identity server discovery response": "Klaidingas tapatybės serverio radimo atsakas", @@ -360,20 +275,11 @@ "Anchor": "Inkaras", "Headphones": "Ausinės", "Folder": "Aplankas", - "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į.", - "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.": "Tapatybės serverio naudojimas yra pasirinktinis. Jei jūs pasirinksite jo nenaudoti, jūs nebūsite randamas kitų vartotojų ir neturėsite galimybės pakviesti kitų nurodydamas el. paštą ar telefoną.", - "Do not use an identity server": "Nenaudoti tapatybės serverio", - "Error changing power level requirement": "Klaida keičiant galios lygio reikalavimą", - "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Keičiant kambario galios lygio reikalavimus įvyko klaida. Įsitikinkite, kad turite tam leidimą ir bandykite dar kartą.", - "Error changing power level": "Klaida keičiant galios lygį", - "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Keičiant vartotojo galios lygį įvyko klaida. Įsitikinkite, kad turite tam leidimą ir bandykite dar kartą.", "This user has not verified all of their sessions.": "Šis vartotojas nepatvirtino visų savo seansų.", "You have not verified this user.": "Jūs nepatvirtinote šio vartotojo.", "You have verified this user. This user has verified all of their sessions.": "Jūs patvirtinote šį vartotoją. Šis vartotojas patvirtino visus savo seansus.", "Everyone in this room is verified": "Visi šiame kambaryje yra patvirtinti", "Encrypted by a deleted session": "Užšifruota ištrinto seanso", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Nustatymuose naudokite tapatybės serverį, kad gautumėte pakvietimus tiesiai į %(brand)s.", "If you can't scan the code above, verify by comparing unique emoji.": "Jei nuskaityti aukščiau esančio kodo negalite, patvirtinkite palygindami unikalius jaustukus.", "You've successfully verified your device!": "Jūs sėkmingai patvirtinote savo įrenginį!", "You've successfully verified %(deviceName)s (%(deviceId)s)!": "Jūs sėkmingai patvirtinote %(deviceName)s (%(deviceId)s)!", @@ -398,13 +304,8 @@ "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.", "Failed to reject invitation": "Nepavyko atmesti pakvietimo", - "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.", "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.", - "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", "New published address (e.g. #alias:server)": "Naujas paskelbtas adresas (pvz.: #pavadinimas:server)", "Waiting for %(displayName)s to accept…": "Laukiama kol %(displayName)s sutiks…", "Your messages are secured and only you and the recipient have the unique keys to unlock them.": "Jūsų žinutės yra apsaugotos ir tik jūs ir gavėjas turite unikalius raktus joms atrakinti.", @@ -417,11 +318,6 @@ "Sign out and remove encryption keys?": "Atsijungti ir pašalinti šifravimo raktus?", "Confirm encryption setup": "Patvirtinti šifravimo sąranką", "Click the button below to confirm setting up encryption.": "Paspauskite mygtuką žemiau, kad patvirtintumėte šifravimo nustatymą.", - "Restore your key backup to upgrade your encryption": "Atkurkite savo atsarginę raktų kopiją, kad atnaujintumėte šifravimą", - "Upgrade your encryption": "Atnaujinkite savo šifravimą", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Tam, kad galėtumėte rasti ir tam, kad būtumėte randamas esamų, jums žinomų kontaktų, jūs šiuo metu naudojate tapatybės serverį. Jį pakeisti galite žemiau.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Šiuo metu jūs nenaudojate tapatybės serverio. Tam, kad galėtumėte rasti ir tam, kad būtumėte randamas esamų, jums žinomų kontaktų, pridėkite jį žemiau.", - "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.": "Atsijungimas nuo tapatybės serverio reikš, kad jūs nebebūsite randamas kitų vartotojų ir jūs nebegalėsite pakviesti kitų, naudodami jų el. paštą arba telefoną.", "Deactivate account": "Deaktyvuoti paskyrą", "Try scrolling up in the timeline to see if there are any earlier ones.": "Pabandykite slinkti aukštyn laiko juostoje, kad sužinotumėte, ar yra ankstesnių.", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Bandyta įkelti konkrečią vietą šio kambario laiko juostoje, bet jūs neturite leidimo peržiūrėti tos žinutės.", @@ -431,14 +327,8 @@ "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Šio seanso duomenų išvalymas yra negrįžtamas. Šifruotos žinutės bus prarastos, nebent buvo sukurta jų raktų atsarginė kopija.", "Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "Trūksta kai kurių seanso duomenų, įskaitant šifruotų žinučių raktus. Atsijunkite ir prisijunkite, kad tai išspręstumėte, atkurdami raktus iš atsarginės kopijos.", "Restoring keys from backup": "Raktų atkūrimas iš atsarginės kopijos", - "Unable to query secret storage status": "Slaptos saugyklos būsenos užklausa neįmanoma", - "Unable to set up secret storage": "Neįmanoma nustatyti slaptos saugyklos", - "Your keys are being backed up (the first backup could take a few minutes).": "Kuriama jūsų raktų atsarginė kopija (pirmas atsarginės kopijos sukūrimas gali užtrukti kelias minutes).", - "Create key backup": "Sukurti atsarginę raktų kopiją", - "Unable to create key backup": "Nepavyko sukurti atsarginės raktų kopijos", "Your homeserver has exceeded its user limit.": "Jūsų serveris pasiekė savo vartotojų limitą.", "Your homeserver has exceeded one of its resource limits.": "Jūsų serveris pasiekė vieną iš savo resursų limitų.", - "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ą.", "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.", @@ -446,17 +336,6 @@ "Notes": "Pastabos", "Integrations are disabled": "Integracijos yra išjungtos", "Integrations not allowed": "Integracijos neleidžiamos", - "Use a different passphrase?": "Naudoti kitą slaptafrazę?", - "New Recovery Method": "Naujas atgavimo metodas", - "This session is encrypting history using the new recovery method.": "Šis seansas šifruoja istoriją naudodamas naują atgavimo metodą.", - "Recovery Method Removed": "Atgavimo Metodas Pašalintas", - "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.": "Jei tai padarėte netyčia, šiame seanse galite nustatyti saugias žinutes, kurios pakartotinai užšifruos šio seanso žinučių istoriją nauju atgavimo metodu.", - "Room information": "Kambario informacija", - "Browse": "Naršyti", - "Set a new custom sound": "Nustatyti naują pasirinktinį garsą", - "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", "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", @@ -465,7 +344,6 @@ "Error updating main address": "Atnaujinant pagrindinį adresą įvyko klaida", "Published Addresses": "Paskelbti Adresai", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Atnaujinant kambario alternatyvius adresus įvyko klaida. Gali būti, kad serveris to neleidžia arba įvyko laikina klaida.", - "Room Addresses": "Kambario Adresai", "Room settings": "Kambario nustatymai", "Link to most recent message": "Nuoroda į naujausią žinutę", "Invite someone using their name, username (like ) or share this room.": "Pakviesti ką nors naudojant jų vardą, vartotojo vardą (pvz.: ) arba bendrinti šį kambarį.", @@ -477,19 +355,13 @@ "You can only pin up to %(count)s widgets": { "other": "Galite prisegti tik iki %(count)s valdiklių" }, - "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?", "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", - "Join the discussion": "Prisijungti prie diskusijos", - "Try to join anyway": "Vis tiek bandyti prisijungti", - "Re-join": "Prisijungti iš naujo", - "Join the conversation with an account": "Prisijunkite prie pokalbio su paskyra", "Join Room": "Prisijungti prie kambario", "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į", "Update any local room aliases to point to the new room": "Atnaujinkite vietinių kambarių slapyvardžius, kad nurodytumėte į naująjį kambarį", "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:": "Norint atnaujinti šį kambarį, reikia uždaryti esamą kambario instanciją ir vietoje jo sukurti naują kambarį. Norėdami suteikti kambario nariams kuo geresnę patirtį, mes:", @@ -497,7 +369,6 @@ "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", "You signed in to a new session without verifying it:": "Jūs prisijungėte prie naujo seanso, jo nepatvirtinę:", - "You can also set up Secure Backup & manage your keys in Settings.": "Jūs taip pat galite nustatyti Saugią Atsarginę Kopiją ir tvarkyti savo raktus Nustatymuose.", "Ok": "Gerai", "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?": "Šio vartotojo deaktyvavimas atjungs juos ir neleis jiems vėl prisijungti atgal. Taip pat jie išeis iš visų kambarių, kuriuose jie yra. Šis veiksmas negali būti atšauktas. Ar tikrai norite deaktyvuoti šį vartotoją?", "Not Trusted": "Nepatikimas", @@ -507,32 +378,18 @@ "one": "Pašalinti 1 žinutę", "other": "Pašalinti %(count)s žinutes(-ų)" }, - "Remove %(phone)s?": "Pašalinti %(phone)s?", - "Remove %(email)s?": "Pašalinti %(email)s?", "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ą", - "Ignored users": "Ignoruojami vartotojai", - "None": "Nė vienas", - "You should:": "Jūs turėtumėte:", - "Checking server": "Tikrinamas serveris", "Backup version:": "Atsarginės kopijos versija:", - "Forget this room": "Pamiršti šį kambarį", "This homeserver would like to make sure you are not a robot.": "Šis serveris norėtų įsitikinti, kad jūs nesate robotas.", "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", - "Room options": "Kambario parinktys", "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.", - "Confirm Security Phrase": "Patvirtinkite Slaptafrazę", - "Set a Security Phrase": "Nustatyti Slaptafrazę", - "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ė", "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ą", @@ -566,7 +423,6 @@ "Missing session data": "Trūksta seanso duomenų", "Successfully restored %(sessionCount)s keys": "Sėkmingai atkurti %(sessionCount)s raktai", "Reason (optional)": "Priežastis (nebūtina)", - "Reason: %(reason)s": "Priežastis: %(reason)s", "Preparing to download logs": "Ruošiamasi parsiųsti žurnalus", "Server Options": "Serverio Parinktys", "Your homeserver": "Jūsų serveris", @@ -614,10 +470,6 @@ "Brazil": "Brazilija", "Belgium": "Belgija", "Bangladesh": "Bangladešas", - "Confirm your Security Phrase": "Patvirtinkite savo Saugumo Frazę", - "Generate a Security Key": "Generuoti Saugumo Raktą", - "Save your Security Key": "Išsaugoti savo Saugumo Raktą", - "Go to Settings": "Eiti į Nustatymus", "Cancel search": "Atšaukti paiešką", "Can't load this message": "Nepavyko įkelti šios žinutės", "Submit logs": "Pateikti žurnalus", @@ -631,7 +483,6 @@ "Belarus": "Baltarusija", "Barbados": "Barbadosas", "Bahrain": "Bahreinas", - "Great! This Security Phrase looks strong enough.": "Puiku! Ši Saugumo Frazė atrodo pakankamai stipri.", "Failed to start livestream": "Nepavyko pradėti tiesioginės transliacijos", "Unable to start audio streaming.": "Nepavyksta pradėti garso transliacijos.", "Resend %(unsentCount)s reaction(s)": "Pakartotinai išsiųsti %(unsentCount)s reakciją (-as)", @@ -766,13 +617,6 @@ "Netherlands": "Nyderlandai", "Cayman Islands": "Kaimanų Salos", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Jūsų %(brand)s neleidžia jums naudoti integracijų tvarkyklės tam atlikti. Susisiekite su administratoriumi.", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Integracijų tvarkyklės gauna konfigūracijos duomenis ir jūsų vardu gali keisti valdiklius, siųsti kambario pakvietimus ir nustatyti galios lygius.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Naudokite integracijų tvarkyklę botų, valdiklių ir lipdukų paketų tvarkymui.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Naudokite integracijų tvarkyklę (%(serverName)s) botų, valdiklių ir lipdukų paketų tvarkymui.", - "Identity server (%(server)s)": "Tapatybės serveris (%(server)s)", - "Could not connect to identity server": "Nepavyko prisijungti prie tapatybės serverio", - "Not a valid identity server (status code %(code)s)": "Netinkamas tapatybės serveris (statuso kodas %(code)s)", - "Identity server URL must be HTTPS": "Tapatybės serverio URL privalo būti HTTPS", "Northern Mariana Islands": "Šiaurės Marianų salos", "Norfolk Island": "Norfolko sala", "Nepal": "Nepalas", @@ -780,9 +624,6 @@ "Myanmar": "Mianmaras", "Mozambique": "Mozambikas", "Bahamas": "Bahamų salos", - "Unable to share email address": "Nepavyko pasidalinti el. pašto adresu", - "Verification code": "Patvirtinimo kodas", - "Address": "Adresas", "Their device couldn't start the camera or microphone": "Jų įrenginys negalėjo įjungti kameros arba mikrofono", "Connection failed": "Nepavyko prisijungti", "Could not connect media": "Nepavyko prijungti medijos", @@ -872,49 +713,8 @@ "other": "%(count)s dalyviai" }, "Joined": "Prisijungta", - "Joining…": "Prisijungiama…", "Show Labs settings": "Rodyti laboratorijų nustatymus", - "To join, please enable video rooms in Labs first": "Norint prisijungti, pirmiausia įjunkite vaizdo kambarius laboratorijose", - "To view, please enable video rooms in Labs first": "Norint peržiūrėti, pirmiausia įjunkite vaizdo kambarius laboratorijose", - "To view %(roomName)s, you need an invite": "Norint peržiūrėti %(roomName)s, turite gauti kvietimą", " invites you": " kviečia jus", - "%(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.": "Bandant patekti į kambarį ar erdvę buvo grąžinta %(errcode)s. Jei manote, kad šią žinutę matote klaidingai, pateikite pranešimą apie klaidą.", - "Try again later, or ask a room or space admin to check if you have access.": "Pabandykite vėliau arba paprašykite kambario ar erdvės administratoriaus patikrinti, ar turite prieigą.", - "This room or space is not accessible at this time.": "Šiuo metu į šį kambarį ar erdvę negalima patekti.", - "Are you sure you're at the right place?": "Ar jūs tikri kad esate tinkamoje vietoje?", - "This room or space does not exist.": "Šis kambarys ar erdvė neegzistuoja.", - "There's no preview, would you like to join?": "Nėra išankstinės peržiūros, ar norėtumėte prisijungti?", - "Share this email in Settings to receive invites directly in %(brand)s.": "Bendrinkite šį el. pašto adresą nustatymuose, kad gautumėte kvietimus tiesiai į %(brand)s.", - "This invite was sent to %(email)s": "Šis kvietimas buvo išsiųstas į %(email)s", - "This invite to %(roomName)s was sent to %(email)s": "Šis kvietimas į %(roomName)s buvo išsiųstas į %(email)s", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Susiekite šį el. pašto adresą su savo paskyra nustatymuose, kad kvietimus gautumėte tiesiai į %(brand)s.", - "This invite was sent to %(email)s which is not associated with your account": "Šis kvietimas buvo išsiųstas į %(email)s, kuris nėra susijęs su jūsų paskyra", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Šis kvietimas į %(roomName)s buvo išsiųstas į %(email)s, kuris nėra susijęs su jūsų paskyra", - "You can still join here.": "Čia vis dar galite prisijungti.", - "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.": "Bandant patvirtinti jūsų kvietimą buvo grąžinta klaida (%(errcode)s). Galite pabandyti perduoti šią informaciją jus pakvietusiam asmeniui.", - "Something went wrong with your invite.": "Kažkas nepavyko su jūsų kvietimu.", - "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", - "Unable to revoke sharing for email address": "Nepavyksta atšaukti el. pašto adreso bendrinimo", - "Unknown failure": "Nežinomas sutrikimas", - "Failed to update the join rules": "Nepavyko atnaujinti prisijungimo taisyklių", - "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", - "@mentions & keywords": "@paminėjimai & raktažodžiai", - "Get notified for every message": "Būkite pranešti apie kiekvieną žinutę", - "Get notifications as set up in your settings": "Gaukite pranešimus, kaip nustatyta jūsų nustatymuose", - "Uploaded sound": "Įkeltas garsas", - "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.", - "Space information": "Erdvės informacija", - "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ą.", - "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!", - "Your password was successfully changed.": "Jūsų slaptažodis sėkmingai pakeistas.", "Explore public spaces in the new search dialog": "Tyrinėkite viešas erdves naujajame paieškos lange", "Reply in thread": "Atsakyti temoje", "Developer": "Kūrėjas", @@ -932,68 +732,16 @@ "Russia": "Rusija", "Poland": "Lenkija", "Lithuania": "Lietuva", - "Forget this space": "Pamiršti šią erdvę", - "You were removed by %(memberName)s": "Jus pašalino %(memberName)s", - "You were removed from %(roomName)s by %(memberName)s": "Jus iš %(roomName)s pašalino %(memberName)s", - "Loading preview": "Įkeliama peržiūra", - "Sign Up": "Registruotis", - "Join the room to participate": "Prisijunkite prie kambario ir dalyvaukite", - "Home options": "Pradžios parinktys", - "%(spaceName)s menu": "%(spaceName)s meniu", - "Currently removing messages in %(count)s rooms": { - "one": "Šiuo metu šalinamos žinutės iš %(count)s kambario", - "other": "Šiuo metu šalinamos žinutės iš %(count)s kambarių" - }, - "Currently joining %(count)s rooms": { - "one": "Šiuo metu prisijungiama prie %(count)s kambario", - "other": "Šiuo metu prisijungiama prie %(count)s kambarių" - }, - "Join public room": "Prisijungti prie viešo kambario", - "Add space": "Pridėti erdvę", - "Suggested Rooms": "Siūlomi kambariai", "Saved Items": "Išsaugoti daiktai", - "Explore public rooms": "Tyrinėti viešuosius kambarius", - "Add existing room": "Pridėti esamą kambarį", - "New video room": "Naujas vaizdo kambarys", - "New room": "Naujas kambarys", - "Add people": "Pridėti žmonių", - "Invite to space": "Pakviesti į erdvę", - "Start new chat": "Pradėti naują pokalbį", "%(count)s members": { "one": "%(count)s narys", "other": "%(count)s nariai" }, - "Private room": "Privatus kambarys", - "Private space": "Privati erdvė", - "Public room": "Viešas kambarys", - "Public space": "Vieša erdvė", - "Video room": "Vaizdo kambarys", - "No recently visited rooms": "Nėra neseniai lankytų kambarių", - "Recently visited rooms": "Neseniai lankyti kambariai", - "Replying": "Atsakoma", "Recently viewed": "Neseniai peržiūrėti", - "Read receipts": "Skaitymo kvitai", - "Seen by %(count)s people": { - "one": "Matė %(count)s žmogus", - "other": "Matė %(count)s žmonės" - }, "%(members)s and %(last)s": "%(members)s ir %(last)s", "%(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.", - "Insert link": "Įterpti nuorodą", - "Italics": "Kursyvas", - "Poll": "Apklausa", - "You do not have permission to start polls in this room.": "Jūs neturite leidimo pradėti apklausas šiame kambaryje.", - "Voice Message": "Balso žinutė", - "Hide stickers": "Slėpti lipdukus", "Send voice message": "Siųsti balso žinutę", - "Invite to this space": "Pakviesti į šią erdvę", - "Close preview": "Uždaryti peržiūrą", - "Show %(count)s other previews": { - "one": "Rodyti %(count)s kitą peržiūrą", - "other": "Rodyti %(count)s kitas peržiūras" - }, "Scroll to most recent messages": "Slinkite prie naujausių žinučių", "Failed to send": "Nepavyko išsiųsti", "Your message was sent": "Jūsų žinutė išsiųsta", @@ -1091,7 +839,17 @@ "general": "Bendrieji", "profile": "Profilis", "display_name": "Rodomas Vardas", - "user_avatar": "Profilio paveikslėlis" + "user_avatar": "Profilio paveikslėlis", + "authentication": "Autentifikavimas", + "public_room": "Viešas kambarys", + "video_room": "Vaizdo kambarys", + "public_space": "Vieša erdvė", + "private_space": "Privati erdvė", + "private_room": "Privatus kambarys", + "rooms": "Kambariai", + "low_priority": "Žemo prioriteto", + "historical": "Istoriniai", + "go_to_settings": "Eiti į Nustatymus" }, "action": { "continue": "Tęsti", @@ -1184,7 +942,16 @@ "unban": "Atblokuoti", "click_to_copy": "Spustelėkite kad nukopijuoti", "hide_advanced": "Paslėpti išplėstinius", - "show_advanced": "Rodyti išplėstinius" + "show_advanced": "Rodyti išplėstinius", + "unignore": "Nebeignoruoti", + "start_new_chat": "Pradėti naują pokalbį", + "invite_to_space": "Pakviesti į erdvę", + "add_people": "Pridėti žmonių", + "explore_rooms": "Žvalgyti kambarius", + "new_room": "Naujas kambarys", + "new_video_room": "Naujas vaizdo kambarys", + "add_existing_room": "Pridėti esamą kambarį", + "explore_public_rooms": "Tyrinėti viešuosius kambarius" }, "labs": { "video_rooms": "Vaizdo kambariai", @@ -1276,7 +1043,19 @@ "notification_description": "Kambario Pranešimas", "notification_a11y": "Pranešimo Automatinis Užbaigimas", "user_description": "Naudotojai" - } + }, + "room_upgraded_link": "Pokalbis tęsiasi čia.", + "room_upgraded_notice": "Šis kambarys buvo pakeistas ir daugiau nebėra aktyvus.", + "no_perms_notice": "Jūs neturite leidimų rašyti šiame kambaryje", + "send_button_voice_message": "Siųsti balso žinutę", + "close_sticker_picker": "Slėpti lipdukus", + "voice_message_button": "Balso žinutė", + "poll_button_no_perms_title": "Reikalingas Leidimas", + "poll_button_no_perms_description": "Jūs neturite leidimo pradėti apklausas šiame kambaryje.", + "poll_button": "Apklausa", + "format_italics": "Kursyvas", + "format_insert_link": "Įterpti nuorodą", + "replying_title": "Atsakoma" }, "Code": "Kodas", "power_level": { @@ -1460,7 +1239,14 @@ "inline_url_previews_room_account": "Įjungti URL nuorodų peržiūras šiame kambaryje (įtakoja tik jus)", "inline_url_previews_room": "Įjungti URL nuorodų peržiūras kaip numatytasias šiame kambaryje esantiems dalyviams", "voip": { - "mirror_local_feed": "Atkartoti lokalų video tiekimą" + "mirror_local_feed": "Atkartoti lokalų video tiekimą", + "missing_permissions_prompt": "Trūksta medijos leidimų, spustelėkite toliau esantį mygtuką kad pateikti užklausą.", + "request_permissions": "Prašyti medijos leidimų", + "audio_output": "Garso išvestis", + "audio_output_empty": "Neaptikta jokių garso išvesčių", + "audio_input_empty": "Neaptikta jokių mikrofonų", + "video_input_empty": "Neaptikta jokių kamerų", + "title": "Garsas ir Vaizdas" }, "send_read_receipts_unsupported": "Jūsų serveris nepalaiko skaitymo kvitų siuntimo išjungimo.", "security": { @@ -1522,7 +1308,11 @@ "key_backup_connect": "Prijungti šį seansą prie Atsarginės Raktų Kopijos", "key_backup_complete": "Atsarginės kopijos sukurtos visiems raktams", "key_backup_algorithm": "Algoritmas:", - "key_backup_inactive_warning": "Jūsų raktams nėra daromos atsarginės kopijos iš šio seanso." + "key_backup_inactive_warning": "Jūsų raktams nėra daromos atsarginės kopijos iš šio seanso.", + "key_backup_active_version_none": "Nė vienas", + "ignore_users_empty": "Nėra ignoruojamų naudotojų.", + "ignore_users_section": "Ignoruojami vartotojai", + "e2ee_default_disabled_warning": "Serverio administratorius išjungė visapusį šifravimą, kaip numatytą, privačiuose kambariuose ir Tiesioginėse Žinutėse." }, "preferences": { "room_list_heading": "Kambarių sąrašas", @@ -1612,7 +1402,41 @@ "add_msisdn_dialog_title": "Pridėti Telefono Numerį", "name_placeholder": "Nėra rodomo vardo", "error_saving_profile_title": "Nepavyko išsaugoti jūsų profilio", - "error_saving_profile": "Nepavyko užbaigti operacijos" + "error_saving_profile": "Nepavyko užbaigti operacijos", + "error_password_change_403": "Nepavyko pakeisti slaptažodžio. Ar jūsų slaptažodis teisingas?", + "password_change_success": "Jūsų slaptažodis sėkmingai pakeistas.", + "emails_heading": "El. pašto adresai", + "msisdns_heading": "Telefono numeriai", + "discovery_needs_terms": "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į.", + "deactivate_section": "Deaktyvuoti Paskyrą", + "account_management_section": "Paskyros tvarkymas", + "deactivate_warning": "Paskyros deaktyvavimas yra negrįžtamas veiksmas — būkite atsargūs!", + "discovery_section": "Radimas", + "error_revoke_email_discovery": "Nepavyksta atšaukti el. pašto adreso bendrinimo", + "error_share_email_discovery": "Nepavyko pasidalinti el. pašto adresu", + "email_not_verified": "Jūsų el. pašto adresas dar nebuvo patvirtintas", + "email_verification_instructions": "Paspauskite nuorodą gautame el. laiške, kad patvirtintumėte, tada dar kartą spustelėkite tęsti.", + "error_email_verification": "Nepavyko patvirtinti el. pašto adreso.", + "discovery_email_verification_instructions": "Patvirtinkite nuorodą savo el. pašto dėžutėje", + "discovery_email_empty": "Radimo parinktys atsiras jums aukščiau pridėjus el. pašto adresą.", + "error_revoke_msisdn_discovery": "Neina atšaukti telefono numerio bendrinimo", + "error_share_msisdn_discovery": "Neina bendrinti telefono numerio", + "error_msisdn_verification": "Nepavyko patvirtinti telefono numerio.", + "incorrect_msisdn_verification": "Neteisingas patvirtinimo kodas", + "msisdn_verification_instructions": "Įveskite patvirtinimo kodą išsiųstą teksto žinute.", + "msisdn_verification_field_label": "Patvirtinimo kodas", + "discovery_msisdn_empty": "Radimo parinktys atsiras jums aukščiau pridėjus telefono numerį.", + "error_set_name": "Nepavyko nustatyti rodomo vardo", + "error_remove_3pid": "Nepavyko pašalinti kontaktinės informacijos", + "remove_email_prompt": "Pašalinti %(email)s?", + "error_invalid_email": "Neteisingas el. pašto adresas", + "error_invalid_email_detail": "Tai nepanašu į teisingą el. pašto adresą", + "error_add_email": "Nepavyko pridėti el. pašto adreso", + "add_email_instructions": "Išsiuntėme jums el. laišką, kad patvirtintumėme savo adresą. Sekite ten pateiktas instrukcijas ir tada paspauskite žemiau esantį mygtuką.", + "email_address_label": "El. pašto adresas", + "remove_msisdn_prompt": "Pašalinti %(phone)s?", + "add_msisdn_instructions": "Teksto žinutė buvo išsiųsta numeriu +%(msisdn)s. Įveskite joje esantį patvirtinimo kodą.", + "msisdn_label": "Telefono Numeris" }, "sidebar": { "title": "Šoninė juosta", @@ -1625,6 +1449,42 @@ "metaspaces_orphans_description": "Sugrupuokite visus kambarius, kurie nėra erdvės dalis, į vieną vietą.", "metaspaces_home_all_rooms_description": "Rodyti visus savo kambarius pradžioje, net jei jie yra erdvėje.", "metaspaces_home_all_rooms": "Rodyti visus kambarius" + }, + "key_backup": { + "backup_in_progress": "Kuriama jūsų raktų atsarginė kopija (pirmas atsarginės kopijos sukūrimas gali užtrukti kelias minutes).", + "create_title": "Sukurti atsarginę raktų kopiją", + "cannot_create_backup": "Nepavyko sukurti atsarginės raktų kopijos", + "setup_secure_backup": { + "generate_security_key_title": "Generuoti Saugumo Raktą", + "enter_phrase_title": "Įveskite Slaptafrazę", + "requires_key_restore": "Atkurkite savo atsarginę raktų kopiją, kad atnaujintumėte šifravimą", + "session_upgrade_description": "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.", + "phrase_strong_enough": "Puiku! Ši Saugumo Frazė atrodo pakankamai stipri.", + "pass_phrase_match_success": "Tai sutampa!", + "use_different_passphrase": "Naudoti kitą slaptafrazę?", + "pass_phrase_match_failed": "Tai nesutampa.", + "set_phrase_again": "Grįžti atgal, kad nustatyti iš naujo.", + "confirm_security_phrase": "Patvirtinkite savo Saugumo Frazę", + "secret_storage_query_failure": "Slaptos saugyklos būsenos užklausa neįmanoma", + "settings_reminder": "Jūs taip pat galite nustatyti Saugią Atsarginę Kopiją ir tvarkyti savo raktus Nustatymuose.", + "title_upgrade_encryption": "Atnaujinkite savo šifravimą", + "title_set_phrase": "Nustatyti Slaptafrazę", + "title_confirm_phrase": "Patvirtinkite Slaptafrazę", + "title_save_key": "Išsaugoti savo Saugumo Raktą", + "unable_to_setup": "Neįmanoma nustatyti slaptos saugyklos", + "use_phrase_only_you_know": "Naudokite slaptafrazę, kurią žinote tik jūs ir pasirinktinai išsaugokite Apsaugos Raktą, naudoti kaip atsarginę kopiją." + } + }, + "key_export_import": { + "export_title": "Eksportuoti kambario raktus", + "export_description_1": "Šis procesas leidžia jums eksportuoti užšifruotuose kambariuose gautų žinučių raktus į lokalų failą. Tada jūs turėsite galimybę ateityje importuoti šį failą į kitą Matrix klientą, kad tas klientas taip pat galėtų iššifruoti tas žinutes.", + "enter_passphrase": "Įveskite slaptafrazę", + "confirm_passphrase": "Patvirtinkite slaptafrazę", + "phrase_cannot_be_empty": "Slaptafrazė negali būti tuščia", + "phrase_must_match": "Slaptafrazės privalo sutapti", + "import_title": "Importuoti kambario raktus", + "import_description_2": "Eksportavimo failas bus apsaugotas slaptafraze. Norėdami iššifruoti failą, čia turėtumėte įvesti slaptafrazę.", + "file_to_import": "Failas, kurį importuoti" } }, "devtools": { @@ -1927,7 +1787,19 @@ "context_menu": { "view_source": "Peržiūrėti šaltinį", "external_url": "Šaltinio URL adresas" - } + }, + "url_preview": { + "show_n_more": { + "one": "Rodyti %(count)s kitą peržiūrą", + "other": "Rodyti %(count)s kitas peržiūras" + }, + "close": "Uždaryti peržiūrą" + }, + "read_receipt_title": { + "one": "Matė %(count)s žmogus", + "other": "Matė %(count)s žmonės" + }, + "read_receipts_label": "Skaitymo kvitai" }, "slash_command": { "shrug": "Prideda ¯\\_(ツ)_/¯ prie paprasto teksto žinutės", @@ -2132,7 +2004,14 @@ "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" + "permissions_section_description_room": "Pasirinkite įvairių kambario dalių keitimui reikalingas roles", + "error_unbanning": "Nepavyko atblokuoti", + "banned_by": "Užblokuotas nuo %(displayName)s", + "ban_reason": "Priežastis", + "error_changing_pl_reqs_title": "Klaida keičiant galios lygio reikalavimą", + "error_changing_pl_reqs_description": "Keičiant kambario galios lygio reikalavimus įvyko klaida. Įsitikinkite, kad turite tam leidimą ir bandykite dar kartą.", + "error_changing_pl_title": "Klaida keičiant galios lygį", + "error_changing_pl_description": "Keičiant vartotojo galios lygį įvyko klaida. Įsitikinkite, kad turite tam leidimą ir bandykite dar kartą." }, "security": { "strict_encryption": "Niekada nesiųsti šifruotų žinučių nepatvirtintiems seansams šiame kambaryje iš šio seanso", @@ -2184,7 +2063,9 @@ "join_rule_upgrade_updating_spaces": { "one": "Atnaujinama erdvė...", "other": "Atnaujinamos erdvės... (%(progress)s iš %(count)s)" - } + }, + "error_join_rule_change_title": "Nepavyko atnaujinti prisijungimo taisyklių", + "error_join_rule_change_unknown": "Nežinomas sutrikimas" }, "general": { "publish_toggle": "Paskelbti šį kambarį viešai %(domain)s kambarių kataloge?", @@ -2198,7 +2079,9 @@ "error_save_space_settings": "Nepavyko išsaugoti erdvės nustatymų.", "description_space": "Redaguoti su savo erdve susijusius nustatymus.", "save": "Išsaugoti Pakeitimus", - "leave_space": "Palikti erdvę" + "leave_space": "Palikti erdvę", + "aliases_section": "Kambario Adresai", + "other_section": "Kitas" }, "advanced": { "unfederated": "Šis kambarys nėra pasiekiamas nuotoliniams Matrix serveriams", @@ -2208,7 +2091,9 @@ "room_predecessor": "Peržiūrėti senesnes žinutes %(roomName)s.", "room_id": "Vidinis kambario ID", "room_version_section": "Kambario versija", - "room_version": "Kambario versija:" + "room_version": "Kambario versija:", + "information_section_space": "Erdvės informacija", + "information_section_room": "Kambario informacija" }, "delete_avatar_label": "Ištrinti avatarą", "upload_avatar_label": "Įkelti pseudoportretą", @@ -2222,11 +2107,25 @@ "history_visibility_anyone_space": "Peržiūrėti erdvę", "history_visibility_anyone_space_description": "Leisti žmonėms peržiūrėti jūsų erdvę prieš prisijungiant.", "history_visibility_anyone_space_recommendation": "Rekomenduojama viešosiose erdvėse.", - "guest_access_label": "Įjungti svečių prieigą" + "guest_access_label": "Įjungti svečių prieigą", + "alias_section": "Adresas" }, "access": { "title": "Prieiga", "description_space": "Nuspręskite kas gali peržiūrėti ir prisijungti prie %(spaceName)s." + }, + "bridges": { + "description": "Šiame kambaryje žinutės perduodamos šioms platformoms. Sužinokite daugiau.", + "empty": "Šis kambarys neperduoda žinučių jokioms platformoms. Sužinokite daugiau.", + "title": "Tiltai" + }, + "notifications": { + "uploaded_sound": "Įkeltas garsas", + "settings_link": "Gaukite pranešimus, kaip nustatyta jūsų nustatymuose", + "sounds_section": "Garsai", + "notification_sound": "Pranešimo garsas", + "custom_sound_prompt": "Nustatyti naują pasirinktinį garsą", + "browse_button": "Naršyti" } }, "encryption": { @@ -2276,7 +2175,17 @@ "cross_signing_ready_no_backup": "Kryžminis pasirašymas paruoštas, tačiau raktai neturi atsarginės kopijos.", "cross_signing_untrusted": "Jūsų paskyra slaptoje saugykloje turi kryžminio pasirašymo tapatybę, bet šis seansas dar ja nepasitiki.", "cross_signing_not_ready": "Kryžminis pasirašymas nenustatytas.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Naujas atgavimo metodas", + "description_2": "Šis seansas šifruoja istoriją naudodamas naują atgavimo metodą.", + "warning": "Jei jūs nenustatėte naujo paskyros atgavimo metodo, gali būti, kad užpuolikas bando patekti į jūsų paskyrą. Nedelsiant nustatymuose pakeiskite savo paskyros slaptažodį ir nustatykite naują atgavimo metodą." + }, + "recovery_method_removed": { + "title": "Atgavimo Metodas Pašalintas", + "description_2": "Jei tai padarėte netyčia, šiame seanse galite nustatyti saugias žinutes, kurios pakartotinai užšifruos šio seanso žinučių istoriją nauju atgavimo metodu.", + "warning": "Jei jūs nepašalinote paskyros atgavimo metodo, gali būti, kad užpuolikas bando patekti į jūsų paskyrą. Nedelsiant nustatymuose pakeiskite savo paskyros slaptažodį ir nustatykite naują atgavimo metodą." + } }, "emoji": { "category_frequently_used": "Dažnai Naudojama", @@ -2406,7 +2315,23 @@ }, "show_less": "Rodyti mažiau", "notification_options": "Pranešimų parinktys", - "failed_remove_tag": "Nepavyko pašalinti žymos %(tagName)s iš kambario" + "failed_remove_tag": "Nepavyko pašalinti žymos %(tagName)s iš kambario", + "breadcrumbs_label": "Neseniai lankyti kambariai", + "breadcrumbs_empty": "Nėra neseniai lankytų kambarių", + "add_room_label": "Sukurti kambarį", + "suggested_rooms_heading": "Siūlomi kambariai", + "add_space_label": "Pridėti erdvę", + "join_public_room_label": "Prisijungti prie viešo kambario", + "joining_rooms_status": { + "one": "Šiuo metu prisijungiama prie %(count)s kambario", + "other": "Šiuo metu prisijungiama prie %(count)s kambarių" + }, + "redacting_messages_status": { + "one": "Šiuo metu šalinamos žinutės iš %(count)s kambario", + "other": "Šiuo metu šalinamos žinutės iš %(count)s kambarių" + }, + "space_menu_label": "%(spaceName)s meniu", + "home_menu_label": "Pradžios parinktys" }, "report_content": { "missing_reason": "Įrašykite kodėl pranešate.", @@ -2423,7 +2348,8 @@ "other": "%(count)s neperskaitytos žinutės." }, "unread_messages": "Neperskaitytos žinutės.", - "jump_first_invite": "Peršokti iki pirmo pakvietimo." + "jump_first_invite": "Peršokti iki pirmo pakvietimo.", + "room_name": "Kambarys %(name)s" }, "setting": { "help_about": { @@ -2580,7 +2506,8 @@ "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" + "lists_new_label": "Kambario ID arba draudimų sąrašo adresas", + "rules_empty": "Nė vienas" }, "create_space": { "name_required": "Prašome įvesti pavadinimą šiai erdvei", @@ -2634,8 +2561,61 @@ "favourite": "Mėgstamas", "copy_link": "Kopijuoti kambario nuorodą", "low_priority": "Žemo prioriteto", - "forget": "Pamiršti Kambarį" - } + "forget": "Pamiršti Kambarį", + "title": "Kambario parinktys" + }, + "invite_this_room": "Pakviesti į šį kambarį", + "header": { + "forget_room_button": "Pamiršti kambarį", + "hide_widgets_button": "Slėpti Valdiklius", + "show_widgets_button": "Rodyti Valdiklius" + }, + "joining": "Prisijungiama…", + "join_title": "Prisijunkite prie kambario ir dalyvaukite", + "join_title_account": "Prisijunkite prie pokalbio su paskyra", + "join_button_account": "Registruotis", + "loading_preview": "Įkeliama peržiūra", + "kicked_from_room_by": "Jus iš %(roomName)s pašalino %(memberName)s", + "kicked_by": "Jus pašalino %(memberName)s", + "kick_reason": "Priežastis: %(reason)s", + "forget_space": "Pamiršti šią erdvę", + "forget_room": "Pamiršti šį kambarį", + "rejoin_button": "Prisijungti iš naujo", + "banned_from_room_by": "%(memberName)s uždraudė jums lankytis %(roomName)s", + "banned_by": "Jus užblokavo %(memberName)s", + "3pid_invite_error_title_room": "Kažkas nepavyko su jūsų kvietimu į %(roomName)s", + "3pid_invite_error_title": "Kažkas nepavyko su jūsų kvietimu.", + "3pid_invite_error_description": "Bandant patvirtinti jūsų kvietimą buvo grąžinta klaida (%(errcode)s). Galite pabandyti perduoti šią informaciją jus pakvietusiam asmeniui.", + "3pid_invite_error_invite_subtitle": "Jūs galite prisijungti tik su veikiančiu pakvietimu.", + "3pid_invite_error_invite_action": "Vis tiek bandyti prisijungti", + "3pid_invite_error_public_subtitle": "Čia vis dar galite prisijungti.", + "join_the_discussion": "Prisijungti prie diskusijos", + "3pid_invite_email_not_found_account_room": "Šis kvietimas į %(roomName)s buvo išsiųstas į %(email)s, kuris nėra susijęs su jūsų paskyra", + "3pid_invite_email_not_found_account": "Šis kvietimas buvo išsiųstas į %(email)s, kuris nėra susijęs su jūsų paskyra", + "link_email_to_receive_3pid_invite": "Susiekite šį el. pašto adresą su savo paskyra nustatymuose, kad kvietimus gautumėte tiesiai į %(brand)s.", + "invite_sent_to_email_room": "Šis kvietimas į %(roomName)s buvo išsiųstas į %(email)s", + "invite_sent_to_email": "Šis kvietimas buvo išsiųstas į %(email)s", + "3pid_invite_no_is_subtitle": "Nustatymuose naudokite tapatybės serverį, kad gautumėte pakvietimus tiesiai į %(brand)s.", + "invite_email_mismatch_suggestion": "Bendrinkite šį el. pašto adresą nustatymuose, kad gautumėte kvietimus tiesiai į %(brand)s.", + "dm_invite_title": "Ar jūs norite kalbėtis su %(user)s?", + "dm_invite_subtitle": " nori kalbėtis", + "dm_invite_action": "Pradėti kalbėtis", + "invite_title": "Ar jūs norite prisijungti prie %(roomName)s kanalo?", + "invite_subtitle": " jus pakvietė", + "invite_reject_ignore": "Atmesti ir ignoruoti vartotoją", + "peek_join_prompt": "Jūs peržiūrite %(roomName)s. Norite prie jo prisijungti?", + "no_peek_join_prompt": "%(roomName)s negali būti peržiūrėtas. Ar jūs norite prie jo prisijungti?", + "no_peek_no_name_join_prompt": "Nėra išankstinės peržiūros, ar norėtumėte prisijungti?", + "not_found_title_name": "%(roomName)s neegzistuoja.", + "not_found_title": "Šis kambarys ar erdvė neegzistuoja.", + "not_found_subtitle": "Ar jūs tikri kad esate tinkamoje vietoje?", + "inaccessible_name": "%(roomName)s šiuo metu nėra pasiekiamas.", + "inaccessible": "Šiuo metu į šį kambarį ar erdvę negalima patekti.", + "inaccessible_subtitle_1": "Pabandykite vėliau arba paprašykite kambario ar erdvės administratoriaus patikrinti, ar turite prieigą.", + "inaccessible_subtitle_2": "Bandant patekti į kambarį ar erdvę buvo grąžinta %(errcode)s. Jei manote, kad šią žinutę matote klaidingai, pateikite pranešimą apie klaidą.", + "join_failed_needs_invite": "Norint peržiūrėti %(roomName)s, turite gauti kvietimą", + "view_failed_enable_video_rooms": "Norint peržiūrėti, pirmiausia įjunkite vaizdo kambarius laboratorijose", + "join_failed_enable_video_rooms": "Norint prisijungti, pirmiausia įjunkite vaizdo kambarius laboratorijose" }, "file_panel": { "peek_note": "Norėdami pamatyti jo failus, turite prisijungti prie kambario" @@ -2649,7 +2629,8 @@ "search_children": "Ieškoti %(spaceName)s", "invite_link": "Bendrinti pakvietimo nuorodą", "invite": "Pakviesti žmonių", - "invite_description": "Pakviesti su el. paštu arba naudotojo vardu" + "invite_description": "Pakviesti su el. paštu arba naudotojo vardu", + "invite_this_space": "Pakviesti į šią erdvę" }, "terms": { "integration_manager": "Naudoti botus, tiltus, valdiklius ir lipdukų pakuotes", @@ -2737,7 +2718,14 @@ "keyword_new": "Naujas raktažodis", "class_global": "Globalus", "class_other": "Kitas", - "mentions_keywords": "Paminėjimai & Raktažodžiai" + "mentions_keywords": "Paminėjimai & Raktažodžiai", + "default": "Numatytas", + "all_messages": "Visos žinutės", + "all_messages_description": "Būkite pranešti apie kiekvieną žinutę", + "mentions_and_keywords": "@paminėjimai & raktažodžiai", + "mentions_and_keywords_description": "Gaukite pranešimus tik apie paminėjimus ir raktinius žodžius, kaip nustatyta jūsų nustatymuose", + "mute_description": "Negausite jokių pranešimų", + "message_didnt_send": "Žinutė nebuvo išsiųsta. Spustelėkite norėdami gauti informacijos." }, "mobile_guide": { "toast_title": "Naudokite programėlę geresnei patirčiai", @@ -2763,6 +2751,43 @@ "a11y_jump_first_unread_room": "Peršokti į pirmą neperskaitytą kambarį.", "integration_manager": { "error_connecting_heading": "Neįmanoma prisijungti prie integracijų tvarkytuvo", - "error_connecting": "Integracijų tvarkytuvas yra išjungtas arba negali pasiekti jūsų serverio." + "error_connecting": "Integracijų tvarkytuvas yra išjungtas arba negali pasiekti jūsų serverio.", + "use_im_default": "Naudokite integracijų tvarkyklę (%(serverName)s) botų, valdiklių ir lipdukų paketų tvarkymui.", + "use_im": "Naudokite integracijų tvarkyklę botų, valdiklių ir lipdukų paketų tvarkymui.", + "manage_title": "Valdyti integracijas", + "explainer": "Integracijų tvarkyklės gauna konfigūracijos duomenis ir jūsų vardu gali keisti valdiklius, siųsti kambario pakvietimus ir nustatyti galios lygius." + }, + "identity_server": { + "url_not_https": "Tapatybės serverio URL privalo būti HTTPS", + "error_invalid": "Netinkamas tapatybės serveris (statuso kodas %(code)s)", + "error_connection": "Nepavyko prisijungti prie tapatybės serverio", + "checking": "Tikrinamas serveris", + "change": "Pakeisti tapatybės serverį", + "change_prompt": "Atsijungti nuo tapatybės serverio ir jo vietoje prisijungti prie ?", + "error_invalid_or_terms": "Nesutikta su paslaugų teikimo sąlygomis arba tapatybės serveris yra klaidingas.", + "no_terms": "Jūsų pasirinktas tapatybės serveris neturi jokių paslaugų teikimo sąlygų.", + "disconnect": "Atjungti tapatybės serverį", + "disconnect_server": "Atsijungti nuo tapatybės serverio ?", + "disconnect_offline_warning": "Prieš atsijungdami jūs turėtumėte pašalinti savo asmeninius duomenis iš tapatybės serverio . Deja, tapatybės serveris šiuo metu yra išjungtas arba nepasiekiamas.", + "suggestions": "Jūs turėtumėte:", + "suggestions_1": "patikrinti ar tarp jūsų naršyklės įskiepių nėra nieko kas galėtų blokuoti tapatybės serverį (pavyzdžiui \"Privacy Badger\")", + "suggestions_2": "susisiekti su tapatybės serverio administratoriais", + "suggestions_3": "palaukti ir bandyti vėliau dar kartą", + "disconnect_anyway": "Vis tiek atsijungti", + "disconnect_personal_data_warning_1": "Jūs vis dar dalijatės savo asmeniniais duomenimis tapatybės serveryje .", + "disconnect_personal_data_warning_2": "Prieš atsijungiant rekomenduojame iš tapatybės serverio pašalinti savo el. pašto adresus ir telefono numerius.", + "url": "Tapatybės serveris (%(server)s)", + "description_connected": "Tam, kad galėtumėte rasti ir tam, kad būtumėte randamas esamų, jums žinomų kontaktų, jūs šiuo metu naudojate tapatybės serverį. Jį pakeisti galite žemiau.", + "change_server_prompt": "Jei jūs nenorite naudoti serverio radimui ir tam, kad būtumėte randamas esamų, jums žinomų kontaktų, žemiau įveskite kitą tapatybės serverį.", + "description_disconnected": "Šiuo metu jūs nenaudojate tapatybės serverio. Tam, kad galėtumėte rasti ir tam, kad būtumėte randamas esamų, jums žinomų kontaktų, pridėkite jį žemiau.", + "disconnect_warning": "Atsijungimas nuo tapatybės serverio reikš, kad jūs nebebūsite randamas kitų vartotojų ir jūs nebegalėsite pakviesti kitų, naudodami jų el. paštą arba telefoną.", + "description_optional": "Tapatybės serverio naudojimas yra pasirinktinis. Jei jūs pasirinksite jo nenaudoti, jūs nebūsite randamas kitų vartotojų ir neturėsite galimybės pakviesti kitų nurodydamas el. paštą ar telefoną.", + "do_not_use": "Nenaudoti tapatybės serverio", + "url_field_label": "Pridėkite naują tapatybės serverį" + }, + "member_list": { + "invited_list_heading": "Pakviesta", + "filter_placeholder": "Filtruoti kambario dalyvius", + "power_label": "%(userName)s (galia %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/lv.json b/src/i18n/strings/lv.json index 0c741fb9a5..047fa28706 100644 --- a/src/i18n/strings/lv.json +++ b/src/i18n/strings/lv.json @@ -1,8 +1,5 @@ { "Admin Tools": "Administratora rīki", - "No Microphones detected": "Nav mikrofonu", - "No Webcams detected": "Nav webkameru", - "Authentication": "Autentifikācija", "%(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.", @@ -10,51 +7,34 @@ "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?", "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 address": "Epasta adrese", - "Enter passphrase": "Ievadiet frāzveida paroli", "Error decrypting attachment": "Kļūda atšifrējot pielikumu", "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?", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Tu nevarēsi atcelt šo darbību, jo šim lietotājam piešķir tādu pašu statusa līmeni, kāds ir Tev.", "Failed to forget room %(errCode)s": "Neizdevās \"aizmirst\" istabu %(errCode)s", "Failed to load timeline position": "Neizdevās ielādēt laikpaziņojumu pozīciju", "Failed to mute user": "Neizdevās apklusināt lietotāju", "Failed to reject invite": "Neizdevās noraidīt uzaicinājumu", "Failed to reject invitation": "Neizdevās noraidīt uzaicinājumu", - "Failed to set display name": "Neizdevās iestatīt parādāmo vārdu", - "Failed to unban": "Neizdevās atbanot/atbloķēt (atcelt pieejas liegumu)", - "Filter room members": "Atfiltrēt istabas dalībniekus", - "Forget room": "Aizmirst istabu", - "Historical": "Bijušie", "Home": "Mājup", - "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", "Join Room": "Pievienoties istabai", "Jump to first unread message.": "Pāriet uz pirmo neizlasīto ziņu.", - "Low priority": "Zema prioritāte", "Moderator": "Moderators", "New passwords must match each other.": "Jaunajām parolēm ir jāsakrīt vienai ar otru.", "not specified": "nav noteikts", "No more results": "Vairāk nekādu rezultātu nav", "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\".", - "Reason": "Iemesls", "Reject invitation": "Noraidīt uzaicinājumu", "Return to login screen": "Atgriezties uz pierakstīšanās lapu", "This will allow you to reset your password and receive notifications.": "Tas atļaus Tev atiestatīt paroli un saņemt paziņojumus.", - "%(roomName)s does not exist.": "%(roomName)s neeksistē.", - "%(roomName)s is not accessible at this time.": "%(roomName)s šobrīd nav pieejama.", "Uploading %(filename)s": "Tiek augšupielādēts %(filename)s", "Uploading %(filename)s and %(count)s others": { "one": "Tiek augšupielādēts %(filename)s un %(count)s citi", "other": "Tiek augšupielādēts %(filename)s un %(count)s citi" }, - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (tiesību līmenis %(powerLevelNumber)s)", "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(time)s", "%(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", @@ -63,22 +43,16 @@ "other": "(~%(count)s rezultāti)" }, "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?": "Notiek Tevis novirzīšana uz ārēju trešās puses vietni. Tu vari atļaut savam kontam piekļuvi ar %(integrationsUrl)s. Vai vēlies turpināt?", - "Rooms": "Istabas", "Search failed": "Meklēšana neizdevās", "Server may be unavailable, overloaded, or search timed out :(": "Serveris izskatās nesasniedzams, ir pārslogots, vai arī meklēšana beigusies ar savienojuma noildzi :(", "Session ID": "Sesijas ID", "This room has no local addresses": "Šai istabai nav lokālo adrešu", - "This doesn't appear to be a valid email address": "Šī neizskatās pēc derīgas epasta adreses", "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", - "Unable to remove contact information": "Neizdevās dzēst kontaktinformāciju", - "Unable to verify email address.": "Neizdevās apstiprināt epasta adresi.", "unknown error code": "nezināms kļūdas kods", "Create new room": "Izveidot jaunu istabu", "Verification Pending": "Gaida verifikāciju", "Warning!": "Brīdinājums!", - "You do not have permission to post to this room": "Tev nav vajadzīgo atļauju, lai rakstītu ziņas šajā istabā", "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?", "You seem to be uploading files, are you sure you want to quit?": "Izskatās, ka šobrīd notiek failu augšupielāde. Vai tiešām vēlaties iziet?", "Sun": "Sv.", @@ -102,15 +76,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.", - "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", - "Confirm passphrase": "Apstipriniet frāzveida paroli", - "Import room keys": "Importēt istabas atslēgas", - "File to import": "Importējamais fails", - "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.", "Confirm Removal": "Apstipriniet dzēšanu", "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ā.", @@ -128,14 +93,11 @@ "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s", "Restricted": "Ierobežots", "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 nevarēsiet atcelt šīs izmaiņas pēc sava statusa pazemināšanas. Gadījumā, ja esat pēdējais priviliģētais lietotājs istabā, būs neiespējami atgūt šīs privilēģijas.", - "Unignore": "Atcelt ignorēšanu", "Jump to read receipt": "Pāriet uz pēdējo skatīto ziņu", "%(duration)ss": "%(duration)s sek", "%(duration)sm": "%(duration)smin", "%(duration)sh": "%(duration)s stundas", "%(duration)sd": "%(duration)s dienas", - "Replying": "Atbildot uz", - "Banned by %(displayName)s": "%(displayName)s liedzis pieeju", "Delete Widget": "Dzēst vidžetu", "collapse": "sakļaut", "expand": "izvērst", @@ -160,13 +122,10 @@ "All Rooms": "Visās istabās", "Wednesday": "Trešdiena", "You cannot delete this message. (%(code)s)": "Tu nevari dzēst šo ziņu. (%(code)s)", - "All messages": "Visas ziņas", - "Invite to this room": "Uzaicināt uz šo istabu", "Thursday": "Ceturtdiena", "Logs sent": "Logfaili nosūtīti", "Yesterday": "Vakardien", "Thank you!": "Tencinam!", - "Permission Required": "Nepieciešama atļauja", "You sent a verification request": "Jūs nosūtījāt verifikācijas pieprasījumu", "Start Verification": "Uzsākt verifikāciju", "Hide verified sessions": "Slēpt verificētas sesijas", @@ -191,12 +150,9 @@ }, "Encryption not enabled": "Šifrēšana nav iespējota", "Use the Desktop app to search encrypted messages": "Izmantojiet lietotni, lai veiktu šifrētu ziņu meklēšanu", - "None": "Neviena", - "Room options": "Istabas opcijas", "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", - "Room information": "Informācija par istabu", "The server is offline.": "Serveris bezsaistē.", "If you've forgotten your Security Phrase you can use your Security Key or set up new recovery options": "Ja ir aizmirsta slepenā frāze, jūs varat izmantot drošības atslēgu vaiiestatīt jaunus atkopšanas veidus", "If you've forgotten your Security Key you can ": "Ja ir aizmirsta drošības atslēga, jūs varat ", @@ -205,23 +161,15 @@ "Remove recent messages by %(user)s": "Dzēst nesenās ziņas no %(user)s", "Remove recent messages": "Dzēst nesenās ziņas", "Banana": "Banāns", - "You were banned from %(roomName)s by %(memberName)s": "%(memberName)s liedza jums pieeju %(roomName)s", "Lebanon": "Libāna", "Bangladesh": "Bangladeša", "Albania": "Albānija", "Confirm to continue": "Apstipriniet, lai turpinātu", "Confirm account deactivation": "Apstipriniet konta deaktivizēšanu", - "Use a different passphrase?": "Izmantot citu frāzveida paroli?", - "Great! This Security Phrase looks strong enough.": "Lieliski! Šī slepenā frāze šķiet pietiekami sarežgīta.", - "Confirm your Security Phrase": "Apstipriniet savu slepeno frāzi", - "Set a Security Phrase": "Iestatiet slepeno frāzi", - "Enter a Security Phrase": "Ievadiet slepeno frāzi", "Incorrect Security Phrase": "Nepareiza slepenā frāze", "Security Phrase": "Slepenā frāze", "Join millions for free on the largest public server": "Pievienojieties bez maksas miljoniem lietotāju lielākajā publiskajā serverī", "Server Options": "Servera parametri", - " invited you": " uzaicināja jūs", - " wants to chat": " vēlas sarakstīties", "Afghanistan": "Afganistāna", "United States": "Amerikas Savienotās Valstis", "United Kingdom": "Lielbritānija", @@ -237,20 +185,8 @@ "You accepted": "Jūs akceptējāt", "IRC display name width": "IRC parādāmā vārda platums", "%(displayName)s cancelled verification.": "%(displayName)s atcēla verificēšanu.", - "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.", "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", - "Phone Number": "Tālruņa numurs", - "Phone numbers": "Tālruņa numuri", - "Email Address": "Epasta adrese", - "Email addresses": "Epasta adreses", - "Browse": "Pārlūkot", - "Notification sound": "Paziņojumu skaņas signāli", - "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", "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)", @@ -262,9 +198,7 @@ "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Notikusi kļūda, mēģinot atjaunināt istabas galveno adresi. Iespējams, tas ir liegts servera iestatījumos vai arī notikusi kāda pagaidu kļūme.", "Error updating main address": "Kļūda galvenās adreses atjaunināšanā", "This address is available to use": "Šī adrese ir pieejama", - "Room Addresses": "Istabas adreses", "Room Topic": "Istabas temats", - "Room %(name)s": "Istaba %(name)s", "Room Name": "Istabas nosaukums", "General failure": "Vispārīga kļūda", "Recently Direct Messaged": "Nesenās tiešās sarakstes", @@ -284,31 +218,16 @@ "Start a conversation with someone using their name or username (like ).": "Uzsāciet sarunu ar citiem, izmantojot vārdu vai lietotājvārdu (piemērs - ).", "Start a conversation with someone using their name, email address or username (like ).": "Uzsāciet sarunu ar citiem, izmantojot vārdu, epasta adresi vai lietotājvārdu (piemērs - ).", "Use your Security Key to continue.": "Izmantojiet savu drošības atslēgu, lai turpinātu.", - "Save your Security Key": "Saglabājiet savu drošības atslēgu", - "Generate a Security Key": "Ģenerēt drošības atslēgu", "Enter Security Key": "Ievadiet drošības atslēgu", "Security Key mismatch": "Drošības atslēgas atšķiras", "Invalid Security Key": "Kļūdaina drošības atslēga", "Wrong Security Key": "Nepareiza drošības atslēga", "Security Key": "Drošības atslēga", - "Start chatting": "Uzsākt saraksti", - "Reject & Ignore user": "Noraidīt un ignorēt lietotāju", - "Do you want to chat with %(user)s?": "Vai vēlaties sarakstīties ar %(user)s?", - "Explore rooms": "Pārlūkot istabas", - "Confirm Security Phrase": "Apstipriniet slepeno frāzi", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Nodrošinieties pret piekļuves zaudēšanu šifrētām ziņām un datiem, dublējot šifrēšanas atslēgas savā serverī.", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Izmantojiet tikai jums zināmu slepeno frāzi un pēc izvēles saglabājiet drošības atslēgu, lai to izmantotu dublēšanai.", - "Go back to set it again.": "Atgriezties, lai iestatītu atkārtoti.", - "That doesn't match.": "Nesakrīt.", - "That matches!": "Sakrīt!", - "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", "Your password has been reset.": "Jūsu parole ir atiestatīta.", "Could not load user profile": "Nevarēja ielādēt lietotāja profilu", "Couldn't load page": "Neizdevās ielādēt lapu", "Sign in with SSO": "Pierakstieties, izmantojot SSO", "Session key": "Sesijas atslēga", - "Account management": "Konta pārvaldība", "Ok": "Labi", "Your homeserver has exceeded one of its resource limits.": "Jūsu bāzes serverī ir pārsniegts limits kādam no resursiem.", "Your homeserver has exceeded its user limit.": "Jūsu bāzes serverī ir pārsniegts lietotāju limits.", @@ -353,12 +272,6 @@ "Demote": "Pazemināt", "Demote yourself?": "Pazemināt sevi?", "Accepting…": "Akceptē…", - "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s priekšskatījums nav pieejams. Vai vēlaties tai pievienoties?", - "Add existing room": "Pievienot eksistējošu istabu", - "Add room": "Pievienot istabu", - "Invite to this space": "Uzaicināt uz šo vietu", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Teksta ziņa tika nosūtīta uz +%(msisdn)s. Lūdzu, ievadiet tajā esošo verifikācijas kodu.", - "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Piekrītiet identitāšu servera (%(serverName)s) pakalpojumu sniegšanas noteikumiem, lai padarītu sevi atrodamu citiem, izmantojot epasta adresi vai tālruņa numuru.", "Create a space": "Izveidot vietu", "Anchor": "Enkurs", "Aeroplane": "Aeroplāns", @@ -387,11 +300,7 @@ "You don't have permission to delete the address.": "Jums nav atļaujas dzēst adresi.", "Add some now": "Pievienot kādu tagad", "You don't currently have any stickerpacks enabled": "Neviena uzlīmju paka nav iespējota", - "This invite to %(roomName)s was sent to %(email)s": "Šis uzaicinājums uz %(roomName)s tika nosūtīts %(email)s", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Šis uzaicinājums uz %(roomName)s tika nosūtīts %(email)s, kas nav saistīts ar jūsu kontu", "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?", "You signed in to a new session without verifying it:": "Jūs pierakstījāties jaunā sesijā, neveicot tās verifikāciju:", "%(count)s people you know have already joined": { "other": "%(count)s pazīstami cilvēki ir jau pievienojusies", @@ -404,7 +313,6 @@ "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)", - "Could not connect to identity server": "Neizdevās pieslēgties identitāšu serverim", "Zimbabwe": "Zimbabve", "Zambia": "Zambija", "Yemen": "Jemena", @@ -641,7 +549,6 @@ "Sending": "Sūta", "Can't load this message": "Nevar ielādēt šo ziņu", "Send voice message": "Sūtīt balss ziņu", - "Address": "Adrese", "Forgotten or lost all recovery methods? Reset all": "Aizmirsāt vai pazaudējāt visas atkopšanās iespējas? Atiestatiet visu", "Link to most recent message": "Saite uz jaunāko ziņu", "Share Room": "Dalīties ar istabu", @@ -651,21 +558,12 @@ "Some suggestions may be hidden for privacy.": "Daži ieteikumi var būt slēpti dēļ privātuma.", "Search for rooms or people": "Meklēt istabas vai cilvēkus", "Message preview": "Ziņas priekšskatījums", - "Public room": "Publiska istaba", "Search for rooms": "Meklēt istabas", "Server name": "Servera nosaukums", "Enter the name of a new server you want to explore.": "Ievadiet nosaukumu jaunam serverim, kuru vēlaties pārlūkot.", "Show image": "Rādīt attēlu", "Call back": "Atzvanīt", "Call declined": "Zvans noraidīts", - "Join the discussion": "Pievienoties diskusijai", - "Forget this room": "Aizmirst šo istabu", - "Explore public rooms": "Pārlūkot publiskas istabas", - "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" - }, - "Enter a new identity server": "Ievadiet jaunu identitāšu serveri", "Corn": "Kukurūza", "Final result based on %(count)s votes": { "one": "Gala rezultāts pamatojoties uz %(count)s balss", @@ -680,7 +578,6 @@ "You may contact me if you have any follow up questions": "Ja jums ir kādi papildjautājumi, varat sazināties ar mani", "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ā.", "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.", @@ -688,7 +585,6 @@ "Failed to end poll": "Neizdevās pārtraukt aptauju", "Can't edit poll": "Nevar rediģēt aptauju", "End Poll": "Pārtraukt aptauju", - "Poll": "Aptauja", "Open in OpenStreetMap": "Atvērt ar OpenStreetMap", "You need to have the right permissions in order to share locations in this room.": "Jums ir jābūt pietiekāmām piekļuves tiesībām, lai kopīgotu atrašanās vietas šajā istabā.", "An error occurred whilst sharing your live location, please try again": "Notika kļūda, kopīgojot reāllaika atrašanās vietu, lūdzu, mēģiniet vēlreiz", @@ -713,12 +609,10 @@ "We were unable to access your microphone. Please check your browser settings and try again.": "Mēs nevarējām piekļūt jūsu mikrofonam. Lūdzu, pārbaudiet pārlūkprogrammas iestatījumus un mēģiniet vēlreiz.", "Unable to access your microphone": "Nevar piekļūt mikrofonam", "Error processing voice message": "Balss ziņas apstrādes kļūda", - "Voice Message": "Balss ziņa", "Nothing pinned, yet": "Vēl nekas nav piesprausts", "Pinned messages": "Piespraustās ziņas", "Pinned": "Piesprausts", "This file is too large to upload. The file size limit is %(limit)s but this file is %(sizeOfThisFile)s.": "Šis fails ir pārlieku liels, lai to augšupielādētu. Faila izmēra ierobežojums ir %(limit)s, bet šis fails ir %(sizeOfThisFile)s.", - "Space information": "Informācija par vietu", "Information": "Informācija", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Nevar atrast zemāk norādīto Matrix ID profilus - vai tomēr vēlaties tos uzaicināt?", "Some files are too large to be uploaded. The file size limit is %(limit)s.": "Daži faili ir pārlieku lieli, lai tos augšupielādētu. Faila izmēra ierobežojums ir %(limit)s.", @@ -729,15 +623,12 @@ }, "Files": "Faili", "To join a space you'll need an invite.": "Lai pievienotos vietai, ir nepieciešams uzaicinājums.", - "Join public room": "Pievienoties publiskai istabai", "Update any local room aliases to point to the new room": "Atjaunināt jebkurus vietējās istabas aizstājvārdus, lai tie norādītu uz jauno istabu", "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", "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", - "New room": "Jauna istaba", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Pārlūkprogrammas krātuves dzēšana var atrisināt problēmu, taču tas nozīmē, ka jūs izrakstīsieties un šifrēto čata vēsturi vairs nebūs iespējams nolasīt.", "Clear Storage and Sign Out": "Iztīrīt krātuvi un izrakstīties", "Clear cache and resync": "Iztīrīt kešatmiņu un atkārtoti sinhronizēt", @@ -750,7 +641,6 @@ "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.", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Savienojiet iestatījumos šo e-pasta adresi ar savu kontu, lai uzaicinājumus saņemtu tieši %(brand)s.", "If you can't see who you're looking for, send them your invite link.": "Ja neredzat meklēto personu, nosūtiet tai uzaicinājuma saiti.", "Copy invite link": "Kopēt uzaicinājuma saiti", "Some results may be hidden for privacy": "Daži rezultāti var būt slēpti dēļ privātuma", @@ -768,7 +658,6 @@ "Search for spaces": "Meklēt vietas", "Recently viewed": "Nesen skatītie", "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", "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", @@ -830,7 +719,12 @@ "advanced": "Papildu", "general": "Vispārīgi", "profile": "Profils", - "display_name": "Parādāmais vārds" + "display_name": "Parādāmais vārds", + "authentication": "Autentifikācija", + "public_room": "Publiska istaba", + "rooms": "Istabas", + "low_priority": "Zema prioritāte", + "historical": "Bijušie" }, "action": { "continue": "Turpināt", @@ -901,7 +795,14 @@ "clear": "Notīrīt", "unban": "Atcelt pieejas liegumu", "hide_advanced": "Slēpt papildu iestatījumus", - "show_advanced": "Rādīt papildu iestatījumus" + "show_advanced": "Rādīt papildu iestatījumus", + "unignore": "Atcelt ignorēšanu", + "start_new_chat": "Uzsākt jaunu čatu", + "explore_rooms": "Pārlūkot istabas", + "new_room": "Jauna istaba", + "new_video_room": "Jauna video istaba", + "add_existing_room": "Pievienot eksistējošu istabu", + "explore_public_rooms": "Pārlūkot publiskas istabas" }, "a11y": { "user_menu": "Lietotāja izvēlne", @@ -912,7 +813,8 @@ "n_unread_messages": { "one": "1 nelasīta ziņa.", "other": "%(count)s nelasītas ziņas." - } + }, + "room_name": "Istaba %(name)s" }, "labs": { "pinning": "Ziņu piespraušana", @@ -946,7 +848,14 @@ "room_a11y": "Istabu automātiska pabeigšana", "user_description": "Lietotāji", "user_a11y": "Lietotāju automātiska pabeigšana" - } + }, + "no_perms_notice": "Tev nav vajadzīgo atļauju, lai rakstītu ziņas šajā istabā", + "send_button_voice_message": "Sūtīt balss ziņu", + "voice_message_button": "Balss ziņa", + "poll_button_no_perms_title": "Nepieciešama atļauja", + "poll_button_no_perms_description": "Jums nav atļaujas uzsākt aptaujas šajā istabā.", + "poll_button": "Aptauja", + "replying_title": "Atbildot uz" }, "Code": "Kods", "power_level": { @@ -1053,7 +962,9 @@ "inline_url_previews_room_account": "Iespējot URL priekšskatījumus šajā istabā (ietekmē tikai jūs pašu)", "inline_url_previews_room": "Iespējot URL priekšskatījumus pēc noklusējuma visiem šīs istabas dalībniekiem", "voip": { - "mirror_local_feed": "Rādīt spoguļskatā kameras video" + "mirror_local_feed": "Rādīt spoguļskatā kameras video", + "audio_input_empty": "Nav mikrofonu", + "video_input_empty": "Nav webkameru" }, "security": { "message_search_indexing": "Pašlaik indeksē: %(currentRoom)s", @@ -1073,7 +984,8 @@ "bulk_options_reject_all_invites": "Noraidīt visus %(invitedRooms)s uzaicinājumus", "message_search_section": "Ziņu meklēšana", "encryption_individual_verification_mode": "Uzskatīt par uzticamām tikai individuāli verificētas lietotāja sesijas, nepaļaujoties uz ierīču cross-signing funkcionalitāti.", - "key_backup_algorithm": "Algoritms:" + "key_backup_algorithm": "Algoritms:", + "key_backup_active_version_none": "Neviena" }, "preferences": { "room_list_heading": "Istabu saraksts", @@ -1102,10 +1014,57 @@ "add_msisdn_confirm_body": "Jānospiež zemāk esošā poga, lai apstiprinātu šī tālruņa numura pievienošanu.", "add_msisdn_dialog_title": "Pievienot tālruņa numuru", "name_placeholder": "Nav parādāmā vārda", - "error_saving_profile_title": "Neizdevās salabāt jūsu profilu" + "error_saving_profile_title": "Neizdevās salabāt jūsu profilu", + "error_password_change_403": "Neizdevās nomainīt paroli. Vai tā ir pareiza?", + "emails_heading": "Epasta adreses", + "msisdns_heading": "Tālruņa numuri", + "discovery_needs_terms": "Piekrītiet identitāšu servera (%(serverName)s) pakalpojumu sniegšanas noteikumiem, lai padarītu sevi atrodamu citiem, izmantojot epasta adresi vai tālruņa numuru.", + "deactivate_section": "Deaktivizēt kontu", + "account_management_section": "Konta pārvaldība", + "error_email_verification": "Neizdevās apstiprināt epasta adresi.", + "incorrect_msisdn_verification": "Nepareizs verifikācijas kods", + "error_set_name": "Neizdevās iestatīt parādāmo vārdu", + "error_remove_3pid": "Neizdevās dzēst kontaktinformāciju", + "remove_email_prompt": "Dēst %(email)s?", + "error_invalid_email": "Nepareiza epasta adrese", + "error_invalid_email_detail": "Šī neizskatās pēc derīgas epasta adreses", + "error_add_email": "Neizdevās pievienot epasta adresi", + "email_address_label": "Epasta adrese", + "remove_msisdn_prompt": "Dzēst %(phone)s?", + "add_msisdn_instructions": "Teksta ziņa tika nosūtīta uz +%(msisdn)s. Lūdzu, ievadiet tajā esošo verifikācijas kodu.", + "msisdn_label": "Tālruņa numurs" }, "sidebar": { "metaspaces_home_all_rooms": "Rādīt visas istabas" + }, + "key_backup": { + "setup_secure_backup": { + "generate_security_key_title": "Ģenerēt drošības atslēgu", + "enter_phrase_title": "Ievadiet slepeno frāzi", + "description": "Nodrošinieties pret piekļuves zaudēšanu šifrētām ziņām un datiem, dublējot šifrēšanas atslēgas savā serverī.", + "phrase_strong_enough": "Lieliski! Šī slepenā frāze šķiet pietiekami sarežgīta.", + "pass_phrase_match_success": "Sakrīt!", + "use_different_passphrase": "Izmantot citu frāzveida paroli?", + "pass_phrase_match_failed": "Nesakrīt.", + "set_phrase_again": "Atgriezties, lai iestatītu atkārtoti.", + "confirm_security_phrase": "Apstipriniet savu slepeno frāzi", + "title_set_phrase": "Iestatiet slepeno frāzi", + "title_confirm_phrase": "Apstipriniet slepeno frāzi", + "title_save_key": "Saglabājiet savu drošības atslēgu", + "use_phrase_only_you_know": "Izmantojiet tikai jums zināmu slepeno frāzi un pēc izvēles saglabājiet drošības atslēgu, lai to izmantotu dublēšanai." + } + }, + "key_export_import": { + "export_title": "Eksportēt istabas atslēgas", + "export_description_1": "Šī 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.", + "enter_passphrase": "Ievadiet frāzveida paroli", + "confirm_passphrase": "Apstipriniet frāzveida paroli", + "phrase_cannot_be_empty": "Frāzveida parole nevar būt tukša", + "phrase_must_match": "Frāzveida parolēm ir jāsakrīt", + "import_title": "Importēt istabas atslēgas", + "import_description_1": "Š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.", + "import_description_2": "Eksporta fails būs aizsargāts ar frāzveida paroli. Tā ir jāievada šeit, lai atšifrētu failu.", + "file_to_import": "Importējamais fails" } }, "devtools": { @@ -1398,6 +1357,12 @@ "view_source": "Skatīt pirmkodu", "show_url_preview": "Rādīt priekšskatījumu", "external_url": "Avota URL adrese" + }, + "url_preview": { + "show_n_more": { + "one": "Rādīt %(count)s citu priekšskatījumu", + "other": "Rādīt %(count)s citus priekšskatījumus" + } } }, "slash_command": { @@ -1558,7 +1523,10 @@ "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" + "permissions_section_description_room": "Izvēlieties lomas, kas nepieciešamas, lai mainītu dažādus istabas parametrus", + "error_unbanning": "Neizdevās atbanot/atbloķēt (atcelt pieejas liegumu)", + "banned_by": "%(displayName)s liedzis pieeju", + "ban_reason": "Iemesls" }, "security": { "strict_encryption": "Nesūtīt šifrētas ziņas no šīs sesijas neverificētām sesijām šajā istabā", @@ -1593,12 +1561,16 @@ "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", - "save": "Saglabāt izmaiņas" + "save": "Saglabāt izmaiņas", + "aliases_section": "Istabas adreses", + "other_section": "Citi" }, "advanced": { "unfederated": "Šī istaba nav pieejama no citiem Matrix serveriem", "room_version_section": "Istabas versija", - "room_version": "Istabas versija:" + "room_version": "Istabas versija:", + "information_section_space": "Informācija par vietu", + "information_section_room": "Informācija par istabu" }, "upload_avatar_label": "Augšupielādēt avataru", "access": { @@ -1606,7 +1578,15 @@ "description_space": "Nosakiet, kas var skatīt un pievienoties %(spaceName)s." }, "visibility": { - "guest_access_label": "Iespējot piekļuvi viesiem" + "guest_access_label": "Iespējot piekļuvi viesiem", + "alias_section": "Adrese" + }, + "notifications": { + "uploaded_sound": "Augšupielādētie skaņas signāli", + "sounds_section": "Skaņas signāli", + "notification_sound": "Paziņojumu skaņas signāli", + "custom_sound_prompt": "Iestatīt jaunu pielāgotu skaņas signālu", + "browse_button": "Pārlūkot" } }, "encryption": { @@ -1740,7 +1720,9 @@ "autodiscovery_unexpected_error_hs": "Negaidīta kļūme bāzes servera konfigurācijā", "autodiscovery_unexpected_error_is": "Negaidīta kļūda identitātes servera konfigurācijā", "incorrect_credentials_detail": "Lūdzu ņem vērā, ka Tu pieraksties %(hs)s serverī, nevis matrix.org serverī.", - "create_account_title": "Izveidot kontu" + "create_account_title": "Izveidot kontu", + "failed_soft_logout_homeserver": "Bāzes servera problēmas dēļ atkārtoti autentificēties neizdevās", + "soft_logout_subheading": "Dzēst personas datus" }, "room_list": { "sort_unread_first": "Rādīt istabas ar nelasītām ziņām augšpusē", @@ -1756,7 +1738,9 @@ "show_less": "Rādīt mazāk", "notification_options": "Paziņojumu opcijas", "failed_remove_tag": "Neizdevās istabai noņemt birku %(tagName)s", - "failed_add_tag": "Neizdevās istabai pievienot birku %(tagName)s" + "failed_add_tag": "Neizdevās istabai pievienot birku %(tagName)s", + "add_room_label": "Pievienot istabu", + "join_public_room_label": "Pievienoties publiskai istabai" }, "report_content": { "report_entire_room": "Ziņot par visu istabu", @@ -1882,7 +1866,8 @@ }, "share_public": "Dalīties ar jūsu publisko vietu", "invite_link": "Dalīties ar uzaicinājuma saiti", - "invite": "Uzaicināt cilvēkus" + "invite": "Uzaicināt cilvēkus", + "invite_this_space": "Uzaicināt uz šo vietu" }, "location_sharing": { "MapStyleUrlNotConfigured": "Šis bāzes serveris nav konfigurēts karšu attēlošanai.", @@ -1948,8 +1933,27 @@ "unfavourite": "Izlasē", "favourite": "Izlase", "low_priority": "Zema prioritāte", - "forget": "Aizmirst istabu" - } + "forget": "Aizmirst istabu", + "title": "Istabas opcijas" + }, + "invite_this_room": "Uzaicināt uz šo istabu", + "header": { + "forget_room_button": "Aizmirst istabu" + }, + "forget_room": "Aizmirst šo istabu", + "banned_from_room_by": "%(memberName)s liedza jums pieeju %(roomName)s", + "join_the_discussion": "Pievienoties diskusijai", + "3pid_invite_email_not_found_account_room": "Šis uzaicinājums uz %(roomName)s tika nosūtīts %(email)s, kas nav saistīts ar jūsu kontu", + "link_email_to_receive_3pid_invite": "Savienojiet iestatījumos šo e-pasta adresi ar savu kontu, lai uzaicinājumus saņemtu tieši %(brand)s.", + "invite_sent_to_email_room": "Šis uzaicinājums uz %(roomName)s tika nosūtīts %(email)s", + "dm_invite_title": "Vai vēlaties sarakstīties ar %(user)s?", + "dm_invite_subtitle": " vēlas sarakstīties", + "dm_invite_action": "Uzsākt saraksti", + "invite_subtitle": " uzaicināja jūs", + "invite_reject_ignore": "Noraidīt un ignorēt lietotāju", + "no_peek_join_prompt": "%(roomName)s priekšskatījums nav pieejams. Vai vēlaties tai pievienoties?", + "not_found_title_name": "%(roomName)s neeksistē.", + "inaccessible_name": "%(roomName)s šobrīd nav pieejama." }, "file_panel": { "guest_note": "Lai izmantotu šo funkcionalitāti, Tev ir jāreģistrējas", @@ -2037,7 +2041,9 @@ "keyword": "Atslēgvārds", "keyword_new": "Jauns atslēgvārds", "class_other": "Citi", - "mentions_keywords": "Pieminēšana un atslēgvārdi" + "mentions_keywords": "Pieminēšana un atslēgvārdi", + "default": "Noklusējuma", + "all_messages": "Visas ziņas" }, "chat_card_back_action_label": "Atgriezties uz čatu", "room_summary_card_back_action_label": "Informācija par istabu", @@ -2048,5 +2054,22 @@ "lightbox": { "rotate_left": "Rotēt pa kreisi", "rotate_right": "Rotēt pa labi" + }, + "labs_mjolnir": { + "rules_empty": "Neviena" + }, + "identity_server": { + "error_connection": "Neizdevās pieslēgties identitāšu serverim", + "description_connected": "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.", + "description_disconnected": "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.", + "url_field_label": "Ievadiet jaunu identitāšu serveri" + }, + "integration_manager": { + "manage_title": "Pārvaldīt integrācijas" + }, + "member_list": { + "invited_list_heading": "Uzaicināts/a", + "filter_placeholder": "Atfiltrēt istabas dalībniekus", + "power_label": "%(userName)s (tiesību līmenis %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/ml.json b/src/i18n/strings/ml.json index 7c440f73cf..330b561d0e 100644 --- a/src/i18n/strings/ml.json +++ b/src/i18n/strings/ml.json @@ -2,7 +2,6 @@ "Create new room": "പുതിയ റൂം സൃഷ്ടിക്കുക", "Failed to forget room %(errCode)s": "%(errCode)s റൂം ഫോര്‍ഗെറ്റ് ചെയ്യുവാന്‍ സാധിച്ചില്ല", "unknown error code": "അപരിചിത എറര്‍ കോഡ്", - "Failed to change password. Is your password correct?": "രഹസ്യവാക്ക് മാറ്റാന്‍ സാധിച്ചില്ല. രഹസ്യവാക്ക് ശരിയാണോ ?", "Sunday": "ഞായര്‍", "Today": "ഇന്ന്", "Friday": "വെള്ളി", @@ -17,12 +16,9 @@ "Wednesday": "ബുധന്‍", "You cannot delete this message. (%(code)s)": "നിങ്ങള്‍ക്ക് ഈ സന്ദേശം നീക്കം ചെയ്യാനാകില്ല. (%(code)s)", "Send": "അയയ്ക്കുക", - "All messages": "എല്ലാ സന്ദേശങ്ങളും", - "Invite to this room": "ഈ റൂമിലേക്ക് ക്ഷണിക്കുക", "Thursday": "വ്യാഴം", "Search…": "തിരയുക…", "Yesterday": "ഇന്നലെ", - "Explore rooms": "മുറികൾ കണ്ടെത്തുക", "common": { "error": "എറര്‍", "mute": "നിശ്ശബ്ദം", @@ -51,7 +47,8 @@ "dismiss": "ഒഴിവാക്കുക", "close": "അടയ്ക്കുക", "cancel": "റദ്ദാക്കുക", - "back": "തിരികെ" + "back": "തിരികെ", + "explore_rooms": "മുറികൾ കണ്ടെത്തുക" }, "bug_reporting": { "send_logs": "നാള്‍വഴി അയയ്ക്കുക", @@ -69,6 +66,9 @@ "rule_suppress_notices": "ബോട്ട് അയയ്ക്കുന്ന സന്ദേശങ്ങള്‍ക്ക്", "noisy": "ഉച്ചത്തില്‍", "push_targets": "നോട്ടിഫിക്കേഷന്‍ ടാര്‍ഗെറ്റുകള്‍" + }, + "general": { + "error_password_change_403": "രഹസ്യവാക്ക് മാറ്റാന്‍ സാധിച്ചില്ല. രഹസ്യവാക്ക് ശരിയാണോ ?" } }, "auth": { @@ -94,7 +94,8 @@ "failed_generic": "ശ്രമം പരാജയപ്പെട്ടു" }, "notifications": { - "enable_prompt_toast_title": "നോട്ടിഫിക്കേഷനുകള്‍" + "enable_prompt_toast_title": "നോട്ടിഫിക്കേഷനുകള്‍", + "all_messages": "എല്ലാ സന്ദേശങ്ങളും" }, "timeline": { "context_menu": { @@ -105,6 +106,7 @@ "context_menu": { "favourite": "പ്രിയപ്പെട്ടവ", "low_priority": "താഴ്ന്ന പരിഗണന" - } + }, + "invite_this_room": "ഈ റൂമിലേക്ക് ക്ഷണിക്കുക" } } diff --git a/src/i18n/strings/mn.json b/src/i18n/strings/mn.json index 6d0375ea65..9925e9095f 100644 --- a/src/i18n/strings/mn.json +++ b/src/i18n/strings/mn.json @@ -1,8 +1,8 @@ { - "Explore rooms": "Өрөөнүүд үзэх", "action": { "dismiss": "Орхих", - "sign_in": "Нэвтрэх" + "sign_in": "Нэвтрэх", + "explore_rooms": "Өрөөнүүд үзэх" }, "auth": { "register_action": "Хэрэглэгч үүсгэх" diff --git a/src/i18n/strings/nb_NO.json b/src/i18n/strings/nb_NO.json index 7f44744c28..bccb46d0b8 100644 --- a/src/i18n/strings/nb_NO.json +++ b/src/i18n/strings/nb_NO.json @@ -8,13 +8,10 @@ "Failed to forget room %(errCode)s": "Kunne ikke glemme rommet %(errCode)s", "Wednesday": "Onsdag", "unknown error code": "ukjent feilkode", - "Invite to this room": "Inviter til dette rommet", "You cannot delete this message. (%(code)s)": "Du kan ikke slette denne meldingen. (%(code)s)", "Thursday": "Torsdag", - "All messages": "Alle meldinger", "Yesterday": "I går", "Saturday": "Lørdag", - "Permission Required": "Tillatelse kreves", "Send": "Send", "Sun": "Søn", "Mon": "Man", @@ -41,10 +38,8 @@ "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s %(day)s. %(monthName)s kl. %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s %(day)s. %(monthName)s %(fullYear)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s %(day)s. %(monthName)s %(fullYear)s kl. %(time)s", - "Default": "Standard", "Restricted": "Begrenset", "Moderator": "Moderator", - "Reason": "Årsak", "Dog": "Hund", "Cat": "Katt", "Horse": "Hest", @@ -76,21 +71,9 @@ "Anchor": "Anker", "Headphones": "Hodetelefoner", "Folder": "Mappe", - "Email addresses": "E-postadresser", - "Phone numbers": "Telefonnumre", - "None": "Ingen", - "Browse": "Bla", - "Unable to verify phone number.": "Klarte ikke å verifisere telefonnummeret.", - "Verification code": "Verifikasjonskode", - "Email Address": "E-postadresse", - "Phone Number": "Telefonnummer", "Are you sure?": "Er du sikker?", "Admin Tools": "Adminverktøy", - "Invited": "Invitert", - "Italics": "Kursiv", "Direct Messages": "Direktemeldinger", - "Rooms": "Rom", - "Sign Up": "Registrer deg", "All Rooms": "Alle rom", "Search…": "Søk …", "Download %(text)s": "Last ned %(text)s", @@ -109,9 +92,7 @@ "Share Room Message": "Del rommelding", "Cancel All": "Avbryt alt", "Home": "Hjem", - "Explore rooms": "Se alle rom", "Your password has been reset.": "Passordet ditt har blitt tilbakestilt.", - "Success!": "Suksess!", "Set up": "Sett opp", "Lion": "Løve", "Pig": "Gris", @@ -135,32 +116,7 @@ "Trophy": "Trofé", "Ball": "Ball", "Guitar": "Gitar", - "Checking server": "Sjekker tjeneren", - "Change identity server": "Bytt ut identitetstjener", - "You should:": "Du burde:", - "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.": "Å bruke en identitetstjener er valgfritt. Dersom du velger å ikke bruke en identitetstjener, vil du ikke kunne oppdages av andre brukere, og du vil ikke kunne invitere andre ut i fra E-postadresse eller telefonnummer.", - "Do not use an identity server": "Ikke bruk en identitetstjener", - "Manage integrations": "Behandle integreringer", - "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Godkjenn identitetstjenerens (%(serverName)s) brukervilkår, slik at du kan bli oppdaget ut i fra E-postadresse eller telefonnummer.", - "Account management": "Kontobehandling", - "Deactivate Account": "Deaktiver kontoen", - "Discovery": "Oppdagelse", "Deactivate account": "Deaktiver kontoen", - "Ignored users": "Ignorerte brukere", - "Unignore": "Opphev ignorering", - "Missing media permissions, click the button below to request.": "Manglende mediatillatelser, klikk på knappen nedenfor for å be om dem.", - "Request media permissions": "Be om mediatillatelser", - "No Audio Outputs detected": "Ingen lydutdataer ble oppdaget", - "No Microphones detected": "Ingen mikrofoner ble oppdaget", - "No Webcams detected": "Ingen USB-kameraer ble oppdaget", - "Audio Output": "Lydutdata", - "Voice & Video": "Stemme og video", - "Room information": "Rominformasjon", - "Room Addresses": "Rom-adresser", - "Sounds": "Lyder", - "Notification sound": "Varslingslyd", - "Set a new custom sound": "Velg en ny selvvalgt lyd", - "Banned by %(displayName)s": "Bannlyst av %(displayName)s", "Edit message": "Rediger meldingen", "Unencrypted": "Ukryptert", "Deactivate user?": "Vil du deaktivere brukeren?", @@ -170,17 +126,7 @@ "%(duration)sh": "%(duration)st", "%(duration)sd": "%(duration)sd", "Join Room": "Bli med i rommet", - "Forget room": "Glem rommet", "Share room": "Del rommet", - "Low priority": "Lavprioritet", - "Historical": "Historisk", - "Forget this room": "Glem dette rommet", - "Re-join": "Bli med igjen", - "Join the discussion": "Bli med i diskusjonen", - " wants to chat": " ønsker å chatte", - " invited you": " inviterte deg", - "%(roomName)s does not exist.": "%(roomName)s eksisterer ikke.", - "%(roomName)s is not accessible at this time.": "%(roomName)s er ikke tilgjengelig for øyeblikket.", "This Room": "Dette rommet", "Main address": "Hovedadresse", "not specified": "ikke spesifisert", @@ -215,29 +161,19 @@ "No backup found!": "Ingen sikkerhetskopier ble funnet!", "Country Dropdown": "Nedfallsmeny over land", "Email (optional)": "E-post (valgfritt)", - "Add room": "Legg til et rom", "Search failed": "Søket mislyktes", "No more results": "Ingen flere resultater", "Return to login screen": "Gå tilbake til påloggingsskjermen", - "File to import": "Filen som skal importeres", - "Upgrade your encryption": "Oppgrader krypteringen din", "Not Trusted": "Ikke betrodd", "%(items)s and %(lastItem)s": "%(items)s og %(lastItem)s", "Show more": "Vis mer", "Warning!": "Advarsel!", - "Authentication": "Autentisering", "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.", "Back up your keys before signing out to avoid losing them.": "Ta sikkerhetskopi av nøklene dine før du logger av for å unngå å miste dem.", "Start using Key Backup": "Begynn å bruke Nøkkelsikkerhetskopiering", - "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.", "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", - "Replying": "Svarer på", - "Room %(name)s": "Rom %(name)s", - "Start chatting": "Begynn å chatte", "You don't currently have any stickerpacks enabled": "Du har ikke skrudd på noen klistremerkepakker for øyeblikket", "Add some now": "Legg til noen nå", "No other published addresses yet, add one below": "Det er ingen publiserte adresser enda, legg til en nedenfor", @@ -255,13 +191,6 @@ "Logs sent": "Loggbøkene ble sendt", "Recent Conversations": "Nylige samtaler", "Room Settings - %(roomName)s": "Rominnstillinger - %(roomName)s", - "Export room keys": "Eksporter romnøkler", - "Import room keys": "Importer romnøkler", - "Go to Settings": "Gå til Innstillinger", - "Enter passphrase": "Skriv inn passordfrase", - "Remove %(email)s?": "Vil du fjerne %(email)s?", - "Invalid Email Address": "Ugyldig E-postadresse", - "Try to join anyway": "Forsøk å bli med likevel", "Room avatar": "Rommets avatar", "Start Verification": "Begynn verifisering", "Verify User": "Verifiser bruker", @@ -285,24 +214,12 @@ "Upload completed": "Opplasting fullført", "Unable to upload": "Mislyktes i å laste opp", "Aeroplane": "Fly", - "Disconnect anyway": "Koble fra likevel", - "Uploaded sound": "Lastet opp lyd", - "Incorrect verification code": "Ugyldig verifiseringskode", - "Unable to add email address": "Klarte ikke å legge til E-postadressen", - "Close preview": "Lukk forhåndsvisning", "Demote yourself?": "Vil du degradere deg selv?", "Demote": "Degrader", "and %(count)s others...": { "other": "og %(count)s andre …", "one": "og én annen …" }, - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (styrkenivå %(powerLevelNumber)s)", - "The conversation continues here.": "Samtalen fortsetter her.", - "Reason: %(reason)s": "Årsak: %(reason)s", - "You were banned from %(roomName)s by %(memberName)s": "Du ble bannlyst fra %(roomName)s av %(memberName)s", - "Do you want to chat with %(user)s?": "Vil du prate med %(user)s?", - "Do you want to join %(roomName)s?": "Vil du bli med i %(roomName)s?", - "Reject & Ignore user": "Avslå og ignorer brukeren", "This room has already been upgraded.": "Dette rommet har allerede blitt oppgradert.", "Revoke invite": "Trekk tilbake invitasjonen", "Invited by %(sender)s": "Invitert av %(sender)s", @@ -322,23 +239,12 @@ "Could not load user profile": "Klarte ikke å laste inn brukerprofilen", "A new password must be entered.": "Et nytt passord må bli skrevet inn.", "New passwords must match each other.": "De nye passordene må samsvare med hverandre.", - "Clear personal data": "Tøm personlige data", - "Passphrases must match": "Passfrasene må samsvare", - "Passphrase must not be empty": "Passfrasen kan ikke være tom", - "Confirm passphrase": "Bekreft passfrasen", - "That matches!": "Det samsvarer!", - "That doesn't match.": "Det samsvarer ikke.", - "Go back to set it again.": "Gå tilbake for å velge på nytt.", - "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s kan ikke forhåndsvises. Vil du bli med i den?", "Messages in this room are end-to-end encrypted.": "Meldinger i dette rommet er start-til-slutt-kryptert.", "Messages in this room are not end-to-end encrypted.": "Meldinger i dette rommet er ikke start-til-slutt-kryptert.", - "Use a different passphrase?": "Vil du bruke en annen passfrase?", "Jump to read receipt": "Hopp til lesekvitteringen", "Verify your other session using one of the options below.": "Verifiser den andre økten din med en av metodene nedenfor.", "Ok": "OK", "Santa": "Julenisse", - "wait and try again later": "vent og prøv igjen senere", - "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", "Remove recent messages by %(user)s": "Fjern nylige meldinger fra %(user)s", @@ -375,11 +281,8 @@ "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", "Confirm encryption setup": "Bekreft krypteringsoppsett", - "Create key backup": "Opprett nøkkelsikkerhetskopi", - "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", - "Room options": "Rominnstillinger", "Your messages are not secure": "Dine meldinger er ikke sikre", "Edited at %(date)s": "Redigert den %(date)s", "Click to view edits": "Klikk for å vise redigeringer", @@ -406,8 +309,6 @@ "%(completed)s of %(total)s keys restored": "%(completed)s av %(total)s nøkler gjenopprettet", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Klarte ikke å trekke tilbake invitasjonen. Tjener kan ha et forbigående problem, eller det kan hende at du ikke har tilstrekkelige rettigheter for å trekke tilbake invitasjonen.", "Failed to revoke invite": "Klarte ikke å trekke tilbake invitasjon", - "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", "Belgium": "Belgia", "American Samoa": "Amerikansk Samoa", @@ -444,21 +345,15 @@ "Åland Islands": "Åland", "Afghanistan": "Afghanistan", "United Kingdom": "Storbritannia", - "Recently visited rooms": "Nylig besøkte rom", "Edit devices": "Rediger enheter", - "Add existing room": "Legg til et eksisterende rom", - "Invite to this space": "Inviter til dette området", "Invite to %(roomName)s": "Inviter til %(roomName)s", "Resume": "Fortsett", "Avatar": "Profilbilde", - "Suggested Rooms": "Foreslåtte rom", "%(count)s members": { "one": "%(count)s medlem", "other": "%(count)s medlemmer" }, "No results found": "Ingen resultater ble funnet", - "Public space": "Offentlig område", - "Private space": "Privat område", "You don't have permission": "Du har ikke tillatelse", "%(count)s rooms": { "other": "%(count)s rom", @@ -486,9 +381,6 @@ "Security Key": "Sikkerhetsnøkkel", "Invalid Security Key": "Ugyldig sikkerhetsnøkkel", "Wrong Security Key": "Feil sikkerhetsnøkkel", - "New Recovery Method": "Ny gjenopprettingsmetode", - "Generate a Security Key": "Generer en sikkerhetsnøkkel", - "Confirm your Security Phrase": "Bekreft sikkerhetsfrasen din", "This address is already in use": "Denne adressen er allerede i bruk", "In reply to ": "Som svar på ", "Information": "Informasjon", @@ -504,15 +396,10 @@ "Transfer": "Overfør", "Invite by email": "Inviter gjennom E-post", "Reason (optional)": "Årsak (valgfritt)", - "Explore public rooms": "Utforsk offentlige rom", - "Verify the link in your inbox": "Verifiser lenken i innboksen din", - "Bridges": "Broer", "Upgrade Room Version": "Oppgrader romversjon", "You cancelled verification.": "Du avbrøt verifiseringen.", "Ask %(displayName)s to scan your code:": "Be %(displayName)s om å skanne koden:", "Failed to deactivate user": "Mislyktes i å deaktivere brukeren", - "Show Widgets": "Vis moduler", - "Hide Widgets": "Skjul moduler", "Dial pad": "Nummerpanel", "Zimbabwe": "Zimbabwe", "Yemen": "Jemen", @@ -707,11 +594,6 @@ "Croatia": "Kroatia", "Costa Rica": "Costa Rica", "Cook Islands": "Cook-øyene", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Integreringsbehandlere mottar oppsettsdata, og kan endre på moduler, sende rominvitasjoner, og bestemme styrkenivåer på dine vegne.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Bruk en integreringsbehandler til å behandle botter, moduler, og klistremerkepakker.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Bruk en integreringsbehandler (%(serverName)s) til å behandle botter, moduler, og klistremerkepakker.", - "Identity server (%(server)s)": "Identitetstjener (%(server)s)", - "Could not connect to identity server": "Kunne ikke koble til identitetsserveren", "Results": "Resultat", "Retry all": "Prøv alle igjen", "Sent": "Sendt", @@ -720,7 +602,6 @@ "Add reaction": "Legg til reaksjon", "Downloading": "Laster ned", "Connection failed": "Tilkobling mislyktes", - "Address": "Adresse", "Corn": "Mais", "Cloud": "Sky", "St. Pierre & Miquelon": "Saint-Pierre og Miquelon", @@ -805,7 +686,15 @@ "general": "Generelt", "profile": "Profil", "display_name": "Visningsnavn", - "user_avatar": "Profilbilde" + "user_avatar": "Profilbilde", + "authentication": "Autentisering", + "public_space": "Offentlig område", + "private_space": "Privat område", + "rooms": "Rom", + "low_priority": "Lavprioritet", + "historical": "Historisk", + "go_to_settings": "Gå til Innstillinger", + "setup_secure_messages": "Sett opp sikre meldinger" }, "action": { "continue": "Fortsett", @@ -895,7 +784,11 @@ "unban": "Opphev utestengelse", "click_to_copy": "Klikk for å kopiere", "hide_advanced": "Skjul avansert", - "show_advanced": "Vis avansert" + "show_advanced": "Vis avansert", + "unignore": "Opphev ignorering", + "explore_rooms": "Se alle rom", + "add_existing_room": "Legg til et eksisterende rom", + "explore_public_rooms": "Utforsk offentlige rom" }, "a11y": { "user_menu": "Brukermeny", @@ -908,7 +801,8 @@ "other": "%(count)s uleste meldinger." }, "unread_messages": "Uleste meldinger.", - "jump_first_invite": "Hopp til den første invitasjonen." + "jump_first_invite": "Hopp til den første invitasjonen.", + "room_name": "Rom %(name)s" }, "labs": { "pinning": "Meldingsklistring", @@ -958,7 +852,11 @@ "emoji_a11y": "Auto-fullfør emojier", "@room_description": "Varsle hele rommet", "user_description": "Brukere" - } + }, + "room_upgraded_link": "Samtalen fortsetter her.", + "poll_button_no_perms_title": "Tillatelse kreves", + "format_italics": "Kursiv", + "replying_title": "Svarer på" }, "Code": "Kode", "power_level": { @@ -1050,7 +948,14 @@ "inline_url_previews_room_account": "Skru på URL-forhåndsvisninger for dette rommet (Påvirker bare deg)", "inline_url_previews_room": "Skru på URL-forhåndsvisninger som standard for deltakerne i dette rommet", "voip": { - "mirror_local_feed": "Speil den lokale videostrømmen" + "mirror_local_feed": "Speil den lokale videostrømmen", + "missing_permissions_prompt": "Manglende mediatillatelser, klikk på knappen nedenfor for å be om dem.", + "request_permissions": "Be om mediatillatelser", + "audio_output": "Lydutdata", + "audio_output_empty": "Ingen lydutdataer ble oppdaget", + "audio_input_empty": "Ingen mikrofoner ble oppdaget", + "video_input_empty": "Ingen USB-kameraer ble oppdaget", + "title": "Stemme og video" }, "security": { "message_search_space_used": "Plass brukt:", @@ -1086,7 +991,9 @@ "restore_key_backup": "Gjenopprett fra sikkerhetskopi", "key_backup_complete": "Alle nøkler er sikkerhetskopiert", "key_backup_algorithm": "Algoritme:", - "key_backup_inactive_warning": "Dine nøkler har ikke blitt sikkerhetskopiert fra denne økten." + "key_backup_inactive_warning": "Dine nøkler har ikke blitt sikkerhetskopiert fra denne økten.", + "key_backup_active_version_none": "Ingen", + "ignore_users_section": "Ignorerte brukere" }, "preferences": { "room_list_heading": "Romliste", @@ -1113,7 +1020,47 @@ "add_msisdn_confirm_button": "Bekreft tillegging av telefonnummer", "add_msisdn_confirm_body": "Klikk knappen nedenfor for å bekrefte dette telefonnummeret.", "add_msisdn_dialog_title": "Legg til telefonnummer", - "name_placeholder": "Ingen visningsnavn" + "name_placeholder": "Ingen visningsnavn", + "emails_heading": "E-postadresser", + "msisdns_heading": "Telefonnumre", + "discovery_needs_terms": "Godkjenn identitetstjenerens (%(serverName)s) brukervilkår, slik at du kan bli oppdaget ut i fra E-postadresse eller telefonnummer.", + "deactivate_section": "Deaktiver kontoen", + "account_management_section": "Kontobehandling", + "discovery_section": "Oppdagelse", + "error_revoke_email_discovery": "Klarte ikke å trekke tilbake deling for denne e-postadressen", + "discovery_email_verification_instructions": "Verifiser lenken i innboksen din", + "error_revoke_msisdn_discovery": "Klarte ikke trekke tilbake deling for telefonnummer", + "error_msisdn_verification": "Klarte ikke å verifisere telefonnummeret.", + "incorrect_msisdn_verification": "Ugyldig verifiseringskode", + "msisdn_verification_field_label": "Verifikasjonskode", + "remove_email_prompt": "Vil du fjerne %(email)s?", + "error_invalid_email": "Ugyldig E-postadresse", + "error_add_email": "Klarte ikke å legge til E-postadressen", + "email_address_label": "E-postadresse", + "remove_msisdn_prompt": "Vil du fjerne %(phone)s?", + "msisdn_label": "Telefonnummer" + }, + "key_backup": { + "backup_success": "Suksess!", + "create_title": "Opprett nøkkelsikkerhetskopi", + "setup_secure_backup": { + "generate_security_key_title": "Generer en sikkerhetsnøkkel", + "pass_phrase_match_success": "Det samsvarer!", + "use_different_passphrase": "Vil du bruke en annen passfrase?", + "pass_phrase_match_failed": "Det samsvarer ikke.", + "set_phrase_again": "Gå tilbake for å velge på nytt.", + "confirm_security_phrase": "Bekreft sikkerhetsfrasen din", + "title_upgrade_encryption": "Oppgrader krypteringen din" + } + }, + "key_export_import": { + "export_title": "Eksporter romnøkler", + "enter_passphrase": "Skriv inn passordfrase", + "confirm_passphrase": "Bekreft passfrasen", + "phrase_cannot_be_empty": "Passfrasen kan ikke være tom", + "phrase_must_match": "Passfrasene må samsvare", + "import_title": "Importer romnøkler", + "file_to_import": "Filen som skal importeres" } }, "devtools": { @@ -1307,6 +1254,9 @@ "context_menu": { "external_url": "Kilde URL", "report": "Rapporter" + }, + "url_preview": { + "close": "Lukk forhåndsvisning" } }, "slash_command": { @@ -1435,7 +1385,9 @@ "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" + "permissions_section_description_room": "Velg rollene som kreves for å endre på diverse deler av rommet", + "banned_by": "Bannlyst av %(displayName)s", + "ban_reason": "Årsak" }, "security": { "strict_encryption": "Aldri send krypterte meldinger til uverifiserte økter i dette rommet fra denne økten", @@ -1461,16 +1413,30 @@ "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", "save": "Lagre endringer", - "leave_space": "Forlat området" + "leave_space": "Forlat området", + "aliases_section": "Rom-adresser", + "other_section": "Andre" }, "advanced": { "room_version_section": "Romversjon", - "room_version": "Romversjon:" + "room_version": "Romversjon:", + "information_section_room": "Rominformasjon" }, "delete_avatar_label": "Slett profilbilde", "upload_avatar_label": "Last opp en avatar", "visibility": { - "title": "Synlighet" + "title": "Synlighet", + "alias_section": "Adresse" + }, + "bridges": { + "title": "Broer" + }, + "notifications": { + "uploaded_sound": "Lastet opp lyd", + "sounds_section": "Lyder", + "notification_sound": "Varslingslyd", + "custom_sound_prompt": "Velg en ny selvvalgt lyd", + "browse_button": "Bla" } }, "encryption": { @@ -1492,7 +1458,10 @@ "upgrade_toast_title": "Krypteringsoppdatering tilgjengelig", "verify_toast_title": "Verifiser denne økten", "verify_toast_description": "Andre brukere kan kanskje mistro den", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Ny gjenopprettingsmetode" + } }, "emoji": { "category_frequently_used": "Ofte brukte", @@ -1568,7 +1537,8 @@ }, "reset_password_email_not_found_title": "Denne e-postadressen ble ikke funnet", "misconfigured_title": "Ditt %(brand)s-oppsett er feiloppsatt", - "create_account_title": "Opprett konto" + "create_account_title": "Opprett konto", + "soft_logout_subheading": "Tøm personlige data" }, "room_list": { "show_previews": "Vis forhåndsvisninger av meldinger", @@ -1582,7 +1552,10 @@ "show_less": "Vis mindre", "notification_options": "Varselsinnstillinger", "failed_remove_tag": "Kunne ikke fjerne tagg %(tagName)s fra rommet", - "failed_add_tag": "Kunne ikke legge til tagg %(tagName)s til rom" + "failed_add_tag": "Kunne ikke legge til tagg %(tagName)s til rom", + "breadcrumbs_label": "Nylig besøkte rom", + "add_room_label": "Legg til et rom", + "suggested_rooms_heading": "Foreslåtte rom" }, "onboarding": { "has_avatar_label": "Flott, det vil hjelp folk å ha tillit til at det er deg", @@ -1678,7 +1651,8 @@ "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" + "personal_new_placeholder": "f.eks.: @bot:* eller example.org", + "rules_empty": "Ingen" }, "create_space": { "public_heading": "Ditt offentlige område", @@ -1701,7 +1675,8 @@ "explore": "Se alle rom" }, "invite_link": "Del invitasjonslenke", - "invite": "Inviter personer" + "invite": "Inviter personer", + "invite_this_space": "Inviter til dette området" }, "room": { "drop_file_prompt": "Slipp ned en fil her for å laste opp", @@ -1714,8 +1689,31 @@ "unfavourite": "Favorittmerket", "favourite": "Favoritt", "low_priority": "Lav Prioritet", - "forget": "Glem rommet" - } + "forget": "Glem rommet", + "title": "Rominnstillinger" + }, + "invite_this_room": "Inviter til dette rommet", + "header": { + "forget_room_button": "Glem rommet", + "hide_widgets_button": "Skjul moduler", + "show_widgets_button": "Vis moduler" + }, + "join_button_account": "Registrer deg", + "kick_reason": "Årsak: %(reason)s", + "forget_room": "Glem dette rommet", + "rejoin_button": "Bli med igjen", + "banned_from_room_by": "Du ble bannlyst fra %(roomName)s av %(memberName)s", + "3pid_invite_error_invite_action": "Forsøk å bli med likevel", + "join_the_discussion": "Bli med i diskusjonen", + "dm_invite_title": "Vil du prate med %(user)s?", + "dm_invite_subtitle": " ønsker å chatte", + "dm_invite_action": "Begynn å chatte", + "invite_title": "Vil du bli med i %(roomName)s?", + "invite_subtitle": " inviterte deg", + "invite_reject_ignore": "Avslå og ignorer brukeren", + "no_peek_join_prompt": "%(roomName)s kan ikke forhåndsvises. Vil du bli med i den?", + "not_found_title_name": "%(roomName)s eksisterer ikke.", + "inaccessible_name": "%(roomName)s er ikke tilgjengelig for øyeblikket." }, "file_panel": { "peek_note": "Du må bli med i rommet for å se filene dens" @@ -1774,7 +1772,9 @@ "mark_all_read": "Merk alle som lest", "keyword": "Nøkkelord", "class_global": "Globalt", - "class_other": "Andre" + "class_other": "Andre", + "default": "Standard", + "all_messages": "Alle meldinger" }, "mobile_guide": { "toast_title": "Bruk appen for en bedre opplevelse", @@ -1793,5 +1793,29 @@ "lightbox": { "rotate_left": "Roter til venstre", "rotate_right": "Roter til høyre" + }, + "identity_server": { + "error_connection": "Kunne ikke koble til identitetsserveren", + "checking": "Sjekker tjeneren", + "change": "Bytt ut identitetstjener", + "suggestions": "Du burde:", + "suggestions_3": "vent og prøv igjen senere", + "disconnect_anyway": "Koble fra likevel", + "url": "Identitetstjener (%(server)s)", + "change_server_prompt": "Hvis du ikke ønsker å bruke til å oppdage og bli oppdaget av eksisterende kontakter som du kjenner, skriv inn en annen identitetstjener nedenfor.", + "description_optional": "Å bruke en identitetstjener er valgfritt. Dersom du velger å ikke bruke en identitetstjener, vil du ikke kunne oppdages av andre brukere, og du vil ikke kunne invitere andre ut i fra E-postadresse eller telefonnummer.", + "do_not_use": "Ikke bruk en identitetstjener", + "url_field_label": "Skriv inn en ny identitetstjener" + }, + "integration_manager": { + "use_im_default": "Bruk en integreringsbehandler (%(serverName)s) til å behandle botter, moduler, og klistremerkepakker.", + "use_im": "Bruk en integreringsbehandler til å behandle botter, moduler, og klistremerkepakker.", + "manage_title": "Behandle integreringer", + "explainer": "Integreringsbehandlere mottar oppsettsdata, og kan endre på moduler, sende rominvitasjoner, og bestemme styrkenivåer på dine vegne." + }, + "member_list": { + "invited_list_heading": "Invitert", + "filter_placeholder": "Filtrer rommets medlemmer", + "power_label": "%(userName)s (styrkenivå %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/nl.json b/src/i18n/strings/nl.json index 57f7da5cf5..70bf08a5c0 100644 --- a/src/i18n/strings/nl.json +++ b/src/i18n/strings/nl.json @@ -1,5 +1,4 @@ { - "Authentication": "Login bevestigen", "%(items)s and %(lastItem)s": "%(items)s en %(lastItem)s", "and %(count)s others...": { "other": "en %(count)s anderen…", @@ -10,17 +9,13 @@ "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?", "Admin Tools": "Beheerdersgereedschap", - "No Microphones detected": "Geen microfoons gevonden", - "No Webcams detected": "Geen webcams gevonden", "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", "unknown error code": "onbekende foutcode", - "Failed to change password. Is your password correct?": "Wijzigen van wachtwoord is mislukt. Is je wachtwoord juist?", "Moderator": "Moderator", "not specified": "niet opgegeven", "No more results": "Geen resultaten meer", - "Reason": "Reden", "Reject invitation": "Uitnodiging weigeren", "Sun": "Zo", "Mon": "Ma", @@ -44,57 +39,36 @@ "%(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", - "Deactivate Account": "Account Sluiten", "Decrypt %(text)s": "%(text)s ontsleutelen", "Download %(text)s": "%(text)s downloaden", "Email address": "E-mailadres", "Custom level": "Aangepast niveau", - "Default": "Standaard", - "Enter passphrase": "Wachtwoord invoeren", "Error decrypting attachment": "Fout bij het ontsleutelen van de bijlage", "Failed to ban user": "Verbannen van persoon is mislukt", "Failed to load timeline position": "Laden van tijdslijnpositie is mislukt", "Failed to mute user": "Dempen van persoon is mislukt", "Failed to reject invite": "Weigeren van uitnodiging is mislukt", "Failed to reject invitation": "Weigeren van uitnodiging is mislukt", - "Failed to set display name": "Instellen van weergavenaam is mislukt", - "Failed to unban": "Ontbannen mislukt", - "Filter room members": "Kamerleden filteren", - "Forget room": "Kamer vergeten", - "Historical": "Historisch", "Home": "Home", - "Incorrect verification code": "Onjuiste verificatiecode", - "Invalid Email Address": "Ongeldig e-mailadres", "Invalid file%(extra)s": "Ongeldig bestand %(extra)s", - "Invited": "Uitgenodigd", "Join Room": "Kamer toetreden", "Jump to first unread message.": "Spring naar het eerste ongelezen bericht.", - "Low priority": "Lage prioriteit", "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’.", "Return to login screen": "Terug naar het loginscherm", - "%(roomName)s does not exist.": "%(roomName)s bestaat niet.", - "%(roomName)s is not accessible at this time.": "%(roomName)s is op dit moment niet toegankelijk.", - "Rooms": "Kamers", "Search failed": "Zoeken mislukt", "Server may be unavailable, overloaded, or search timed out :(": "De server is misschien onbereikbaar of overbelast, of het zoeken duurde te lang :(", "Session ID": "Sessie-ID", "This room has no local addresses": "Deze kamer heeft geen lokale adressen", - "This doesn't appear to be a valid email address": "Het ziet er niet naar uit dat dit een geldig e-mailadres is", "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", - "Unable to remove contact information": "Kan contactinformatie niet verwijderen", - "Unable to verify email address.": "Kan e-mailadres niet verifiëren.", "Uploading %(filename)s": "%(filename)s wordt geüpload", "Uploading %(filename)s and %(count)s others": { "one": "%(filename)s en %(count)s ander worden geüpload", "other": "%(filename)s en %(count)s andere worden geüpload" }, - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (macht %(powerLevelNumber)s)", "Verification Pending": "Verificatie in afwachting", "Warning!": "Let op!", - "You do not have permission to post to this room": "Je hebt geen toestemming actief aan deze kamer deel te nemen", "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?", "You seem to be uploading files, are you sure you want to quit?": "Het ziet er naar uit dat je bestanden aan het uploaden bent, weet je zeker dat je wil afsluiten?", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Je zal deze veranderingen niet terug kunnen draaien, omdat je de persoon tot je eigen machtsniveau promoveert.", @@ -104,15 +78,6 @@ "one": "(~%(count)s resultaat)", "other": "(~%(count)s resultaten)" }, - "Passphrases must match": "Wachtwoorden moeten overeenkomen", - "Passphrase must not be empty": "Wachtwoord mag niet leeg zijn", - "Export room keys": "Kamersleutels exporteren", - "Confirm passphrase": "Wachtwoord bevestigen", - "Import room keys": "Kamersleutels importeren", - "File to import": "In te lezen bestand", - "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.", "Confirm Removal": "Verwijdering bevestigen", "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.", @@ -128,15 +93,12 @@ "Send": "Versturen", "%(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.": "Zelfdegradatie is onomkeerbaar. Als je de laatst gemachtigde persoon in de kamer bent zullen deze rechten voorgoed verloren gaan.", - "Unignore": "Niet meer negeren", "Jump to read receipt": "Naar het laatst gelezen bericht gaan", "%(duration)ss": "%(duration)ss", "%(duration)sm": "%(duration)sm", "%(duration)sh": "%(duration)su", "%(duration)sd": "%(duration)sd", - "Replying": "Aan het beantwoorden", "Unnamed room": "Naamloze kamer", - "Banned by %(displayName)s": "Verbannen door %(displayName)s", "collapse": "dichtvouwen", "expand": "uitvouwen", "And %(count)s more...": { @@ -156,8 +118,6 @@ "Search…": "Zoeken…", "Saturday": "Zaterdag", "Monday": "Maandag", - "Invite to this room": "Uitnodigen voor deze kamer", - "All messages": "Alle berichten", "All Rooms": "Alle kamers", "You cannot delete this message. (%(code)s)": "Je kan dit bericht niet verwijderen. (%(code)s)", "Thursday": "Donderdag", @@ -172,7 +132,6 @@ "Send Logs": "Logs versturen", "We encountered an error trying to restore your previous session.": "Het herstel van je vorige sessie is mislukt.", "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.", - "Permission Required": "Toestemming vereist", "This event could not be displayed": "Deze gebeurtenis kon niet weergegeven worden", "Demote yourself?": "Jezelf degraderen?", "Demote": "Degraderen", @@ -184,9 +143,6 @@ "Share Room Message": "Bericht uit kamer delen", "Link to selected message": "Koppeling naar geselecteerd bericht", "You can't send any messages until you review and agree to our terms and conditions.": "Je kan geen berichten sturen totdat je onze algemene voorwaarden hebt gelezen en aanvaard.", - "No Audio Outputs detected": "Geen geluidsuitgangen gedetecteerd", - "Audio Output": "Geluidsuitgang", - "Ignored users": "Genegeerde personen", "Dog": "Hond", "Cat": "Kat", "Lion": "Leeuw", @@ -249,24 +205,9 @@ "Anchor": "Anker", "Headphones": "Koptelefoon", "Folder": "Map", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "We hebben je een e-mail gestuurd om je adres te verifiëren. Gelieve de daarin gegeven aanwijzingen op te volgen en dan op de knop hieronder te klikken.", - "Email Address": "E-mailadres", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Versleutelde berichten zijn beveiligd met eind-tot-eind-versleuteling. Enkel de ontvanger(s) en jij hebben de sleutels om deze berichten te lezen.", "Back up your keys before signing out to avoid losing them.": "Maak een back-up van je sleutels voordat je jezelf afmeldt om ze niet te verliezen.", "Start using Key Backup": "Begin sleutelback-up te gebruiken", - "Unable to verify phone number.": "Kan telefoonnummer niet verifiëren.", - "Verification code": "Verificatiecode", - "Phone Number": "Telefoonnummer", - "Email addresses": "E-mailadressen", - "Phone numbers": "Telefoonnummers", - "Account management": "Accountbeheer", - "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", - "Room information": "Kamerinformatie", - "Room Addresses": "Kameradressen", - "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", "Add some now": "Voeg er nu een paar toe", "Error updating main address": "Fout bij bijwerken van hoofdadres", @@ -322,19 +263,7 @@ "Invalid homeserver discovery response": "Ongeldig homeserver-vindbaarheids-antwoord", "Invalid identity server discovery response": "Ongeldig identiteitsserver-vindbaarheidsantwoord", "General failure": "Algemene fout", - "That matches!": "Dat komt overeen!", - "That doesn't match.": "Dat komt niet overeen.", - "Go back to set it again.": "Ga terug om het opnieuw in te stellen.", - "Your keys are being backed up (the first backup could take a few minutes).": "Er wordt een back-up van je sleutels gemaakt (de eerste back-up kan enkele minuten duren).", - "Success!": "Klaar!", - "Unable to create key backup": "Kan sleutelback-up niet aanmaken", "Set up": "Instellen", - "New Recovery Method": "Nieuwe herstelmethode", - "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.": "Als je deze nieuwe herstelmethode niet hebt ingesteld, is het mogelijk dat een aanvaller toegang tot jouw account probeert te krijgen. Wijzig onmiddellijk je wachtwoord en stel bij instellingen een nieuwe herstelmethode in.", - "Go to Settings": "Ga naar instellingen", - "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.", "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", @@ -359,36 +288,15 @@ }, "Cancel All": "Alles annuleren", "Upload Error": "Fout bij versturen van bestand", - "Join the conversation with an account": "Neem deel aan de kamer met een account", - "Sign Up": "Registreren", - "Reason: %(reason)s": "Reden: %(reason)s", - "Forget this room": "Deze kamer vergeten", - "Re-join": "Opnieuw toetreden", - "You were banned from %(roomName)s by %(memberName)s": "Je bent uit %(roomName)s verbannen door %(memberName)s", - "Something went wrong with your invite to %(roomName)s": "Er is iets misgegaan met je uitnodiging voor %(roomName)s", - "You can only join it with a working invite.": "Je kan de kamer enkel toetreden met een werkende uitnodiging.", - "Join the discussion": "Neem deel aan de kamer", - "Try to join anyway": "Toch proberen deelnemen", - "Do you want to chat with %(user)s?": "Wil je een kamer beginnen met %(user)s?", - "Do you want to join %(roomName)s?": "Wil je tot %(roomName)s toetreden?", - " invited you": " heeft je uitgenodigd", - "You're previewing %(roomName)s. Want to join it?": "Je bekijkt %(roomName)s. Wilt je eraan deelnemen?", - "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s kan niet vooraf bekeken worden. Wil je eraan deelnemen?", "This room has already been upgraded.": "Deze kamer is reeds geüpgraded.", "edited": "bewerkt", "Edit message": "Bericht bewerken", "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", "Invalid base_url for m.homeserver": "Ongeldige base_url voor m.homeserver", "Homeserver URL does not appear to be a valid Matrix homeserver": "De homeserver-URL lijkt geen geldige Matrix-homeserver", "Invalid base_url for m.identity_server": "Ongeldige base_url voor m.identity_server", "Identity server URL does not appear to be a valid identity server": "De identiteitsserver-URL lijkt geen geldige identiteitsserver", - "Uploaded sound": "Geüpload-geluid", - "Sounds": "Geluiden", - "Notification sound": "Meldingsgeluid", - "Set a new custom sound": "Stel een nieuw aangepast geluid in", - "Browse": "Bladeren", "Upload all": "Alles versturen", "Edited at %(date)s. Click to view edits.": "Bewerkt op %(date)s. Klik om de bewerkingen te bekijken.", "Message edits": "Berichtbewerkingen", @@ -397,47 +305,11 @@ "Clear all data": "Alle gegevens wissen", "Your homeserver doesn't seem to support this feature.": "Jouw homeserver biedt geen ondersteuning voor deze functie.", "Resend %(unsentCount)s reaction(s)": "%(unsentCount)s reactie(s) opnieuw versturen", - "Failed to re-authenticate due to a homeserver problem": "Opnieuw inloggen is mislukt wegens een probleem met de homeserver", - "Clear personal data": "Persoonlijke gegevens wissen", "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", - "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.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Je gebruikt momenteel geen identiteitsserver. Voeg er hieronder één toe om bekenden te kunnen vinden en voor hen vindbaar te zijn.", - "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.": "Als je de verbinding met je identiteitsserver verbreekt zal je niet door andere personen gevonden kunnen worden, en dat je anderen niet via e-mail of telefoon zal kunnen uitnodigen.", - "Discovery": "Vindbaarheid", "Deactivate account": "Account sluiten", - "Unable to revoke sharing for email address": "Kan delen voor dit e-mailadres niet intrekken", - "Unable to share email address": "Kan e-mailadres niet delen", - "Discovery options will appear once you have added an email above.": "Vindbaarheidopties zullen verschijnen wanneer je een e-mailadres hebt toegevoegd.", - "Unable to revoke sharing for phone number": "Kan delen voor dit telefoonnummer niet intrekken", - "Unable to share phone number": "Kan telefoonnummer niet delen", - "Please enter verification code sent via text.": "Voer de verificatiecode in die werd verstuurd via sms.", - "Discovery options will appear once you have added a phone number above.": "Vindbaarheidopties zullen verschijnen wanneer je een telefoonnummer hebt toegevoegd.", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Er is een sms verstuurd naar +%(msisdn)s. Voor de verificatiecode in die in het bericht staat.", "Command Help": "Hulp bij opdrachten", - "The identity server you have chosen does not have any terms of service.": "De identiteitsserver die je hebt gekozen heeft geen dienstvoorwaarden.", - "Terms of service not accepted or the identity server is invalid.": "Dienstvoorwaarden niet aanvaard, of de identiteitsserver is ongeldig.", - "Enter a new identity server": "Voer een nieuwe identiteitsserver in", - "Remove %(email)s?": "%(email)s verwijderen?", - "Remove %(phone)s?": "%(phone)s verwijderen?", - "Change identity server": "Identiteitsserver wisselen", - "Disconnect from the identity server and connect to instead?": "Verbinding met identiteitsserver verbreken en in plaats daarvan verbinden met ?", - "Disconnect identity server": "Verbinding met identiteitsserver verbreken", - "You are still sharing your personal data on the identity server .": "Je deelt nog steeds je persoonlijke gegevens op de identiteitsserver .", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "We raden je aan je e-mailadressen en telefoonnummers van de identiteitsserver te verwijderen voordat je de verbinding verbreekt.", - "Disconnect anyway": "Verbinding toch verbreken", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Mocht je, om bekenden te zoeken en zelf vindbaar te zijn, niet willen gebruiken, voer dan hieronder een andere identiteitsserver in.", - "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.": "Een identiteitsserver is niet verplicht, maar zonder identiteitsserver zal je geen bekenden op e-mailadres of telefoonnummer kunnen zoeken, noch door hen vindbaar zijn.", - "Do not use an identity server": "Geen identiteitsserver gebruiken", - "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Aanvaard de gebruiksvoorwaarden van de identiteitsserver (%(serverName)s) om vindbaar te zijn op e-mailadres of telefoonnummer.", - "Error changing power level requirement": "Fout bij wijzigen van machtsniveauvereiste", - "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Er is een fout opgetreden bij het wijzigen van de machtsniveauvereisten van de kamer. Zorg ervoor dat je over voldoende machtigingen beschikt en probeer het opnieuw.", - "Error changing power level": "Fout bij wijzigen van machtsniveau", - "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Er is een fout opgetreden bij het wijzigen van het machtsniveau van de persoon. Zorg ervoor dat je over voldoende machtigingen beschikt en probeer het opnieuw.", - "Verify the link in your inbox": "Verifieer de koppeling in je postvak", "No recent messages by %(user)s found": "Geen recente berichten door %(user)s gevonden", "Try scrolling up in the timeline to see if there are any earlier ones.": "Probeer omhoog te scrollen in de tijdslijn om te kijken of er eerdere zijn.", "Remove recent messages by %(user)s": "Recente berichten door %(user)s verwijderen", @@ -450,30 +322,13 @@ "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?": "Deze persoon deactiveren zal deze persoon uitloggen en verhinderen dat de persoon weer inlogt. Bovendien zal de persoon alle kamers waaraan de persoon deelneemt verlaten. Deze actie is niet terug te draaien. Weet je zeker dat je deze persoon wilt deactiveren?", "Deactivate user": "Persoon deactiveren", "Remove recent messages": "Recente berichten verwijderen", - "Italics": "Cursief", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Deze uitnodiging tot %(roomName)s was verstuurd naar %(email)s, dat niet aan uw account gekoppeld is", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Koppel in de instellingen dit e-mailadres aan uw account om uitnodigingen direct in %(brand)s te ontvangen.", - "This invite to %(roomName)s was sent to %(email)s": "Deze uitnodiging tot %(roomName)s was verstuurd naar %(email)s", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Gebruik in de instellingen een identiteitsserver om uitnodigingen direct in %(brand)s te ontvangen.", - "Share this email in Settings to receive invites directly in %(brand)s.": "Deel in de instellingen dit e-mailadres om uitnodigingen direct in %(brand)s te ontvangen.", "Use an identity server to invite by email. Use the default (%(defaultIdentityServerName)s) or manage in Settings.": "Gebruik een identiteitsserver om uit te nodigen op e-mailadres. Gebruik de standaardserver (%(defaultIdentityServerName)s) of beheer de server in de Instellingen.", "Use an identity server to invite by email. Manage in Settings.": "Gebruik een identiteitsserver om anderen uit te nodigen via e-mail. Beheer de server in de Instellingen.", - "Explore rooms": "Kamers ontdekken", "Show image": "Afbeelding tonen", "e.g. my-room": "bv. mijn-kamer", "Close dialog": "Dialoog sluiten", - "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’.", "Lock": "Hangslot", "Show more": "Meer tonen", - "None": "Geen", - "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", - "This room is bridging messages to the following platforms. Learn more.": "Deze kamer wordt overbrugd naar de volgende platformen. Lees meer", - "Bridges": "Bruggen", "This user has not verified all of their sessions.": "Deze persoon heeft niet al zijn sessies geverifieerd.", "You have not verified this user.": "Je hebt deze persoon niet geverifieerd.", "You have verified this user. This user has verified all of their sessions.": "Je hebt deze persoon geverifieerd. Deze persoon heeft al zijn sessies geverifieerd.", @@ -482,16 +337,10 @@ "Everyone in this room is verified": "Iedereen in deze kamer is geverifieerd", "Direct Messages": "Direct gesprek", "This backup is trusted because it has been restored on this session": "Deze back-up is vertrouwd omdat hij hersteld is naar 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.", "Encrypted by an unverified session": "Versleuteld door een niet-geverifieerde sessie", "Unencrypted": "Onversleuteld", "Encrypted by a deleted session": "Versleuteld door een verwijderde sessie", - "Close preview": "Voorbeeld sluiten", "Failed to deactivate user": "Deactiveren van persoon is mislukt", - "Room %(name)s": "Kamer %(name)s", - " wants to chat": " wil een chat met je beginnen", - "Start chatting": "Gesprek beginnen", - "Reject & Ignore user": "Weigeren en persoon negeren", "Failed to connect to integration manager": "Verbinding met integratiebeheerder is mislukt", "Waiting for %(displayName)s to accept…": "Wachten tot %(displayName)s aanvaardt…", "Accepting…": "Toestaan…", @@ -566,15 +415,6 @@ "You'll upgrade this room from to .": "Je upgrade deze kamer van naar .", "Verification Request": "Verificatieverzoek", "Country Dropdown": "Landselectie", - "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.", - "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 deze sessie om er andere sessies mee te verifiëren. Hiermee krijgen de andere sessies toegang tot je versleutelde berichten en is het voor andere personen als vertrouwd gemarkeerd .", - "Upgrade your encryption": "Upgrade je versleuteling", - "Unable to set up secret storage": "Kan sleutelopslag niet instellen", - "Create key backup": "Sleutelback-up aanmaken", - "This session is encrypting history using the new recovery method.": "Deze sessie versleutelt je geschiedenis aan de hand van de nieuwe herstelmethode.", - "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.": "Als je dit per ongeluk hebt gedaan, kan je beveiligde berichten op deze sessie instellen, waarmee de berichtgeschiedenis van deze sessie opnieuw zal versleuteld worden aan de hand van een nieuwe herstelmethode.", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Bekijk eerst het openbaarmakingsbeleid van Matrix.org als je een probleem met de beveiliging van Matrix wilt melden.", "You signed in to a new session without verifying it:": "Je hebt je bij een nog niet geverifieerde sessie aangemeld:", "Verify your other session using one of the options below.": "Verifieer je andere sessie op een van onderstaande wijzen.", @@ -832,8 +672,6 @@ "Vatican City": "Vaticaanstad", "Taiwan": "Taiwan", "This room is public": "Deze kamer is publiek", - "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.", "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.", @@ -841,9 +679,6 @@ "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Er is een fout opgetreden bij het aanmaken van dit adres. Dit wordt mogelijk niet toegestaan door de server, of er is een tijdelijk probleem opgetreden.", "Error creating address": "Fout bij aanmaken van het adres", "There was an error updating the room's alternative addresses. It may not be allowed by the server or a temporary failure occurred.": "Er is een fout opgetreden bij het bijwerken van de bijnaam van de kamer. Dit wordt mogelijk niet toegestaan door de server of er is een tijdelijk probleem opgetreden.", - "Show Widgets": "Widgets tonen", - "Hide Widgets": "Widgets verbergen", - "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.", "Backup version:": "Versie reservekopie:", @@ -910,27 +745,12 @@ "St. Lucia": "Sint Lucia", "South Sudan": "Zuid-Soedan", "Oman": "Oman", - "No recently visited rooms": "Geen onlangs bezochte kamers", "Use the Desktop app to see all encrypted files": "Gebruik de Desktop-app om alle versleutelde bestanden te zien", "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.", "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.", - "Save your Security Key": "Jouw veiligheidssleutel opslaan", - "Confirm Security Phrase": "Veiligheidswachtwoord bevestigen", - "Set a Security Phrase": "Een veiligheidswachtwoord instellen", - "You can also set up Secure Backup & manage your keys in Settings.": "Je kan ook een beveiligde back-up instellen en je sleutels beheren via instellingen.", "Unable to access secret storage. Please verify that you entered the correct Security Phrase.": "Geen toegang tot geheime opslag. Controleer of u het juiste veiligheidswachtwoord hebt ingevoerd.", - "Unable to query secret storage status": "Kan status sleutelopslag niet opvragen", - "Use a different passphrase?": "Gebruik een ander wachtwoord?", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Bescherm je server tegen toegangsverlies tot versleutelde berichten en gegevens door een back-up te maken van de versleutelingssleutels.", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Gebruik een veiligheidswachtwoord die alleen jij kent, en sla optioneel een veiligheidssleutel op om te gebruiken als back-up.", - "Generate a Security Key": "Genereer een veiligheidssleutel", - "Confirm your Security Phrase": "Bevestig je veiligheidswachtwoord", - "Great! This Security Phrase looks strong enough.": "Geweldig. Dit veiligheidswachtwoord ziet er sterk genoeg uit.", - "Enter a Security Phrase": "Veiligheidswachtwoord invoeren", "Switch theme": "Thema wisselen", "Sign in with SSO": "Inloggen met SSO", "Hold": "Vasthouden", @@ -998,10 +818,8 @@ "Other published addresses:": "Andere gepubliceerde adressen:", "Published Addresses": "Gepubliceerde adressen", "Open dial pad": "Kiestoetsen openen", - "Recently visited rooms": "Onlangs geopende kamers", "Dial pad": "Kiestoetsen", "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.", "%(count)s members": { "other": "%(count)s personen", @@ -1016,14 +834,9 @@ "Create a new room": "Nieuwe kamer aanmaken", "Space selection": "Space-selectie", "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.": "Je kan deze wijziging niet ongedaan maken, omdat je jezelf rechten ontneemt. Als je de laatst bevoegde persoon in de Space bent zal het onmogelijk zijn om weer rechten te krijgen.", - "Suggested Rooms": "Kamersuggesties", - "Add existing room": "Bestaande kamers toevoegen", - "Invite to this space": "Voor deze Space uitnodigen", "Your message was sent": "Je bericht is verstuurd", "Leave space": "Space verlaten", "Create a space": "Space maken", - "Private space": "Privé Space", - "Public space": "Publieke Space", " 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", @@ -1035,7 +848,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.": "Normaal gesproken heeft dit alleen invloed op het verwerken van de kamer op de server. Als je problemen ervaart met %(brand)s, stuur dan een bugmelding.", "Invite to %(roomName)s": "Uitnodiging voor %(roomName)s", "Edit devices": "Apparaten bewerken", - "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.", "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?", @@ -1066,8 +878,6 @@ "other": "Bekijk alle %(count)s personen" }, "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.", "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...", @@ -1084,10 +894,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", - "Currently joining %(count)s rooms": { - "one": "Momenteel aan het toetreden tot %(count)s kamer", - "other": "Momenteel aan het toetreden tot %(count)s kamers" - }, "Or send invite link": "Of verstuur je uitnodigingslink", "Some suggestions may be hidden for privacy.": "Sommige suggesties kunnen om privacyredenen verborgen zijn.", "Search for rooms or people": "Zoek naar kamers of personen", @@ -1104,22 +910,9 @@ "Published addresses can be used by anyone on any server to join your room.": "Gepubliceerde adressen kunnen door iedereen op elke server gebruikt worden om bij jouw kamer te komen.", "Published addresses can be used by anyone on any server to join your space.": "Gepubliceerde adressen kunnen door iedereen op elke server gebruikt worden om jouw Space te betreden.", "This space has no local addresses": "Deze Space heeft geen lokaaladres", - "Space information": "Space-informatie", - "Address": "Adres", "Unnamed audio": "Naamloze audio", "Error processing audio message": "Fout bij verwerking audiobericht", - "Show %(count)s other previews": { - "one": "%(count)s andere preview weergeven", - "other": "%(count)s andere previews weergeven" - }, "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Jouw %(brand)s laat je geen integratiebeheerder gebruiken om dit te doen. Neem contact op met een beheerder.", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Integratiebeheerders ontvangen configuratie-informatie en kunnen widgets aanpassen, kameruitnodigingen versturen en machtsniveau’s namens jou aanpassen.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Gebruik een integratiebeheerder om bots, widgets en stickerpakketten te beheren.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Gebruik een integratiebeheerder (%(serverName)s) om bots, widgets en stickerpakketten te beheren.", - "Identity server (%(server)s)": "Identiteitsserver (%(server)s)", - "Could not connect to identity server": "Kon geen verbinding maken met de identiteitsserver", - "Not a valid identity server (status code %(code)s)": "Geen geldige identiteitsserver (statuscode %(code)s)", - "Identity server URL must be HTTPS": "Identiteitsserver-URL moet HTTPS zijn", "User Directory": "Personengids", "Unable to copy a link to the room to the clipboard.": "Kopiëren van kamerlink naar het klembord is mislukt.", "Unable to copy room link": "Kopiëren van kamerlink is mislukt", @@ -1130,7 +923,6 @@ "Their device couldn't start the camera or microphone": "Het andere apparaat kon de camera of microfoon niet starten", "Connection failed": "Verbinding mislukt", "Could not connect media": "Mediaverbinding mislukt", - "Public room": "Publieke kamer", "Error downloading audio": "Fout bij downloaden van audio", "Please note upgrading will make a new version of the room. All current messages will stay in this archived room.": "Let op bijwerken maakt een nieuwe versie van deze kamer. Alle huidige berichten blijven in deze gearchiveerde kamer.", "Automatically invite members from this room to the new one": "Automatisch leden uitnodigen van deze kamer in de nieuwe", @@ -1141,7 +933,6 @@ "Decide which spaces can access this room. If a space is selected, its members can find and join .": "Kies welke Spaces toegang hebben tot deze kamer. Als een Space is geselecteerd kunnen deze leden vinden en aan deelnemen.", "Select spaces": "Space selecteren", "You're removing all spaces. Access will default to invite only": "Je verwijdert alle Spaces. De toegang zal teruggezet worden naar alleen op uitnodiging", - "Add space": "Space toevoegen", "Leave %(spaceName)s": "%(spaceName)s verlaten", "You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Je bent de enige beheerder van sommige kamers of Spaces die je wil verlaten. Door deze te verlaten hebben ze geen beheerder meer.", "You're the only admin of this space. Leaving it will mean no one has control over it.": "Je bent de enige beheerder van deze Space. Door het te verlaten zal er niemand meer controle over hebben.", @@ -1169,9 +960,6 @@ "Results": "Resultaten", "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", - "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.", "Would you like to leave the rooms in this space?": "Wil je de kamers verlaten in deze Space?", "You are about to leave .": "Je staat op het punt te verlaten.", @@ -1197,16 +985,9 @@ "one": "%(count)s reactie", "other": "%(count)s reacties" }, - "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.": "Het resetten van je verificatiesleutels kan niet ongedaan worden gemaakt. Na het resetten heb je geen toegang meer tot oude versleutelde berichten, en vrienden die je eerder hebben geverifieerd zullen veiligheidswaarschuwingen zien totdat je opnieuw bij hen geverifieert bent.", - "I'll verify later": "Ik verifieer het later", - "Verify with Security Key": "Verifieer met veiligheidssleutel", - "Verify with Security Key or Phrase": "Verifieer met veiligheidssleutel of -wachtwoord", - "Proceed with reset": "Met reset doorgaan", "Really reset verification keys?": "Echt je verificatiesleutels resetten?", - "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.": "Het lijkt erop dat je geen veiligheidssleutel hebt of andere apparaten waarmee je kunt verifiëren. Dit apparaat heeft geen toegang tot oude versleutelde berichten. Om je identiteit op dit apparaat te verifiëren, moet je jouw verificatiesleutels opnieuw instellen.", "Skip verification for now": "Verificatie voorlopig overslaan", "Joined": "Toegetreden", - "Insert link": "Koppeling invoegen", "Joining": "Toetreden", "Copy link to thread": "Kopieer link naar draad", "Thread options": "Draad opties", @@ -1227,22 +1008,12 @@ "Yours, or the other users' session": "Jouw sessie, of die van de andere personen", "Yours, or the other users' internet connection": "Jouw internetverbinding, of die van de andere personen", "The homeserver the user you're verifying is connected to": "De homeserver waarmee de persoon die jij verifieert verbonden is", - "You do not have permission to start polls in this room.": "Je hebt geen toestemming om polls te starten in deze kamer.", "Reply in thread": "Reageer in draad", - "You won't get any notifications": "Je krijgt geen meldingen", - "Get notified only with mentions and keywords as set up in your settings": "Krijg alleen meldingen met vermeldingen en trefwoorden zoals ingesteld in je instellingen", - "@mentions & keywords": "@vermeldingen & trefwoorden", - "Get notified for every message": "Ontvang een melding bij elk bericht", - "Get notifications as set up in your settings": "Ontvang de meldingen zoals ingesteld in uw instellingen", - "This room isn't bridging messages to any platforms. Learn more.": "Deze kamer overbrugt geen berichten naar platformen. Lees meer.", "%(spaceName)s and %(count)s others": { "one": "%(spaceName)s en %(count)s andere", "other": "%(spaceName)s en %(count)s andere" }, - "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Wij maken een veiligheidssleutel voor je aan die je ergens veilig kunt opbergen, zoals in een wachtwoordmanager of een kluis.", "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, your vote was not registered. Please try again.": "Sorry, jouw stem is niet geregistreerd. Probeer het alstublieft opnieuw.", "Vote not registered": "Stem niet geregistreerd", "Developer": "Ontwikkelaar", @@ -1252,12 +1023,6 @@ "Messaging": "Messaging", "Spaces you know that contain this space": "Spaces die je kent met deze Space", "Chat": "Chat", - "Home options": "Home-opties", - "%(spaceName)s menu": "%(spaceName)s-menu", - "Join public room": "Publieke kamer toetreden", - "Add people": "Personen toevoegen", - "Invite to space": "Voor Space uitnodigen", - "Start new chat": "Nieuwe chat beginnen", "Recently viewed": "Recent bekeken", "%(count)s votes cast. Vote to see the results": { "one": "%(count)s stem uitgebracht. Stem om de resultaten te zien", @@ -1286,9 +1051,6 @@ "Sections to show": "Te tonen secties", "Link to room": "Link naar kamer", "Including you, %(commaSeparatedMembers)s": "Inclusief jij, %(commaSeparatedMembers)s", - "Your new device is now verified. Other users will see it as trusted.": "Jouw nieuwe apparaat is nu geverifieerd. Andere personen zien het nu als vertrouwd.", - "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Jouw nieuwe apparaat is nu geverifieerd. Het heeft toegang tot je versleutelde berichten en andere personen zien het als vertrouwd.", - "Verify with another device": "Verifieer met andere apparaat", "Device verified": "Apparaat geverifieerd", "Verify this device": "Verifieer dit apparaat", "Unable to verify this device": "Kan dit apparaat niet verifiëren", @@ -1308,7 +1070,6 @@ "Remove them from specific things I'm able to": "Verwijder ze van specifieke dingen die ik kan", "Remove them from everything I'm able to": "Verwijder ze van alles wat ik kan", "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", "Wait!": "Wacht!", "This address does not point at this room": "Dit adres verwijst niet naar deze kamer", @@ -1316,9 +1077,6 @@ "Jump to date": "Spring naar datum", "The beginning of the room": "Het begin van de kamer", "Location": "Locatie", - "Poll": "Poll", - "Voice Message": "Spraakbericht", - "Hide stickers": "Verberg stickers", "Use to scroll": "Gebruik om te scrollen", "Feedback sent! Thanks, we appreciate it!": "Reactie verzonden! Bedankt, we waarderen het!", "%(space1Name)s and %(space2Name)s": "%(space1Name)s en %(space2Name)s", @@ -1353,27 +1111,6 @@ "one": "1 deelnemer", "other": "%(count)s deelnemers" }, - "%(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 is geretourneerd tijdens een poging om toegang te krijgen tot de kamer of space. Als je denkt dat je dit bericht ten onrechte ziet, dien dan een bugrapport in.", - "Try again later, or ask a room or space admin to check if you have access.": "Probeer het later opnieuw of vraag een kamer- of space beheerder om te controleren of je toegang hebt.", - "This room or space is not accessible at this time.": "Deze kamer of space is op dit moment niet toegankelijk.", - "Are you sure you're at the right place?": "Weet je zeker dat je op de goede locatie bent?", - "This room or space does not exist.": "Deze kamer of space bestaat niet.", - "There's no preview, would you like to join?": "Er is geen preview, wil je toetreden?", - "This invite was sent to %(email)s": "De uitnodiging is verzonden naar %(email)s", - "This invite was sent to %(email)s which is not associated with your account": "Deze uitnodiging is verzonden naar %(email)s die niet is gekoppeld aan jouw account", - "You can still join here.": "Je kan hier nog toetreden.", - "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.": "Er is een fout (%(errcode)s) geretourneerd tijdens het valideren van je uitnodiging. Je kan proberen deze informatie door te geven aan de persoon die je hebt uitgenodigd.", - "Something went wrong with your invite.": "Er is iets misgegaan met je uitnodiging.", - "You were banned by %(memberName)s": "Je bent verbannen door %(memberName)s", - "Forget this space": "Vergeet deze space", - "You were removed by %(memberName)s": "Je bent verwijderd door %(memberName)s", - "Loading preview": "Voorbeeld laden", - "Currently removing messages in %(count)s rooms": { - "one": "Momenteel berichten in %(count)s kamer aan het verwijderen", - "other": "Momenteel berichten in %(count)s kamers aan het verwijderen" - }, - "New video room": "Nieuwe video kamer", - "New room": "Nieuwe kamer", "An error occurred while stopping your live location, please try again": "Er is een fout opgetreden bij het stoppen van je live locatie, probeer het opnieuw", "You are sharing your live location": "Je deelt je live locatie", "Live location enabled": "Live locatie ingeschakeld", @@ -1405,31 +1142,18 @@ "You will not be able to reactivate your account": "Zal je jouw account niet kunnen heractiveren", "Confirm that you would like to deactivate your account. If you proceed:": "Bevestig dat je jouw account wil deactiveren. Als je doorgaat:", "To continue, please enter your account password:": "Voer je wachtwoord in om verder te gaan:", - "Seen by %(count)s people": { - "one": "Gezien door %(count)s persoon", - "other": "Gezien door %(count)s mensen" - }, - "Your password was successfully changed.": "Wachtwoord veranderen geslaagd.", "An error occurred while stopping your live location": "Er is een fout opgetreden bij het stoppen van je live locatie", "Your message wasn't sent because this homeserver has been blocked by its administrator. Please contact your service administrator to continue using the service.": "Je bericht is niet verzonden omdat deze server is geblokkeerd door de beheerder. Neem contact op met je servicebeheerder om de service te blijven gebruiken.", "Cameras": "Camera's", "Output devices": "Uitvoerapparaten", "Input devices": "Invoer apparaten", - "Private room": "Privé kamer", - "To view, please enable video rooms in Labs first": "Schakel eerst videokamers in Labs in om te bekijken", - "To join, please enable video rooms in Labs first": "Schakel eerst videokamers in Labs in om deel te nemen", "Open room": "Open kamer", "Show Labs settings": "Lab instellingen weergeven", - "To view %(roomName)s, you need an invite": "Om %(roomName)s te bekijken, heb je een uitnodiging nodig", - "Video room": "Video kamer", "%(members)s and %(last)s": "%(members)s en %(last)s", "%(members)s and more": "%(members)s en meer", "Unread email icon": "Ongelezen e-mailpictogram", "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", - "Joining…": "Deelnemen…", - "Read receipts": "Leesbevestigingen", - "Deactivating your account is a permanent action — be careful!": "Het deactiveren van je account is een permanente actie - wees voorzichtig!", "Remove search filter for %(filter)s": "Verwijder zoekfilter voor %(filter)s", "Start a group chat": "Start een groepsgesprek", "Other options": "Andere opties", @@ -1461,14 +1185,12 @@ "You're in": "Je bent binnen", "You need to have the right permissions in order to share locations in this room.": "Je dient de juiste rechten te hebben om locaties in deze ruimte te delen.", "You don't have permission to share locations": "Je bent niet gemachtigd om locaties te delen", - "Join the room to participate": "Doe mee met de kamer om deel te nemen", "Messages in this chat will be end-to-end encrypted.": "Berichten in deze chat worden eind-tot-eind versleuteld.", "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", "Interactively verify by emoji": "Interactief verifiëren door emoji", "Manually verify by text": "Handmatig verifiëren via tekst", - "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s of %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s of %(recoveryFile)s", "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", @@ -1491,18 +1213,6 @@ "Video call ended": "Video oproep beëindigd", "%(name)s started a video call": "%(name)s is een videogesprek gestart", "Room info": "Kamer informatie", - "View chat timeline": "Gesprekstijdslijn bekijken", - "Close call": "Sluit oproep", - "Spotlight": "Schijnwerper", - "Freedom": "Vrijheid", - "Video call (%(brand)s)": "Videogesprek (%(brand)s)", - "Video call (Jitsi)": "Videogesprek (Jitsi)", - "Show formatting": "Opmaak tonen", - "Failed to set pusher state": "Kan de pusher status niet instellen", - "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.", - "Enable %(brand)s as an additional calling option in this room": "Schakel %(brand)s in als extra bel optie in deze kamer", "common": { "about": "Over", "analytics": "Gebruiksgegevens", @@ -1605,7 +1315,18 @@ "general": "Algemeen", "profile": "Profiel", "display_name": "Weergavenaam", - "user_avatar": "Profielfoto" + "user_avatar": "Profielfoto", + "authentication": "Login bevestigen", + "public_room": "Publieke kamer", + "video_room": "Video kamer", + "public_space": "Publieke Space", + "private_space": "Privé Space", + "private_room": "Privé kamer", + "rooms": "Kamers", + "low_priority": "Lage prioriteit", + "historical": "Historisch", + "go_to_settings": "Ga naar instellingen", + "setup_secure_messages": "Beveiligde berichten instellen" }, "action": { "continue": "Doorgaan", @@ -1708,7 +1429,16 @@ "unban": "Ontbannen", "click_to_copy": "Klik om te kopiëren", "hide_advanced": "Geavanceerde info verbergen", - "show_advanced": "Geavanceerde info tonen" + "show_advanced": "Geavanceerde info tonen", + "unignore": "Niet meer negeren", + "start_new_chat": "Nieuwe chat beginnen", + "invite_to_space": "Voor Space uitnodigen", + "add_people": "Personen toevoegen", + "explore_rooms": "Kamers ontdekken", + "new_room": "Nieuwe kamer", + "new_video_room": "Nieuwe video kamer", + "add_existing_room": "Bestaande kamers toevoegen", + "explore_public_rooms": "Publieke kamers ontdekken" }, "a11y": { "user_menu": "Persoonsmenu", @@ -1721,7 +1451,8 @@ "one": "1 ongelezen bericht." }, "unread_messages": "Ongelezen berichten.", - "jump_first_invite": "Ga naar de eerste uitnodiging." + "jump_first_invite": "Ga naar de eerste uitnodiging.", + "room_name": "Kamer %(name)s" }, "labs": { "video_rooms": "Video kamers", @@ -1872,7 +1603,20 @@ "space_a11y": "Space autocomplete", "user_description": "Personen", "user_a11y": "Personen autoaanvullen" - } + }, + "room_upgraded_link": "Het gesprek gaat hier verder.", + "room_upgraded_notice": "Deze kamer is vervangen en niet langer actief.", + "no_perms_notice": "Je hebt geen toestemming actief aan deze kamer deel te nemen", + "send_button_voice_message": "Spraakbericht versturen", + "close_sticker_picker": "Verberg stickers", + "voice_message_button": "Spraakbericht", + "poll_button_no_perms_title": "Toestemming vereist", + "poll_button_no_perms_description": "Je hebt geen toestemming om polls te starten in deze kamer.", + "poll_button": "Poll", + "mode_rich_text": "Opmaak tonen", + "format_italics": "Cursief", + "format_insert_link": "Koppeling invoegen", + "replying_title": "Aan het beantwoorden" }, "Code": "Code", "power_level": { @@ -2072,7 +1816,14 @@ "inline_url_previews_room_account": "URL-voorvertoning in dit kamer inschakelen (geldt alleen voor jou)", "inline_url_previews_room": "URL-voorvertoning voor alle deelnemers aan deze kamer standaard inschakelen", "voip": { - "mirror_local_feed": "Lokale videoaanvoer ook elders opslaan (spiegelen)" + "mirror_local_feed": "Lokale videoaanvoer ook elders opslaan (spiegelen)", + "missing_permissions_prompt": "Mediatoestemmingen ontbreken, klik op de knop hieronder om deze aan te vragen.", + "request_permissions": "Mediatoestemmingen verzoeken", + "audio_output": "Geluidsuitgang", + "audio_output_empty": "Geen geluidsuitgangen gedetecteerd", + "audio_input_empty": "Geen microfoons gevonden", + "video_input_empty": "Geen webcams gevonden", + "title": "Spraak & video" }, "send_read_receipts_unsupported": "Jouw server biedt geen ondersteuning voor het uitschakelen van het verzenden van leesbevestigingen.", "security": { @@ -2143,7 +1894,11 @@ "key_backup_connect": "Verbind deze sessie met de sleutelback-up", "key_backup_complete": "Alle sleutels zijn geback-upt", "key_backup_algorithm": "Algoritme:", - "key_backup_inactive_warning": "Jouw sleutels worden niet geback-upt van deze sessie." + "key_backup_inactive_warning": "Jouw sleutels worden niet geback-upt van deze sessie.", + "key_backup_active_version_none": "Geen", + "ignore_users_empty": "Je hebt geen persoon genegeerd.", + "ignore_users_section": "Genegeerde personen", + "e2ee_default_disabled_warning": "De beheerder van je server heeft eind-tot-eind-versleuteling standaard uitgeschakeld in alle privékamers en directe gesprekken." }, "preferences": { "room_list_heading": "Kamerslijst", @@ -2242,7 +1997,8 @@ "one": "Weet u zeker dat u zich wilt afmelden bij %(count)s sessies?", "other": "Weet u zeker dat u zich wilt afmelden bij %(count)s sessies?" }, - "other_sessions_subsection_description": "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_subsection_description": "Voor de beste beveiliging verifieer je jouw sessies en meldt je jezelf af bij elke sessie die je niet meer herkent of gebruikt.", + "error_pusher_state": "Kan de pusher status niet instellen" }, "general": { "account_section": "Account", @@ -2260,7 +2016,41 @@ "add_msisdn_dialog_title": "Telefoonnummer toevoegen", "name_placeholder": "Geen weergavenaam", "error_saving_profile_title": "Profiel opslaan mislukt", - "error_saving_profile": "De handeling kon niet worden voltooid" + "error_saving_profile": "De handeling kon niet worden voltooid", + "error_password_change_403": "Wijzigen van wachtwoord is mislukt. Is je wachtwoord juist?", + "password_change_success": "Wachtwoord veranderen geslaagd.", + "emails_heading": "E-mailadressen", + "msisdns_heading": "Telefoonnummers", + "discovery_needs_terms": "Aanvaard de gebruiksvoorwaarden van de identiteitsserver (%(serverName)s) om vindbaar te zijn op e-mailadres of telefoonnummer.", + "deactivate_section": "Account Sluiten", + "account_management_section": "Accountbeheer", + "deactivate_warning": "Het deactiveren van je account is een permanente actie - wees voorzichtig!", + "discovery_section": "Vindbaarheid", + "error_revoke_email_discovery": "Kan delen voor dit e-mailadres niet intrekken", + "error_share_email_discovery": "Kan e-mailadres niet delen", + "email_not_verified": "Jouw e-mailadres is nog niet geverifieerd", + "email_verification_instructions": "Open de koppeling in de ontvangen verificatie-e-mail, en klik dan op ‘Doorgaan’.", + "error_email_verification": "Kan e-mailadres niet verifiëren.", + "discovery_email_verification_instructions": "Verifieer de koppeling in je postvak", + "discovery_email_empty": "Vindbaarheidopties zullen verschijnen wanneer je een e-mailadres hebt toegevoegd.", + "error_revoke_msisdn_discovery": "Kan delen voor dit telefoonnummer niet intrekken", + "error_share_msisdn_discovery": "Kan telefoonnummer niet delen", + "error_msisdn_verification": "Kan telefoonnummer niet verifiëren.", + "incorrect_msisdn_verification": "Onjuiste verificatiecode", + "msisdn_verification_instructions": "Voer de verificatiecode in die werd verstuurd via sms.", + "msisdn_verification_field_label": "Verificatiecode", + "discovery_msisdn_empty": "Vindbaarheidopties zullen verschijnen wanneer je een telefoonnummer hebt toegevoegd.", + "error_set_name": "Instellen van weergavenaam is mislukt", + "error_remove_3pid": "Kan contactinformatie niet verwijderen", + "remove_email_prompt": "%(email)s verwijderen?", + "error_invalid_email": "Ongeldig e-mailadres", + "error_invalid_email_detail": "Het ziet er niet naar uit dat dit een geldig e-mailadres is", + "error_add_email": "Kan e-mailadres niet toevoegen", + "add_email_instructions": "We hebben je een e-mail gestuurd om je adres te verifiëren. Gelieve de daarin gegeven aanwijzingen op te volgen en dan op de knop hieronder te klikken.", + "email_address_label": "E-mailadres", + "remove_msisdn_prompt": "%(phone)s verwijderen?", + "add_msisdn_instructions": "Er is een sms verstuurd naar +%(msisdn)s. Voor de verificatiecode in die in het bericht staat.", + "msisdn_label": "Telefoonnummer" }, "sidebar": { "title": "Zijbalk", @@ -2273,6 +2063,52 @@ "metaspaces_orphans_description": "Groepeer al je kamers die geen deel uitmaken van een space op één plaats.", "metaspaces_home_all_rooms_description": "Toon al je kamers in Home, zelfs als ze al in een space zitten.", "metaspaces_home_all_rooms": "Alle kamers tonen" + }, + "key_backup": { + "backup_in_progress": "Er wordt een back-up van je sleutels gemaakt (de eerste back-up kan enkele minuten duren).", + "backup_success": "Klaar!", + "create_title": "Sleutelback-up aanmaken", + "cannot_create_backup": "Kan sleutelback-up niet aanmaken", + "setup_secure_backup": { + "generate_security_key_title": "Genereer een veiligheidssleutel", + "generate_security_key_description": "Wij maken een veiligheidssleutel voor je aan die je ergens veilig kunt opbergen, zoals in een wachtwoordmanager of een kluis.", + "enter_phrase_title": "Veiligheidswachtwoord invoeren", + "description": "Bescherm je server tegen toegangsverlies tot versleutelde berichten en gegevens door een back-up te maken van de versleutelingssleutels.", + "requires_password_confirmation": "Voer je wachtwoord in om het upgraden te bevestigen:", + "requires_key_restore": "Herstel je sleutelback-up om je versleuteling te upgraden", + "requires_server_authentication": "Je zal moeten inloggen bij de server om het upgraden te bevestigen.", + "session_upgrade_description": "Upgrade deze sessie om er andere sessies mee te verifiëren. Hiermee krijgen de andere sessies toegang tot je versleutelde berichten en is het voor andere personen als vertrouwd gemarkeerd .", + "phrase_strong_enough": "Geweldig. Dit veiligheidswachtwoord ziet er sterk genoeg uit.", + "pass_phrase_match_success": "Dat komt overeen!", + "use_different_passphrase": "Gebruik een ander wachtwoord?", + "pass_phrase_match_failed": "Dat komt niet overeen.", + "set_phrase_again": "Ga terug om het opnieuw in te stellen.", + "enter_phrase_to_confirm": "Voer je veiligheidswachtwoord een tweede keer in om het te bevestigen.", + "confirm_security_phrase": "Bevestig je veiligheidswachtwoord", + "security_key_safety_reminder": "Bewaar je veiligheidssleutel op een veilige plaats, zoals in een wachtwoordmanager of een kluis, aangezien hiermee je versleutelde gegevens zijn beveiligd.", + "download_or_copy": "%(downloadButton)s of %(copyButton)s", + "secret_storage_query_failure": "Kan status sleutelopslag niet opvragen", + "cancel_warning": "Als je nu annuleert, kan je versleutelde berichten en gegevens verliezen als je geen toegang meer hebt tot je login.", + "settings_reminder": "Je kan ook een beveiligde back-up instellen en je sleutels beheren via instellingen.", + "title_upgrade_encryption": "Upgrade je versleuteling", + "title_set_phrase": "Een veiligheidswachtwoord instellen", + "title_confirm_phrase": "Veiligheidswachtwoord bevestigen", + "title_save_key": "Jouw veiligheidssleutel opslaan", + "unable_to_setup": "Kan sleutelopslag niet instellen", + "use_phrase_only_you_know": "Gebruik een veiligheidswachtwoord die alleen jij kent, en sla optioneel een veiligheidssleutel op om te gebruiken als back-up." + } + }, + "key_export_import": { + "export_title": "Kamersleutels exporteren", + "export_description_1": "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.", + "enter_passphrase": "Wachtwoord invoeren", + "confirm_passphrase": "Wachtwoord bevestigen", + "phrase_cannot_be_empty": "Wachtwoord mag niet leeg zijn", + "phrase_must_match": "Wachtwoorden moeten overeenkomen", + "import_title": "Kamersleutels importeren", + "import_description_1": "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.", + "import_description_2": "Het weggeschreven bestand is beveiligd met een wachtwoord. Voer dat wachtwoord hier in om het bestand te ontsleutelen.", + "file_to_import": "In te lezen bestand" } }, "devtools": { @@ -2730,7 +2566,19 @@ "collapse_reply_thread": "Antwoorddraad invouwen", "view_related_event": "Bekijk gerelateerde gebeurtenis", "report": "Melden" - } + }, + "url_preview": { + "show_n_more": { + "one": "%(count)s andere preview weergeven", + "other": "%(count)s andere previews weergeven" + }, + "close": "Voorbeeld sluiten" + }, + "read_receipt_title": { + "one": "Gezien door %(count)s persoon", + "other": "Gezien door %(count)s mensen" + }, + "read_receipts_label": "Leesbevestigingen" }, "slash_command": { "spoiler": "Verstuurt het bericht als een spoiler", @@ -2974,7 +2822,14 @@ "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" + "permissions_section_description_room": "Selecteer de vereiste rollen om verschillende delen van de kamer te wijzigen", + "error_unbanning": "Ontbannen mislukt", + "banned_by": "Verbannen door %(displayName)s", + "ban_reason": "Reden", + "error_changing_pl_reqs_title": "Fout bij wijzigen van machtsniveauvereiste", + "error_changing_pl_reqs_description": "Er is een fout opgetreden bij het wijzigen van de machtsniveauvereisten van de kamer. Zorg ervoor dat je over voldoende machtigingen beschikt en probeer het opnieuw.", + "error_changing_pl_title": "Fout bij wijzigen van machtsniveau", + "error_changing_pl_description": "Er is een fout opgetreden bij het wijzigen van het machtsniveau van de persoon. Zorg ervoor dat je over voldoende machtigingen beschikt en probeer het opnieuw." }, "security": { "strict_encryption": "Vanaf deze sessie nooit versleutelde berichten naar ongeverifieerde sessies in deze kamer versturen", @@ -3026,7 +2881,9 @@ "join_rule_upgrade_updating_spaces": { "one": "Spaces bijwerken...", "other": "Spaces bijwerken... (%(progress)s van %(count)s)" - } + }, + "error_join_rule_change_title": "Het updaten van de deelname regels is mislukt", + "error_join_rule_change_unknown": "Onbekende fout" }, "general": { "publish_toggle": "Deze kamer vermelden in de publieke kamersgids van %(domain)s?", @@ -3040,7 +2897,9 @@ "error_save_space_settings": "Het opslaan van de space-instellingen is mislukt.", "description_space": "Bewerk instellingen gerelateerd aan jouw space.", "save": "Wijzigingen opslaan", - "leave_space": "Space verlaten" + "leave_space": "Space verlaten", + "aliases_section": "Kameradressen", + "other_section": "Overige" }, "advanced": { "unfederated": "Deze kamer is niet toegankelijk vanaf externe Matrix-servers", @@ -3050,7 +2909,9 @@ "room_predecessor": "Bekijk oudere berichten in %(roomName)s.", "room_id": "Interne ruimte ID", "room_version_section": "Kamerversie", - "room_version": "Kamerversie:" + "room_version": "Kamerversie:", + "information_section_space": "Space-informatie", + "information_section_room": "Kamerinformatie" }, "delete_avatar_label": "Afbeelding verwijderen", "upload_avatar_label": "Afbeelding uploaden", @@ -3064,11 +2925,31 @@ "history_visibility_anyone_space": "Space voorvertoning", "history_visibility_anyone_space_description": "Personen toestaan een voorvertoning van jouw space te zien voor deelname.", "history_visibility_anyone_space_recommendation": "Aanbevolen voor publieke spaces.", - "guest_access_label": "Gastentoegang inschakelen" + "guest_access_label": "Gastentoegang inschakelen", + "alias_section": "Adres" }, "access": { "title": "Toegang", "description_space": "Bepaal wie kan lezen en deelnemen aan %(spaceName)s." + }, + "bridges": { + "description": "Deze kamer wordt overbrugd naar de volgende platformen. Lees meer", + "empty": "Deze kamer overbrugt geen berichten naar platformen. Lees meer.", + "title": "Bruggen" + }, + "notifications": { + "uploaded_sound": "Geüpload-geluid", + "settings_link": "Ontvang de meldingen zoals ingesteld in uw instellingen", + "sounds_section": "Geluiden", + "notification_sound": "Meldingsgeluid", + "custom_sound_prompt": "Stel een nieuw aangepast geluid in", + "browse_button": "Bladeren" + }, + "voip": { + "enable_element_call_label": "Schakel %(brand)s in als extra bel optie in deze kamer", + "enable_element_call_caption": "%(brand)s is eind-tot-eind versleuteld, maar is momenteel beperkt tot kleinere aantallen gebruikers.", + "enable_element_call_no_permissions_tooltip": "U heeft niet voldoende rechten om dit te wijzigen.", + "call_type_section": "Oproeptype" } }, "encryption": { @@ -3099,7 +2980,18 @@ "unverified_sessions_toast_description": "Controleer ze zodat jouw account veilig is", "unverified_sessions_toast_reject": "Later", "unverified_session_toast_title": "Nieuwe login gevonden. Was jij dat?", - "request_toast_detail": "%(deviceId)s van %(ip)s" + "request_toast_detail": "%(deviceId)s van %(ip)s", + "no_key_or_device": "Het lijkt erop dat je geen veiligheidssleutel hebt of andere apparaten waarmee je kunt verifiëren. Dit apparaat heeft geen toegang tot oude versleutelde berichten. Om je identiteit op dit apparaat te verifiëren, moet je jouw verificatiesleutels opnieuw instellen.", + "reset_proceed_prompt": "Met reset doorgaan", + "verify_using_key_or_phrase": "Verifieer met veiligheidssleutel of -wachtwoord", + "verify_using_key": "Verifieer met veiligheidssleutel", + "verify_using_device": "Verifieer met andere apparaat", + "verification_description": "Verifeer je identiteit om toegang te krijgen tot je versleutelde berichten en om je identiteit te bewijzen voor anderen.", + "verification_success_with_backup": "Jouw nieuwe apparaat is nu geverifieerd. Het heeft toegang tot je versleutelde berichten en andere personen zien het als vertrouwd.", + "verification_success_without_backup": "Jouw nieuwe apparaat is nu geverifieerd. Andere personen zien het nu als vertrouwd.", + "verification_skip_warning": "Zonder verifiëren heb je geen toegang tot al je berichten en kan je als onvertrouwd aangemerkt staan bij anderen.", + "verify_later": "Ik verifieer het later", + "verify_reset_warning_1": "Het resetten van je verificatiesleutels kan niet ongedaan worden gemaakt. Na het resetten heb je geen toegang meer tot oude versleutelde berichten, en vrienden die je eerder hebben geverifieerd zullen veiligheidswaarschuwingen zien totdat je opnieuw bij hen geverifieert bent." }, "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.", @@ -3120,7 +3012,19 @@ "cross_signing_ready_no_backup": "Kruiselings ondertekenen is klaar, maar de sleutels zijn nog niet geback-upt.", "cross_signing_untrusted": "Jouw account heeft een identiteit voor kruiselings ondertekenen in de sleutelopslag, maar die wordt nog niet vertrouwd door de huidige sessie.", "cross_signing_not_ready": "Kruiselings ondertekenen is niet ingesteld.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Nieuwe herstelmethode", + "description_1": "Er is een nieuwe veiligheidswachtwoord en -sleutel voor versleutelde berichten gedetecteerd.", + "description_2": "Deze sessie versleutelt je geschiedenis aan de hand van de nieuwe herstelmethode.", + "warning": "Als je deze nieuwe herstelmethode niet hebt ingesteld, is het mogelijk dat een aanvaller toegang tot jouw account probeert te krijgen. Wijzig onmiddellijk je wachtwoord en stel bij instellingen een nieuwe herstelmethode in." + }, + "recovery_method_removed": { + "title": "Herstelmethode verwijderd", + "description_1": "Deze sessie heeft ontdekt dat je veiligheidswachtwoord en -sleutel voor versleutelde berichten zijn verwijderd.", + "description_2": "Als je dit per ongeluk hebt gedaan, kan je beveiligde berichten op deze sessie instellen, waarmee de berichtgeschiedenis van deze sessie opnieuw zal versleuteld worden aan de hand van een nieuwe herstelmethode.", + "warning": "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." + } }, "emoji": { "category_frequently_used": "Vaak gebruikt", @@ -3278,7 +3182,9 @@ "autodiscovery_unexpected_error_hs": "Onverwachte fout bij het controleren van de homeserver-configuratie", "autodiscovery_unexpected_error_is": "Onverwachte fout bij het oplossen van de identiteitsserverconfiguratie", "incorrect_credentials_detail": "Let op dat je inlogt bij de %(hs)s-server, niet matrix.org.", - "create_account_title": "Registeren" + "create_account_title": "Registeren", + "failed_soft_logout_homeserver": "Opnieuw inloggen is mislukt wegens een probleem met de homeserver", + "soft_logout_subheading": "Persoonlijke gegevens wissen" }, "room_list": { "sort_unread_first": "Kamers met ongelezen berichten als eerste tonen", @@ -3295,7 +3201,23 @@ "notification_options": "Meldingsinstellingen", "failed_set_dm_tag": "Kan tag voor direct bericht niet instellen", "failed_remove_tag": "Verwijderen van %(tagName)s-label van kamer is mislukt", - "failed_add_tag": "Toevoegen van %(tagName)s-label aan kamer is mislukt" + "failed_add_tag": "Toevoegen van %(tagName)s-label aan kamer is mislukt", + "breadcrumbs_label": "Onlangs geopende kamers", + "breadcrumbs_empty": "Geen onlangs bezochte kamers", + "add_room_label": "Kamer toevoegen", + "suggested_rooms_heading": "Kamersuggesties", + "add_space_label": "Space toevoegen", + "join_public_room_label": "Publieke kamer toetreden", + "joining_rooms_status": { + "one": "Momenteel aan het toetreden tot %(count)s kamer", + "other": "Momenteel aan het toetreden tot %(count)s kamers" + }, + "redacting_messages_status": { + "one": "Momenteel berichten in %(count)s kamer aan het verwijderen", + "other": "Momenteel berichten in %(count)s kamers aan het verwijderen" + }, + "space_menu_label": "%(spaceName)s-menu", + "home_menu_label": "Home-opties" }, "report_content": { "missing_reason": "Geef aan waarom je deze melding indient.", @@ -3530,7 +3452,8 @@ "search_children": "Zoek %(spaceName)s", "invite_link": "Deel uitnodigingskoppeling", "invite": "Personen uitnodigen", - "invite_description": "Uitnodigen per e-mail of inlognaam" + "invite_description": "Uitnodigen per e-mail of inlognaam", + "invite_this_space": "Voor deze Space uitnodigen" }, "location_sharing": { "MapStyleUrlNotConfigured": "Deze server is niet geconfigureerd om kaarten weer te geven.", @@ -3584,7 +3507,8 @@ "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" + "lists_new_label": "Kamer-ID of het adres van de banlijst", + "rules_empty": "Geen" }, "create_space": { "name_required": "Vul een naam in voor deze space", @@ -3675,8 +3599,67 @@ "mentions_only": "Alleen vermeldingen", "copy_link": "Kamerlink kopiëren", "low_priority": "Lage prioriteit", - "forget": "Kamer vergeten" - } + "forget": "Kamer vergeten", + "title": "Kameropties" + }, + "invite_this_room": "Uitnodigen voor deze kamer", + "header": { + "video_call_button_jitsi": "Videogesprek (Jitsi)", + "video_call_button_ec": "Videogesprek (%(brand)s)", + "video_call_ec_layout_freedom": "Vrijheid", + "video_call_ec_layout_spotlight": "Schijnwerper", + "forget_room_button": "Kamer vergeten", + "hide_widgets_button": "Widgets verbergen", + "show_widgets_button": "Widgets tonen", + "close_call_button": "Sluit oproep", + "video_room_view_chat_button": "Gesprekstijdslijn bekijken" + }, + "joining": "Deelnemen…", + "join_title": "Doe mee met de kamer om deel te nemen", + "join_title_account": "Neem deel aan de kamer met een account", + "join_button_account": "Registreren", + "loading_preview": "Voorbeeld laden", + "kicked_from_room_by": "Je bent verwijderd uit %(roomName)s door %(memberName)s", + "kicked_by": "Je bent verwijderd door %(memberName)s", + "kick_reason": "Reden: %(reason)s", + "forget_space": "Vergeet deze space", + "forget_room": "Deze kamer vergeten", + "rejoin_button": "Opnieuw toetreden", + "banned_from_room_by": "Je bent uit %(roomName)s verbannen door %(memberName)s", + "banned_by": "Je bent verbannen door %(memberName)s", + "3pid_invite_error_title_room": "Er is iets misgegaan met je uitnodiging voor %(roomName)s", + "3pid_invite_error_title": "Er is iets misgegaan met je uitnodiging.", + "3pid_invite_error_description": "Er is een fout (%(errcode)s) geretourneerd tijdens het valideren van je uitnodiging. Je kan proberen deze informatie door te geven aan de persoon die je hebt uitgenodigd.", + "3pid_invite_error_invite_subtitle": "Je kan de kamer enkel toetreden met een werkende uitnodiging.", + "3pid_invite_error_invite_action": "Toch proberen deelnemen", + "3pid_invite_error_public_subtitle": "Je kan hier nog toetreden.", + "join_the_discussion": "Neem deel aan de kamer", + "3pid_invite_email_not_found_account_room": "Deze uitnodiging tot %(roomName)s was verstuurd naar %(email)s, dat niet aan uw account gekoppeld is", + "3pid_invite_email_not_found_account": "Deze uitnodiging is verzonden naar %(email)s die niet is gekoppeld aan jouw account", + "link_email_to_receive_3pid_invite": "Koppel in de instellingen dit e-mailadres aan uw account om uitnodigingen direct in %(brand)s te ontvangen.", + "invite_sent_to_email_room": "Deze uitnodiging tot %(roomName)s was verstuurd naar %(email)s", + "invite_sent_to_email": "De uitnodiging is verzonden naar %(email)s", + "3pid_invite_no_is_subtitle": "Gebruik in de instellingen een identiteitsserver om uitnodigingen direct in %(brand)s te ontvangen.", + "invite_email_mismatch_suggestion": "Deel in de instellingen dit e-mailadres om uitnodigingen direct in %(brand)s te ontvangen.", + "dm_invite_title": "Wil je een kamer beginnen met %(user)s?", + "dm_invite_subtitle": " wil een chat met je beginnen", + "dm_invite_action": "Gesprek beginnen", + "invite_title": "Wil je tot %(roomName)s toetreden?", + "invite_subtitle": " heeft je uitgenodigd", + "invite_reject_ignore": "Weigeren en persoon negeren", + "peek_join_prompt": "Je bekijkt %(roomName)s. Wilt je eraan deelnemen?", + "no_peek_join_prompt": "%(roomName)s kan niet vooraf bekeken worden. Wil je eraan deelnemen?", + "no_peek_no_name_join_prompt": "Er is geen preview, wil je toetreden?", + "not_found_title_name": "%(roomName)s bestaat niet.", + "not_found_title": "Deze kamer of space bestaat niet.", + "not_found_subtitle": "Weet je zeker dat je op de goede locatie bent?", + "inaccessible_name": "%(roomName)s is op dit moment niet toegankelijk.", + "inaccessible": "Deze kamer of space is op dit moment niet toegankelijk.", + "inaccessible_subtitle_1": "Probeer het later opnieuw of vraag een kamer- of space beheerder om te controleren of je toegang hebt.", + "inaccessible_subtitle_2": "%(errcode)s is geretourneerd tijdens een poging om toegang te krijgen tot de kamer of space. Als je denkt dat je dit bericht ten onrechte ziet, dien dan een bugrapport in.", + "join_failed_needs_invite": "Om %(roomName)s te bekijken, heb je een uitnodiging nodig", + "view_failed_enable_video_rooms": "Schakel eerst videokamers in Labs in om te bekijken", + "join_failed_enable_video_rooms": "Schakel eerst videokamers in Labs in om deel te nemen" }, "file_panel": { "guest_note": "Je dient je te registreren om deze functie te gebruiken", @@ -3813,7 +3796,14 @@ "keyword_new": "Nieuw trefwoord", "class_global": "Overal", "class_other": "Overige", - "mentions_keywords": "Vermeldingen & trefwoorden" + "mentions_keywords": "Vermeldingen & trefwoorden", + "default": "Standaard", + "all_messages": "Alle berichten", + "all_messages_description": "Ontvang een melding bij elk bericht", + "mentions_and_keywords": "@vermeldingen & trefwoorden", + "mentions_and_keywords_description": "Krijg alleen meldingen met vermeldingen en trefwoorden zoals ingesteld in je instellingen", + "mute_description": "Je krijgt geen meldingen", + "message_didnt_send": "Bericht is niet verstuur. Klik voor meer info." }, "mobile_guide": { "toast_title": "Gebruik de app voor een betere ervaring", @@ -3837,6 +3827,43 @@ "a11y_jump_first_unread_room": "Ga naar het eerste ongelezen kamer.", "integration_manager": { "error_connecting_heading": "Kan geen verbinding maken met de integratiebeheerder", - "error_connecting": "De integratiebeheerder is offline of kan je homeserver niet bereiken." + "error_connecting": "De integratiebeheerder is offline of kan je homeserver niet bereiken.", + "use_im_default": "Gebruik een integratiebeheerder (%(serverName)s) om bots, widgets en stickerpakketten te beheren.", + "use_im": "Gebruik een integratiebeheerder om bots, widgets en stickerpakketten te beheren.", + "manage_title": "Integratiebeheerder", + "explainer": "Integratiebeheerders ontvangen configuratie-informatie en kunnen widgets aanpassen, kameruitnodigingen versturen en machtsniveau’s namens jou aanpassen." + }, + "identity_server": { + "url_not_https": "Identiteitsserver-URL moet HTTPS zijn", + "error_invalid": "Geen geldige identiteitsserver (statuscode %(code)s)", + "error_connection": "Kon geen verbinding maken met de identiteitsserver", + "checking": "Server wordt gecontroleerd", + "change": "Identiteitsserver wisselen", + "change_prompt": "Verbinding met identiteitsserver verbreken en in plaats daarvan verbinden met ?", + "error_invalid_or_terms": "Dienstvoorwaarden niet aanvaard, of de identiteitsserver is ongeldig.", + "no_terms": "De identiteitsserver die je hebt gekozen heeft geen dienstvoorwaarden.", + "disconnect": "Verbinding met identiteitsserver verbreken", + "disconnect_server": "Wil je de verbinding met de identiteitsserver verbreken?", + "disconnect_offline_warning": "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.", + "suggestions": "Je zou best:", + "suggestions_1": "je browserextensies bekijken voor extensies die mogelijk de identiteitsserver blokkeren (zoals Privacy Badger)", + "suggestions_2": "contact opnemen met de beheerders van de identiteitsserver ", + "suggestions_3": "wachten en het later weer proberen", + "disconnect_anyway": "Verbinding toch verbreken", + "disconnect_personal_data_warning_1": "Je deelt nog steeds je persoonlijke gegevens op de identiteitsserver .", + "disconnect_personal_data_warning_2": "We raden je aan je e-mailadressen en telefoonnummers van de identiteitsserver te verwijderen voordat je de verbinding verbreekt.", + "url": "Identiteitsserver (%(server)s)", + "description_connected": "Om bekenden te kunnen vinden en voor hen vindbaar te zijn gebruik je momenteel . Je kan die identiteitsserver hieronder wijzigen.", + "change_server_prompt": "Mocht je, om bekenden te zoeken en zelf vindbaar te zijn, niet willen gebruiken, voer dan hieronder een andere identiteitsserver in.", + "description_disconnected": "Je gebruikt momenteel geen identiteitsserver. Voeg er hieronder één toe om bekenden te kunnen vinden en voor hen vindbaar te zijn.", + "disconnect_warning": "Als je de verbinding met je identiteitsserver verbreekt zal je niet door andere personen gevonden kunnen worden, en dat je anderen niet via e-mail of telefoon zal kunnen uitnodigen.", + "description_optional": "Een identiteitsserver is niet verplicht, maar zonder identiteitsserver zal je geen bekenden op e-mailadres of telefoonnummer kunnen zoeken, noch door hen vindbaar zijn.", + "do_not_use": "Geen identiteitsserver gebruiken", + "url_field_label": "Voer een nieuwe identiteitsserver in" + }, + "member_list": { + "invited_list_heading": "Uitgenodigd", + "filter_placeholder": "Kamerleden filteren", + "power_label": "%(userName)s (macht %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/nn.json b/src/i18n/strings/nn.json index 9ebdf584a2..71d130a343 100644 --- a/src/i18n/strings/nn.json +++ b/src/i18n/strings/nn.json @@ -1,5 +1,4 @@ { - "Permission Required": "Tillating er Naudsynt", "Sun": "su", "Mon": "må", "Tue": "ty", @@ -25,15 +24,10 @@ "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)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 %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s", - "Default": "Opphavleg innstilling", "Restricted": "Avgrensa", "Moderator": "Moderator", - "Reason": "Grunnlag", "Send": "Send", - "Incorrect verification code": "Urett stadfestingskode", "Warning!": "Åtvaring!", - "Authentication": "Authentisering", - "Failed to set display name": "Fekk ikkje til å setja visningsnamn", "This event could not be displayed": "Denne hendingen kunne ikkje visast", "Failed to ban user": "Fekk ikkje til å stenge ute brukaren", "Demote yourself?": "Senke ditt eige tilgangsnivå?", @@ -42,36 +36,23 @@ "Failed to mute user": "Fekk ikkje til å dempe brukaren", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Du kan ikkje angre denne endringa, fordi brukaren du forfremmar vil få same tilgangsnivå som du har no.", "Are you sure?": "Er du sikker?", - "Unignore": "Slutt å ignorer", "Share Link to User": "Del ei lenke til brukaren", "Admin Tools": "Administratorverktøy", "and %(count)s others...": { "other": "og %(count)s andre...", "one": "og ein annan..." }, - "Invited": "Invitert", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (tilgangsnivå %(powerLevelNumber)s)", - "You do not have permission to post to this room": "Du har ikkje lov til å senda meldingar i dette rommet", "%(duration)ss": "%(duration)ss", "%(duration)sm": "%(duration)sm", "%(duration)sh": "%(duration)st", "%(duration)sd": "%(duration)sd", - "Replying": "Svarar", "Unnamed room": "Rom utan namn", "(~%(count)s results)": { "other": "(~%(count)s resultat)", "one": "(~%(count)s resultat)" }, "Join Room": "Bli med i rom", - "Forget room": "Gløym rom", "Share room": "Del rom", - "Rooms": "Rom", - "Low priority": "Låg prioritet", - "Historical": "Historiske", - "%(roomName)s does not exist.": "%(roomName)s eksisterar ikkje.", - "%(roomName)s is not accessible at this time.": "%(roomName)s er ikkje tilgjengeleg no.", - "Failed to unban": "Fekk ikkje til å lata inn att", - "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", "Search…": "Søk…", @@ -114,7 +95,6 @@ "Changelog": "Endringslogg", "not specified": "Ikkje spesifisert", "Confirm Removal": "Godkjenn Fjerning", - "Deactivate Account": "Avliv Brukaren", "An error has occurred.": "Noko gjekk gale.", "Clear Storage and Sign Out": "Tøm Lager og Logg Ut", "Send Logs": "Send Loggar", @@ -122,14 +102,9 @@ "We encountered an error trying to restore your previous session.": "Noko gjekk gale med framhentinga av den førre øykta di.", "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.": "Viss du har tidligare brukt ein nyare versjon av %(brand)s, kan økts-data vere inkompatibel med denne versjonen. Lukk dette vindauget og bytt til ein nyare versjon.", "Clearing your browser's storage may fix the problem, but will sign you out and cause any encrypted chat history to become unreadable.": "Det kan henda at å tømma nettlesarlageret rettar opp i det, men det loggar deg ut og kan gjera den krypterte pratehistoria uleseleg.", - "Invalid Email Address": "Ugangbar Epostadresse", - "This doesn't appear to be a valid email address": "Det ser ikkje ut til at epostadressa er gangbar", "Verification Pending": "Ventar på verifikasjon", "Please check your email and click on the link it contains. Once this is done, click continue.": "Ver venleg og sjekk eposten din og klikk på lenkja du har fått. Når det er gjort, klikk gå fram.", - "Unable to add email address": "Klarte ikkje å leggja epostadressa til", - "Unable to verify email address.": "Klarte ikkje å stadfesta epostadressa.", "This will allow you to reset your password and receive notifications.": "Dette tillèt deg å attendestilla passordet ditt og å få varsel.", - "Failed to change password. Is your password correct?": "Fekk ikkje til å skifta passord. Er passordet rett?", "Share Room": "Del Rom", "Link to most recent message": "Lenk til den nyaste meldinga", "Share User": "Del Brukar", @@ -138,11 +113,9 @@ "Reject invitation": "Sei nei til innbyding", "Are you sure you want to reject the invitation?": "Er du sikker på at du vil seia nei til innbydinga?", "You cannot delete this message. (%(code)s)": "Du kan ikkje sletta meldinga. (%(code)s)", - "All messages": "Alle meldingar", "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'?", - "Invite to this room": "Inviter til dette rommet", "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.", "Connectivity to the server has been lost.": "Tilkoplinga til tenaren vart tapt.", "Sent messages will be stored until your connection has returned.": "Sende meldingar vil lagrast lokalt fram til nettverket er oppe att.", @@ -159,38 +132,20 @@ "one": "Lastar opp %(filename)s og %(count)s andre" }, "Uploading %(filename)s": "Lastar opp %(filename)s", - "Unable to remove contact information": "Klarte ikkje å fjerna kontaktinfo", - "No Audio Outputs detected": "Ingen ljodavspelingseiningar funne", - "No Microphones detected": "Ingen opptakseiningar funne", - "No Webcams detected": "Ingen Nettkamera funne", - "Audio Output": "Ljodavspeling", "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", "Session ID": "Økt-ID", - "Passphrases must match": "Passfrasane må vere identiske", - "Passphrase must not be empty": "Passfrasefeltet kan ikkje stå tomt", - "Enter passphrase": "Skriv inn passfrase", - "Confirm passphrase": "Stadfest passfrase", "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?", "Add an Integration": "Legg tillegg til", "Custom level": "Tilpassa nivå", "Unable to load event that was replied to, it either does not exist or you do not have permission to view it.": "Klarte ikkje å lasta handlinga som vert svara til. Anten finst ho ikkje elles har du ikkje tilgang til å sjå ho.", "Filter results": "Filtrer resultat", "Server may be unavailable, overloaded, or search timed out :(": "Tenaren er kanskje utilgjengeleg, overlasta, elles så vart søket tidsavbrote :(", - "Export room keys": "Eksporter romnøklar", - "Import room keys": "Importer romnøklar", - "File to import": "Fil til import", - "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.": "Dette tillèt deg å henta nøklane for meldingar du har sendt i krypterte rom ut til ei lokal fil. Då kan du importera fila i ein annan Matrix-klient i framtida, slik at den klienten òg kan dekryptera meldingane.", - "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.": "Dette tillèt deg å importere krypteringsnøklar som du tidlegare har eksportert frå ein annan Matrix-klient. Du har deretter moglegheit for å dekryptere alle meldingane som den andre klienten kunne dekryptere.", - "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Den eksporterte fila vil bli verna med ein passfrase. Du bør skriva passfrasen her, for å dekryptere fila.", "Only room administrators will see this warning": "Berre rom-administratorar vil sjå denne åtvaringa", - "Explore rooms": "Utforsk romma", "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", "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)", @@ -201,30 +156,8 @@ "Invalid base_url for m.identity_server": "Feil base_url for m.identity_server", "Identity server URL does not appear to be a valid identity server": "URL-adressa virkar ikkje til å vere ein gyldig identitetstenar", "General failure": "Generell feil", - "Failed to re-authenticate due to a homeserver problem": "Fekk ikkje til å re-authentisere grunna ein feil på heimetenaren", - "Clear personal data": "Fjern personlege data", - "That matches!": "Dette stemmer!", - "That doesn't match.": "Dette stemmer ikkje.", - "Go back to set it again.": "Gå tilbake for å sette den på nytt.", - "Your keys are being backed up (the first backup could take a few minutes).": "Nøklane dine blir sikkerheitskopiert (den første kopieringa kan ta nokre minutt).", - "Success!": "Suksess!", - "Unable to create key backup": "Klarte ikkje å lage sikkerheitskopi av nøkkelen", "Set up": "Sett opp", - "New Recovery Method": "Ny gjenopprettingsmetode", - "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.": "Har du ikkje satt opp den nye gjenopprettingsmetoden, kan ein angripar prøve å bryte seg inn på kontoen din. Endre ditt kontopassord og sett opp gjenoppretting umiddelbart under instillingane.", - "Go to Settings": "Gå til innstillingar", - "Set up Secure Messages": "Sett opp sikre meldingar (Secure Messages)", - "Recovery Method Removed": "Gjenopprettingsmetode fjerna", - "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.": "Viss du ikkje fjerna gjenopprettingsmetoden, kan ein angripar prøve å bryte seg inn på kontoen din. Endre kontopassordet ditt og sett ein opp ein ny gjenopprettingsmetode umidellbart under Innstillingar.", - "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.": "Ved å fjerne koplinga mot din identitetstenar, vil ikkje brukaren din bli oppdaga av andre brukarar, og du kan heller ikkje invitera andre med e-post eller telefonnummer.", - "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.": "Å bruka ein identitetstenar er frivillig. Om du vel å ikkje bruka dette, vil ikkje brukaren din bli oppdaga av andre brukarar, og du kan ikkje invitera andre med e-post eller telefonnummer.", - "Email addresses": "E-postadresser", - "Phone numbers": "Telefonnummer", - "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.", "Scroll to most recent messages": "Gå til dei nyaste meldingane", - "Close preview": "Lukk førehandsvisninga", "No recent messages by %(user)s found": "Fann ingen nyare meldingar frå %(user)s", "Try scrolling up in the timeline to see if there are any earlier ones.": "Prøv å rulle oppover i historikken for å sjå om det finst nokon eldre.", "Remove recent messages by %(user)s": "Fjern nyare meldingar frå %(user)s", @@ -237,34 +170,7 @@ "Deactivate user": "Deaktiver brukar", "Failed to deactivate user": "Fekk ikkje til å deaktivere brukaren", "Remove recent messages": "Fjern nyare meldingar", - "The conversation continues here.": "Samtalen held fram her.", - "This room has been replaced and is no longer active.": "Dette rommet er erstatta og er ikkje lenger aktivt.", - "Italics": "Kursiv", - "Room %(name)s": "Rom %(name)s", "Direct Messages": "Folk", - "Join the conversation with an account": "Bli med i samtalen med ein konto", - "Sign Up": "Registrer deg", - "Reason: %(reason)s": "Grunn: %(reason)s", - "Forget this room": "Gløym dette rommet", - "Re-join": "Bli med på nytt", - "You were banned from %(roomName)s by %(memberName)s": "Du vart blokkert frå %(roomName)s av %(memberName)s", - "Something went wrong with your invite to %(roomName)s": "Noko gjekk gale med invitasjonen din for %(roomName)s", - "You can only join it with a working invite.": "Du kan berre bli med med ein fungerande invitasjon.", - "Try to join anyway": "Prøv å bli med likevel", - "Join the discussion": "Bli med i diskusjonen", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Invitasjonen til %(roomName)s vart sendt til %(email)s, som ikkje er tilknytta din konto", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Knytt denne e-posten opp til kontoen din under Innstillingar, for å direkte ta i mot invitasjonar i %(brand)s.", - "This invite to %(roomName)s was sent to %(email)s": "Denne invitasjonen for %(roomName)s vart sendt til %(email)s", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Bruk ein identitetstenar under Innstillingar, for å direkte ta i mot invitasjonar i %(brand)s.", - "Share this email in Settings to receive invites directly in %(brand)s.": "Del denne e-postadresa i Innstillingar, for å direkte ta i mot invitasjonar i %(brand)s.", - "Do you want to chat with %(user)s?": "Ynskjer du å chatte med %(user)s?", - " wants to chat": " vil chatte med deg", - "Start chatting": "Start chatting", - "Do you want to join %(roomName)s?": "Ynskjer du å bli med i %(roomName)s?", - " invited you": " inviterte deg", - "Reject & Ignore user": "Avslå og ignorer brukar", - "You're previewing %(roomName)s. Want to join it?": "Du førehandsviser %(roomName)s. Ynskjer du å bli med ?", - "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s kan ikkje førehandsvisast. Ynskjer du å bli med ?", "Failed to revoke invite": "Fekk ikkje til å trekke invitasjonen", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Fekk ikkje til å ta attende invitasjonen. Det kan ha oppstått ein mellombels feil på tenaren, eller så har ikkje du tilstrekkelege rettar for å ta attende invitasjonen.", "Revoke invite": "Trekk invitasjon", @@ -284,28 +190,18 @@ "Room Topic": "Romemne", "Room avatar": "Rom-avatar", "Power level": "Tilgangsnivå", - "Voice & Video": "Tale og video", "Show more": "Vis meir", "Invalid theme schema.": "", - "Room information": "Rominformasjon", - "Room Addresses": "Romadresser", - "Sounds": "Lydar", - "Browse": "Bla gjennom", "Can't find this server or its room list": "Klarde ikkje å finna tenaren eller romkatalogen til den", "Upload completed": "Opplasting fullført", "Cancelled signature upload": "Kansellerte opplasting av signatur", "Room Settings - %(roomName)s": "Rominnstillingar - %(roomName)s", "Failed to upgrade room": "Fekk ikkje til å oppgradere rom", - "Ignored users": "Ignorerte 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.", - "Unable to set up secret storage": "Oppsett av hemmeleg lager feila", "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", "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", "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", @@ -321,10 +217,6 @@ "Video conference started by %(senderName)s": "Videokonferanse starta av %(senderName)s", "Video conference updated by %(senderName)s": "Videokonferanse oppdatert av %(senderName)s", "Video conference ended by %(senderName)s": "Videokonferanse avslutta av %(senderName)s", - "Explore public rooms": "Utforsk offentlege rom", - "Email Address": "E-postadresse", - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Du bør fjerne dine personlege data frå identitetstenaren før du koplar frå. Dessverre er identitetstenaren utilgjengeleg og kan ikkje nåast akkurat no.", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Vi tilrår at du slettar personleg informasjon, som e-postadresser og telefonnummer frå identitetstenaren før du koplar frå.", "Norway": "Noreg", "Bahamas": "Bahamas", "Azerbaijan": "Aserbajdsjan", @@ -352,18 +244,11 @@ "The poll has ended. No votes were cast.": "Røystinga er ferdig. Ingen røyster vart mottekne.", "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", - "You do not have permission to start polls in this room.": "Du har ikkje lov til å starte nye røystingar i dette rommet.", "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.": "Er du sikker på at du vil avslutta denne røystinga ? Dette vil gjelde for alle, og dei endelege resultata vil bli presentert.", - "Identity server (%(server)s)": "Identietstenar (%(server)s)", - "Change identity server": "Endre identitetstenar", - "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", "Results will be visible when the poll is ended": "Resultata vil bli synlege når røystinga er ferdig", "Close sidebar": "Lat att sidestolpen", "Expand quotes": "Utvid sitat", "Deactivate account": "Avliv brukarkontoen", - "Enter a new identity server": "Skriv inn ein ny identitetstenar", "Room settings": "Rominnstillingar", "Join the conference from the room information card on the right": "Bli med i konferanse frå rominfo-kortet til høgre", "Final result based on %(count)s votes": { @@ -420,7 +305,13 @@ "advanced": "Avansert", "general": "Generelt", "profile": "Brukar", - "display_name": "Visningsnamn" + "display_name": "Visningsnamn", + "authentication": "Authentisering", + "rooms": "Rom", + "low_priority": "Låg prioritet", + "historical": "Historiske", + "go_to_settings": "Gå til innstillingar", + "setup_secure_messages": "Sett opp sikre meldingar (Secure Messages)" }, "action": { "continue": "Fortset", @@ -477,7 +368,10 @@ "submit": "Send inn", "unban": "Slepp inn att", "hide_advanced": "Gøym avanserte alternativ", - "show_advanced": "Vis avanserte alternativ" + "show_advanced": "Vis avanserte alternativ", + "unignore": "Slutt å ignorer", + "explore_rooms": "Utforsk romma", + "explore_public_rooms": "Utforsk offentlege rom" }, "labs": { "pinning": "Meldingsfesting", @@ -509,7 +403,15 @@ "@room_description": "Varsle heile rommet", "notification_description": "Romvarsel", "user_description": "Brukarar" - } + }, + "room_upgraded_link": "Samtalen held fram her.", + "room_upgraded_notice": "Dette rommet er erstatta og er ikkje lenger aktivt.", + "no_perms_notice": "Du har ikkje lov til å senda meldingar i dette rommet", + "poll_button_no_perms_title": "Tillating er Naudsynt", + "poll_button_no_perms_description": "Du har ikkje lov til å starte nye røystingar i dette rommet.", + "poll_button": "Røysting", + "format_italics": "Kursiv", + "replying_title": "Svarar" }, "Code": "Kode", "power_level": { @@ -614,7 +516,12 @@ "inline_url_previews_room_account": "Skru URL-førehandsvisingar på for dette rommet (påverkar deg åleine)", "inline_url_previews_room": "Skru URL-førehandsvisingar på som utgangspunkt for deltakarar i dette rommet", "voip": { - "mirror_local_feed": "Spegl den lokale videofeeden" + "mirror_local_feed": "Spegl den lokale videofeeden", + "audio_output": "Ljodavspeling", + "audio_output_empty": "Ingen ljodavspelingseiningar funne", + "audio_input_empty": "Ingen opptakseiningar funne", + "video_input_empty": "Ingen Nettkamera funne", + "title": "Tale og video" }, "security": { "send_analytics": "Send statistikkdata", @@ -631,7 +538,9 @@ "4s_public_key_status": "Public-nøkkel for hemmeleg lager:", "delete_backup": "Slett sikkerheitskopi", "delete_backup_confirm_description": "Er du sikker? Alle dine krypterte meldingar vil gå tapt viss nøklane dine ikkje er sikkerheitskopierte.", - "restore_key_backup": "Gjenopprett frå sikkerheitskopi" + "restore_key_backup": "Gjenopprett frå sikkerheitskopi", + "ignore_users_section": "Ignorerte brukarar", + "e2ee_default_disabled_warning": "Tenaradministratoren din har deaktivert ende-til-ende kryptering som standard i direktemeldingar og private rom." }, "preferences": { "room_list_heading": "Romkatalog", @@ -669,10 +578,45 @@ "add_msisdn_confirm_button": "Stadfest tilleggjing av telefonnummeret", "add_msisdn_confirm_body": "Trykk på knappen nedanfor for å legge til dette telefonnummeret.", "add_msisdn_dialog_title": "Legg til telefonnummer", - "name_placeholder": "Ingen visningsnamn" + "name_placeholder": "Ingen visningsnamn", + "error_password_change_403": "Fekk ikkje til å skifta passord. Er passordet rett?", + "emails_heading": "E-postadresser", + "msisdns_heading": "Telefonnummer", + "deactivate_section": "Avliv Brukaren", + "error_email_verification": "Klarte ikkje å stadfesta epostadressa.", + "incorrect_msisdn_verification": "Urett stadfestingskode", + "error_set_name": "Fekk ikkje til å setja visningsnamn", + "error_remove_3pid": "Klarte ikkje å fjerna kontaktinfo", + "error_invalid_email": "Ugangbar Epostadresse", + "error_invalid_email_detail": "Det ser ikkje ut til at epostadressa er gangbar", + "error_add_email": "Klarte ikkje å leggja epostadressa til", + "email_address_label": "E-postadresse" }, "sidebar": { "title": "Sidestolpe" + }, + "key_backup": { + "backup_in_progress": "Nøklane dine blir sikkerheitskopiert (den første kopieringa kan ta nokre minutt).", + "backup_success": "Suksess!", + "cannot_create_backup": "Klarte ikkje å lage sikkerheitskopi av nøkkelen", + "setup_secure_backup": { + "pass_phrase_match_success": "Dette stemmer!", + "pass_phrase_match_failed": "Dette stemmer ikkje.", + "set_phrase_again": "Gå tilbake for å sette den på nytt.", + "unable_to_setup": "Oppsett av hemmeleg lager feila" + } + }, + "key_export_import": { + "export_title": "Eksporter romnøklar", + "export_description_1": "Dette tillèt deg å henta nøklane for meldingar du har sendt i krypterte rom ut til ei lokal fil. Då kan du importera fila i ein annan Matrix-klient i framtida, slik at den klienten òg kan dekryptera meldingane.", + "enter_passphrase": "Skriv inn passfrase", + "confirm_passphrase": "Stadfest passfrase", + "phrase_cannot_be_empty": "Passfrasefeltet kan ikkje stå tomt", + "phrase_must_match": "Passfrasane må vere identiske", + "import_title": "Importer romnøklar", + "import_description_1": "Dette tillèt deg å importere krypteringsnøklar som du tidlegare har eksportert frå ein annan Matrix-klient. Du har deretter moglegheit for å dekryptere alle meldingane som den andre klienten kunne dekryptere.", + "import_description_2": "Den eksporterte fila vil bli verna med ein passfrase. Du bør skriva passfrasen her, for å dekryptere fila.", + "file_to_import": "Fil til import" } }, "devtools": { @@ -861,6 +805,9 @@ "creation_summary_room": "%(creator)s oppretta og konfiguerte dette rommet.", "context_menu": { "external_url": "Kjelde-URL" + }, + "url_preview": { + "close": "Lukk førehandsvisninga" } }, "slash_command": { @@ -1000,7 +947,13 @@ "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" + "permissions_section_description_room": "Juster roller som er påkrevd for å endre ulike deler av rommet", + "error_unbanning": "Fekk ikkje til å lata inn att", + "banned_by": "Stengd ute av %(displayName)s", + "ban_reason": "Grunnlag", + "error_changing_pl_reqs_title": "Feil under endring av krav for tilgangsnivå", + "error_changing_pl_title": "Feil under endring av tilgangsnivå", + "error_changing_pl_description": "Ein feil skjedde under endring av tilgangsnivå. Sjekk at du har lov til dette, deretter prøv på nytt." }, "security": { "strict_encryption": "Aldri send krypterte meldingar i dette rommet til ikkje-verifiserte sesjonar frå denne sesjonen", @@ -1022,13 +975,21 @@ "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" + "url_previews_section": "URL-førehandsvisingar", + "aliases_section": "Romadresser", + "other_section": "Anna" }, "advanced": { "unfederated": "Rommet er ikkje tilgjengeleg for andre Matrix-heimtenarar", - "room_upgrade_button": "Oppgrader dette rommet til anbefalt romversjon" + "room_upgrade_button": "Oppgrader dette rommet til anbefalt romversjon", + "information_section_room": "Rominformasjon" }, - "upload_avatar_label": "Last avatar opp" + "upload_avatar_label": "Last avatar opp", + "notifications": { + "sounds_section": "Lydar", + "custom_sound_prompt": "Set ein ny tilpassa lyd", + "browse_button": "Bla gjennom" + } }, "auth": { "sign_in_with_sso": "Logg på med Single-Sign-On", @@ -1083,7 +1044,9 @@ "reset_password_email_not_found_title": "Denne epostadressa var ikkje funnen", "misconfigured_title": "%(brand)s-klienten din er sett opp feil", "incorrect_credentials_detail": "Merk deg at du loggar inn på %(hs)s-tenaren, ikkje matrix.org.", - "create_account_title": "Lag konto" + "create_account_title": "Lag konto", + "failed_soft_logout_homeserver": "Fekk ikkje til å re-authentisere grunna ein feil på heimetenaren", + "soft_logout_subheading": "Fjern personlege data" }, "export_chat": { "messages": "Meldingar" @@ -1096,7 +1059,8 @@ "sublist_options": "Sjå alternativ", "show_less": "Vis mindre", "failed_remove_tag": "Fekk ikkje til å fjerna merket %(tagName)s frå rommet", - "failed_add_tag": "Fekk ikkje til å leggja merket %(tagName)s til i rommet" + "failed_add_tag": "Fekk ikkje til å leggja merket %(tagName)s til i rommet", + "add_room_label": "Legg til rom" }, "a11y": { "n_unread_messages": { @@ -1104,7 +1068,8 @@ "one": "1 ulesen melding." }, "unread_messages": "Uleste meldingar.", - "jump_first_invite": "Hopp til fyrste invitasjon." + "jump_first_invite": "Hopp til fyrste invitasjon.", + "room_name": "Rom %(name)s" }, "onboarding": { "explore_rooms": "Utforsk offentlege rom", @@ -1156,7 +1121,36 @@ "context_menu": { "favourite": "Yndling", "low_priority": "Lågrett" - } + }, + "invite_this_room": "Inviter til dette rommet", + "header": { + "forget_room_button": "Gløym rom" + }, + "join_title_account": "Bli med i samtalen med ein konto", + "join_button_account": "Registrer deg", + "kick_reason": "Grunn: %(reason)s", + "forget_room": "Gløym dette rommet", + "rejoin_button": "Bli med på nytt", + "banned_from_room_by": "Du vart blokkert frå %(roomName)s av %(memberName)s", + "3pid_invite_error_title_room": "Noko gjekk gale med invitasjonen din for %(roomName)s", + "3pid_invite_error_invite_subtitle": "Du kan berre bli med med ein fungerande invitasjon.", + "3pid_invite_error_invite_action": "Prøv å bli med likevel", + "join_the_discussion": "Bli med i diskusjonen", + "3pid_invite_email_not_found_account_room": "Invitasjonen til %(roomName)s vart sendt til %(email)s, som ikkje er tilknytta din konto", + "link_email_to_receive_3pid_invite": "Knytt denne e-posten opp til kontoen din under Innstillingar, for å direkte ta i mot invitasjonar i %(brand)s.", + "invite_sent_to_email_room": "Denne invitasjonen for %(roomName)s vart sendt til %(email)s", + "3pid_invite_no_is_subtitle": "Bruk ein identitetstenar under Innstillingar, for å direkte ta i mot invitasjonar i %(brand)s.", + "invite_email_mismatch_suggestion": "Del denne e-postadresa i Innstillingar, for å direkte ta i mot invitasjonar i %(brand)s.", + "dm_invite_title": "Ynskjer du å chatte med %(user)s?", + "dm_invite_subtitle": " vil chatte med deg", + "dm_invite_action": "Start chatting", + "invite_title": "Ynskjer du å bli med i %(roomName)s?", + "invite_subtitle": " inviterte deg", + "invite_reject_ignore": "Avslå og ignorer brukar", + "peek_join_prompt": "Du førehandsviser %(roomName)s. Ynskjer du å bli med ?", + "no_peek_join_prompt": "%(roomName)s kan ikkje førehandsvisast. Ynskjer du å bli med ?", + "not_found_title_name": "%(roomName)s eksisterar ikkje.", + "inaccessible_name": "%(roomName)s er ikkje tilgjengeleg no." }, "file_panel": { "guest_note": "Du må melda deg inn for å bruka denne funksjonen", @@ -1192,7 +1186,15 @@ "upgrade_toast_title": "Kryptering kan oppgraderast", "verify_toast_title": "Stadfest denne økta", "cross_signing_untrusted": "Kontoen din har ein kryss-signert identitet det hemmelege lageret, økta di stolar ikkje på denne enno.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Ny gjenopprettingsmetode", + "warning": "Har du ikkje satt opp den nye gjenopprettingsmetoden, kan ein angripar prøve å bryte seg inn på kontoen din. Endre ditt kontopassord og sett opp gjenoppretting umiddelbart under instillingane." + }, + "recovery_method_removed": { + "title": "Gjenopprettingsmetode fjerna", + "warning": "Viss du ikkje fjerna gjenopprettingsmetoden, kan ein angripar prøve å bryte seg inn på kontoen din. Endre kontopassordet ditt og sett ein opp ein ny gjenopprettingsmetode umidellbart under Innstillingar." + } }, "poll": { "create_poll_title": "Opprett røysting", @@ -1263,7 +1265,9 @@ "keyword": "Nøkkelord", "keyword_new": "Nytt nøkkelord", "class_other": "Anna", - "mentions_keywords": "Nemningar & nøkkelord" + "mentions_keywords": "Nemningar & nøkkelord", + "default": "Opphavleg innstilling", + "all_messages": "Alle meldingar" }, "room_summary_card_back_action_label": "Rominformasjon", "quick_settings": { @@ -1278,5 +1282,22 @@ "theme": { "match_system": "Følg systemet" }, - "a11y_jump_first_unread_room": "Hopp til fyrste uleste rom." + "a11y_jump_first_unread_room": "Hopp til fyrste uleste rom.", + "identity_server": { + "url_not_https": "URL for identitetstenar må vera HTTPS", + "error_invalid": "Ikkje ein gyldig identietstenar (statuskode %(code)s)", + "change": "Endre identitetstenar", + "disconnect_offline_warning": "Du bør fjerne dine personlege data frå identitetstenaren før du koplar frå. Dessverre er identitetstenaren utilgjengeleg og kan ikkje nåast akkurat no.", + "suggestions_3": "vent og prøv om att seinare", + "disconnect_personal_data_warning_2": "Vi tilrår at du slettar personleg informasjon, som e-postadresser og telefonnummer frå identitetstenaren før du koplar frå.", + "url": "Identietstenar (%(server)s)", + "disconnect_warning": "Ved å fjerne koplinga mot din identitetstenar, vil ikkje brukaren din bli oppdaga av andre brukarar, og du kan heller ikkje invitera andre med e-post eller telefonnummer.", + "description_optional": "Å bruka ein identitetstenar er frivillig. Om du vel å ikkje bruka dette, vil ikkje brukaren din bli oppdaga av andre brukarar, og du kan ikkje invitera andre med e-post eller telefonnummer.", + "url_field_label": "Skriv inn ein ny identitetstenar" + }, + "member_list": { + "invited_list_heading": "Invitert", + "filter_placeholder": "Filtrer rommedlemmar", + "power_label": "%(userName)s (tilgangsnivå %(powerLevelNumber)s)" + } } diff --git a/src/i18n/strings/oc.json b/src/i18n/strings/oc.json index 0d71a70e8a..dba57e757d 100644 --- a/src/i18n/strings/oc.json +++ b/src/i18n/strings/oc.json @@ -1,20 +1,7 @@ { "Admin Tools": "Aisinas d’administrator", - "Invite to this room": "Convidar a aquesta sala", - "Invited": "Convidat", "Unnamed room": "Sala sens nom", "Share room": "Partejar la sala", - "Rooms": "Salas", - "Low priority": "Febla prioritat", - "Reason: %(reason)s": "Rason : %(reason)s", - "Forget this room": "Oblidar aquesta sala", - "Do you want to chat with %(user)s?": "Volètz charrar amb %(user)s ?", - " wants to chat": " vòl charrar", - "Start chatting": "Començar de charrar", - "Do you want to join %(roomName)s?": "Volètz rejonher %(roomName)s ?", - " invited you": " vos convidèt", - "Reject & Ignore user": "Regetar e ignorar", - "%(roomName)s does not exist.": "%(roomName)s existís pas.", "This Room": "Aquesta sala", "All Rooms": "Totas les salas", "Search…": "Cercar…", @@ -39,10 +26,8 @@ "Dec": "Dec", "PM": "PM", "AM": "AM", - "Default": "Predefinit", "Moderator": "Moderator", "Thank you!": "Mercés !", - "Reason": "Rason", "Ok": "Validar", "Set up": "Parametrar", "Fish": "Pes", @@ -63,17 +48,7 @@ "Headphones": "Escotadors", "Folder": "Dorsièr", "Show more": "Ne veire mai", - "Authentication": "Autentificacion", - "Unignore": "Ignorar pas", - "Audio Output": "Sortida àudio", - "Bridges": "Bridges", - "Sounds": "Sons", - "Browse": "Percórrer", - "Phone Number": "Numèro de telefòn", "Unencrypted": "Pas chifrat", - "Italics": "Italicas", - "Historical": "Istoric", - "Sign Up": "S’inscriure", "Demote": "Retrogradar", "Are you sure?": "O volètz vertadièrament ?", "Sunday": "Dimenge", @@ -99,8 +74,6 @@ "Upload files": "Mandar de fichièrs", "Home": "Dorsièr personal", "Search failed": "La recèrca a fracassat", - "Success!": "Capitada !", - "Explore rooms": "Percórrer las salas", "common": { "mute": "Copar lo son", "no_results": "Pas cap de resultat", @@ -142,7 +115,11 @@ "advanced": "Avançat", "general": "General", "profile": "Perfil", - "display_name": "Nom d'afichatge" + "display_name": "Nom d'afichatge", + "authentication": "Autentificacion", + "rooms": "Salas", + "low_priority": "Febla prioritat", + "historical": "Istoric" }, "action": { "continue": "Contunhar", @@ -207,7 +184,9 @@ "export": "Exportar", "refresh": "Actualizada", "submit": "Mandar", - "unban": "Reabilitar" + "unban": "Reabilitar", + "unignore": "Ignorar pas", + "explore_rooms": "Percórrer las salas" }, "keyboard": { "home": "Dorsièr personal", @@ -233,7 +212,8 @@ "autocomplete": { "command_description": "Comandas", "user_description": "Utilizaires" - } + }, + "format_italics": "Italicas" }, "power_level": { "default": "Predefinit", @@ -312,7 +292,14 @@ "confirm_adding_email_title": "Confirmar l'adicion de l'adressa e-mail", "confirm_adding_email_body": "Clicatz sus lo boton aicí dejós per confirmar l'adicion de l'adreça e-mail.", "add_email_dialog_title": "Ajustar una adreça electronica", - "add_msisdn_dialog_title": "Ajustar un numèro de telefòn" + "add_msisdn_dialog_title": "Ajustar un numèro de telefòn", + "msisdn_label": "Numèro de telefòn" + }, + "voip": { + "audio_output": "Sortida àudio" + }, + "key_backup": { + "backup_success": "Capitada !" } }, "auth": { @@ -361,10 +348,21 @@ }, "room_settings": { "permissions": { - "permissions_section": "Permissions" + "permissions_section": "Permissions", + "ban_reason": "Rason" }, "security": { "title": "Seguretat e vida privada" + }, + "bridges": { + "title": "Bridges" + }, + "general": { + "other_section": "Autre" + }, + "notifications": { + "sounds_section": "Sons", + "browse_button": "Percórrer" } }, "encryption": { @@ -379,7 +377,8 @@ "enable_prompt_toast_title": "Notificacions", "colour_bold": "Gras", "mark_all_read": "Tot marcar coma legit", - "class_other": "Autre" + "class_other": "Autre", + "default": "Predefinit" }, "quick_settings": { "sidebar_settings": "Autras opcions" @@ -392,10 +391,24 @@ "context_menu": { "favourite": "Favorit", "low_priority": "Prioritat bassa" - } + }, + "invite_this_room": "Convidar a aquesta sala", + "join_button_account": "S’inscriure", + "kick_reason": "Rason : %(reason)s", + "forget_room": "Oblidar aquesta sala", + "dm_invite_title": "Volètz charrar amb %(user)s ?", + "dm_invite_subtitle": " vòl charrar", + "dm_invite_action": "Començar de charrar", + "invite_title": "Volètz rejonher %(roomName)s ?", + "invite_subtitle": " vos convidèt", + "invite_reject_ignore": "Regetar e ignorar", + "not_found_title_name": "%(roomName)s existís pas." }, "lightbox": { "rotate_left": "Pivotar cap a èrra", "rotate_right": "Pivotar cap a drecha" + }, + "member_list": { + "invited_list_heading": "Convidat" } } diff --git a/src/i18n/strings/pl.json b/src/i18n/strings/pl.json index 8c1fb2ff78..1f71f4b7ff 100644 --- a/src/i18n/strings/pl.json +++ b/src/i18n/strings/pl.json @@ -24,11 +24,7 @@ "Are you sure?": "Czy jesteś pewien?", "unknown error code": "nieznany kod błędu", "Failed to forget room %(errCode)s": "Nie mogłem zapomnieć o pokoju %(errCode)s", - "Failed to change password. Is your password correct?": "Zmiana hasła nie powiodła się. Czy Twoje hasło jest poprawne?", "Admin Tools": "Narzędzia Administracyjne", - "No Microphones detected": "Nie wykryto żadnego mikrofonu", - "No Webcams detected": "Nie wykryto żadnej kamerki internetowej", - "Authentication": "Uwierzytelnienie", "%(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.", @@ -39,30 +35,19 @@ "one": "i jeden inny..." }, "Custom level": "Własny poziom", - "Deactivate Account": "Dezaktywuj konto", "Decrypt %(text)s": "Odszyfruj %(text)s", - "Default": "Zwykły", "Download %(text)s": "Pobierz %(text)s", "Email address": "Adres e-mail", - "Enter passphrase": "Wpisz frazę", "Error decrypting attachment": "Błąd odszyfrowywania załącznika", "Failed to ban user": "Nie udało się zbanować użytkownika", "Failed to load timeline position": "Nie udało się wczytać pozycji osi czasu", "Failed to mute user": "Nie udało się wyciszyć użytkownika", "Failed to reject invite": "Nie udało się odrzucić zaproszenia", "Failed to reject invitation": "Nie udało się odrzucić zaproszenia", - "Failed to set display name": "Nie udało się ustawić wyświetlanej nazwy", - "Failed to unban": "Nie udało się odbanować", - "Filter room members": "Filtruj członków pokoju", - "Forget room": "Zapomnij pokój", "Home": "Strona główna", - "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", "Join Room": "Dołącz do pokoju", "Jump to first unread message.": "Przeskocz do pierwszej nieprzeczytanej wiadomości.", - "Low priority": "Niski priorytet", "Moderator": "Moderator", "New passwords must match each other.": "Nowe hasła muszą się zgadzać.", "not specified": "nieokreślony", @@ -70,29 +55,18 @@ "PM": "PM", "No more results": "Nie ma więcej wyników", "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\".", - "Reason": "Powód", "Reject invitation": "Odrzuć zaproszenie", "Return to login screen": "Wróć do ekranu logowania", - "Historical": "Historyczne", - "%(roomName)s does not exist.": "%(roomName)s nie istnieje.", - "%(roomName)s is not accessible at this time.": "%(roomName)s nie jest dostępny w tym momencie.", - "Rooms": "Pokoje", "Search failed": "Wyszukiwanie nie powiodło się", "Server may be unavailable, overloaded, or search timed out :(": "Serwer może być niedostępny, przeciążony, lub upłynął czas wyszukiwania :(", "Session ID": "Identyfikator sesji", "This room has no local addresses": "Ten pokój nie ma lokalnych adresów", - "This doesn't appear to be a valid email address": "Ten adres e-mail zdaje się nie być poprawny", - "Unable to add email address": "Nie można dodać adresu e-mail", - "Unable to remove contact information": "Nie można usunąć informacji kontaktowych", - "Unable to verify email address.": "Weryfikacja adresu e-mail nie powiodła się.", "Uploading %(filename)s": "Przesyłanie %(filename)s", "Uploading %(filename)s and %(count)s others": { "one": "Przesyłanie %(filename)s oraz %(count)s innych", "other": "Przesyłanie %(filename)s oraz %(count)s innych" }, - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (moc uprawnień administratorskich %(powerLevelNumber)s)", "Verification Pending": "Oczekiwanie weryfikacji", - "You do not have permission to post to this room": "Nie masz uprawnień do pisania w tym pokoju", "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ść?", "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.", @@ -106,15 +80,6 @@ "one": "(~%(count)s wynik)", "other": "(~%(count)s wyników)" }, - "Passphrases must match": "Hasła szyfrujące muszą być identyczne", - "Passphrase must not be empty": "Hasło szyfrujące nie może być puste", - "Export room keys": "Eksportuj klucze pokoju", - "Confirm passphrase": "Potwierdź hasło szyfrujące", - "Import room keys": "Importuj klucze pokoju", - "File to import": "Plik do importu", - "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.", "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.", @@ -143,8 +108,6 @@ "All Rooms": "Wszystkie pokoje", "Wednesday": "Środa", "You cannot delete this message. (%(code)s)": "Nie możesz usunąć tej wiadomości. (%(code)s)", - "All messages": "Wszystkie wiadomości", - "Invite to this room": "Zaproś do tego pokoju", "Thursday": "Czwartek", "Search…": "Szukaj…", "Logs sent": "Wysłano dzienniki", @@ -158,12 +121,9 @@ "collapse": "Zwiń", "expand": "Rozwiń", "In reply to ": "W odpowiedzi do ", - "Unignore": "Przestań ignorować", "Jump to read receipt": "Przeskocz do potwierdzenia odczytu", "Share Link to User": "Udostępnij link użytkownika", - "Replying": "Odpowiadanie", "Share room": "Udostępnij pokój", - "Banned by %(displayName)s": "Zbanowany przez %(displayName)s", "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.", @@ -174,14 +134,9 @@ "Share Room Message": "Udostępnij wiadomość w pokoju", "Link to selected message": "Link do zaznaczonej wiadomości", "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.", - "No Audio Outputs detected": "Nie wykryto wyjść audio", - "Audio Output": "Wyjście audio", "Demote yourself?": "Zdegradować siebie?", "Demote": "Degraduj", - "Permission Required": "Wymagane Uprawnienia", "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.", "You don't currently have any stickerpacks enabled": "Nie masz obecnie włączonych żadnych pakietów naklejek", "Updating %(brand)s": "Aktualizowanie %(brand)s", "Only room administrators will see this warning": "Tylko administratorzy pokojów widzą to ostrzeżenie", @@ -193,11 +148,8 @@ }, "Add some now": "Dodaj teraz kilka", "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", - "That doesn't match.": "To się nie zgadza.", - "Go to Settings": "Przejdź do ustawień", "I don't want my encrypted messages": "Nie chcę moich zaszyfrowanych wiadomości", "You'll lose access to your encrypted messages": "Utracisz dostęp do zaszyfrowanych wiadomości", "Dog": "Pies", @@ -254,15 +206,6 @@ "Anchor": "Kotwica", "Headphones": "Słuchawki", "Folder": "Folder", - "Phone Number": "Numer telefonu", - "Email addresses": "Adresy e-mail", - "Phone numbers": "Numery telefonów", - "Account management": "Zarządzanie kontem", - "Room Addresses": "Adresy pokoju", - "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", - "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s nie może być wyświetlony. Chcesz do niego dołączyć?", "Main address": "Główny adres", "Room avatar": "Awatar pokoju", "Room Name": "Nazwa pokoju", @@ -276,68 +219,20 @@ "Gift": "Prezent", "Hammer": "Młotek", "Unable to restore backup": "Przywrócenie kopii zapasowej jest niemożliwe", - "Email Address": "Adres e-mail", "edited": "edytowane", "Edit message": "Edytuj wiadomość", - "Sounds": "Dźwięki", - "Notification sound": "Dźwięk powiadomień", - "Set a new custom sound": "Ustaw nowy niestandardowy dźwięk", - "Browse": "Przeglądaj", "Thumbs up": "Kciuk w górę", "Ball": "Piłka", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Zaszyfrowane wiadomości są zabezpieczone przy użyciu szyfrowania end-to-end. Tylko Ty oraz ich adresaci posiadają klucze do ich rozszyfrowania.", "Back up your keys before signing out to avoid losing them.": "Utwórz kopię zapasową kluczy przed wylogowaniem, aby ich nie utracić.", "Start using Key Backup": "Rozpocznij z użyciem klucza kopii zapasowej", - "Checking server": "Sprawdzanie serwera", - "Terms of service not accepted or the identity server is invalid.": "Warunki użytkowania nieakceptowane lub serwer tożsamości jest nieprawidłowy.", - "The identity server you have chosen does not have any terms of service.": "Serwer tożsamości który został wybrany nie posiada warunków użytkowania.", - "Disconnect from the identity server ?": "Odłączyć od serwera tożsamości ?", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Używasz , aby odnajdywać i móc być odnajdywanym przez istniejące kontakty, które znasz. Możesz zmienić serwer tożsamości poniżej.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Nie używasz serwera tożsamości. Aby odkrywać i być odkrywanym przez istniejące kontakty które znasz, dodaj jeden poniżej.", - "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.": "Odłączenie się od serwera tożsamości oznacza, że inni nie będą mogli Cię odnaleźć ani Ty nie będziesz w stanie zaprosić nikogo za pomocą e-maila czy telefonu.", - "Enter a new identity server": "Wprowadź nowy serwer tożsamości", - "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Wyrażasz zgodę na warunki użytkowania serwera%(serverName)s aby pozwolić na odkrywanie Ciebie za pomocą adresu e-mail oraz numeru telefonu.", - "Discovery": "Odkrywanie", "Deactivate account": "Dezaktywuj konto", - "Change identity server": "Zmień serwer tożsamości", - "Disconnect from the identity server and connect to instead?": "Rozłączyć się z bieżącym serwerem tożsamości i połączyć się z ?", - "Disconnect identity server": "Rozłącz serwer tożsamości", - "You should:": "Należy:", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "sprawdzić rozszerzenia przeglądarki, które mogą blokować serwer tożsamości (takie jak Privacy Badger)", - "contact the administrators of identity server ": "skontaktować się z administratorami serwera tożsamości ", - "wait and try again later": "zaczekaj i spróbuj ponownie później", - "Disconnect anyway": "Odłącz mimo to", - "You are still sharing your personal data on the identity server .": "W dalszym ciągu udostępniasz swoje dane osobowe na serwerze tożsamości .", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Zalecamy, by usunąć swój adres e-mail i numer telefonu z serwera tożsamości przed odłączeniem.", - "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", - "Add room": "Dodaj pokój", - "Request media permissions": "Zapytaj o uprawnienia", - "Voice & Video": "Głos i wideo", - "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", - "Verification code": "Kod weryfikacyjny", - "Remove %(email)s?": "Usunąć %(email)s?", - "Remove %(phone)s?": "Usunąć %(phone)s?", - "Try to join anyway": "Spróbuj dołączyć mimo tego", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "To zaproszenie do %(roomName)s zostało wysłane na adres %(email)s, który nie jest przypisany do Twojego konta", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Połącz ten adres e-mail z Twoim kontem w Ustawieniach, aby otrzymywać zaproszenia bezpośrednio w %(brand)s.", - "This invite to %(roomName)s was sent to %(email)s": "To zaproszenie do %(roomName)s zostało wysłane do %(email)s", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Użyj serwera tożsamości w Ustawieniach, aby otrzymywać zaproszenia bezpośrednio w %(brand)s.", - "Do you want to chat with %(user)s?": "Czy chcesz rozmawiać z %(user)s?", - "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?", - "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", "Some characters not allowed": "Niektóre znaki niedozwolone", "Remove recent messages": "Usuń ostatnie wiadomości", "Direct Messages": "Wiadomości prywatne", "Show more": "Pokaż więcej", - "Ignored users": "Zignorowani użytkownicy", "Local address": "Lokalny adres", "Published Addresses": "Opublikowane adresy", "Local Addresses": "Lokalne adresy", @@ -354,9 +249,6 @@ "Upload files": "Prześlij pliki", "Upload all": "Prześlij wszystko", "Cancel All": "Anuluj wszystko", - "Explore rooms": "Przeglądaj pokoje", - "Success!": "Sukces!", - "Manage integrations": "Zarządzaj integracjami", "%(count)s verified sessions": { "other": "%(count)s zweryfikowanych sesji", "one": "1 zweryfikowana sesja" @@ -368,16 +260,12 @@ }, "Hide sessions": "Ukryj sesje", "Integrations are disabled": "Integracje są wyłączone", - "Close preview": "Zamknij podgląd", "Cancel search": "Anuluj wyszukiwanie", "Invite anyway": "Zaproś mimo to", "Notes": "Notatki", "Session name": "Nazwa sesji", "Session key": "Klucz sesji", "Email (optional)": "Adres e-mail (opcjonalnie)", - "Italics": "Kursywa", - "Reason: %(reason)s": "Powód: %(reason)s", - "Reject & Ignore user": "Odrzuć i zignoruj użytkownika", "Show image": "Pokaż obraz", "Upload completed": "Przesyłanie zakończone", "Message edits": "Edycje wiadomości", @@ -385,15 +273,12 @@ "other": "Prześlij %(count)s innych plików", "one": "Prześlij %(count)s inny plik" }, - "Enter your account password to confirm the upgrade:": "Wprowadź hasło do konta, aby potwierdzić aktualizację:", "This room is public": "Ten pokój jest publiczny", "Remove %(count)s messages": { "other": "Usuń %(count)s wiadomości", "one": "Usuń 1 wiadomość" }, "Switch theme": "Przełącz motyw", - "That matches!": "Zgadza się!", - "New Recovery Method": "Nowy sposób odzyskiwania", "Join millions for free on the largest public server": "Dołącz do milionów za darmo na największym publicznym serwerze", "The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Ci użytkownicy mogą nie istnieć lub są nieprawidłowi, i nie mogą zostać zaproszeni: %(csvNames)s", "Failed to find the following users": "Nie udało się znaleźć tych użytkowników", @@ -403,20 +288,16 @@ "Invite anyway and never warn me again": "Zaproś mimo to i nie ostrzegaj ponownie", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Nie znaleziono profilów dla identyfikatorów Matrix wymienionych poniżej - czy chcesz rozpocząć wiadomość prywatną mimo to?", "The following users may not exist": "Wymienieni użytkownicy mogą nie istnieć", - "Use a different passphrase?": "Użyć innego hasła?", "Widgets": "Widżety", "Messages in this room are end-to-end encrypted.": "Wiadomości w tym pokoju są szyfrowane end-to-end.", "Sign in with SSO": "Zaloguj się z SSO", "Add widgets, bridges & bots": "Dodaj widżety, mostki i boty", - "Forget this room": "Zapomnij o tym pokoju", - "Explore public rooms": "Przeglądaj pokoje publiczne", "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.", "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", "This version of %(brand)s does not support searching encrypted messages": "Ta wersja %(brand)s nie obsługuje wyszukiwania zabezpieczonych wiadomości", "Use the Desktop app to search encrypted messages": "Używaj Aplikacji desktopowej, aby wyszukiwać zaszyfrowane wiadomości", "Ok": "OK", @@ -567,9 +448,7 @@ "Incompatible Database": "Niekompatybilna baza danych", "Information": "Informacje", "Accepting…": "Akceptowanie…", - "Re-join": "Dołącz ponownie", "Unencrypted": "Nieszyfrowane", - "None": "Brak", "Zimbabwe": "Zimbabwe", "Zambia": "Zambia", "Yemen": "Jemen", @@ -679,12 +558,6 @@ "Mauritius": "Mauritius", "Mauritania": "Mauretania", "Martinique": "Martynika", - "Room %(name)s": "Pokój %(name)s", - "Start chatting": "Rozpocznij rozmowę", - " wants to chat": " chce porozmawiać", - "Hide Widgets": "Ukryj widżety", - "No recently visited rooms": "Brak ostatnio odwiedzonych pokojów", - "Show Widgets": "Pokaż widżety", "Not Trusted": "Nie zaufany", "Ask this user to verify their session, or manually verify it below.": "Poproś go/ją o zweryfikowanie tej sesji bądź zweryfikuj ją osobiście poniżej.", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s%(userId)s zalogował się do nowej sesji bez zweryfikowania jej:", @@ -698,7 +571,6 @@ "Your messages are not secure": "Twoje wiadomości nie są bezpieczne", "Start Verification": "Rozpocznij weryfikację", "Waiting for %(displayName)s to accept…": "Oczekiwanie na akceptację przez %(displayName)s…", - "Bridges": "Mostki", "Verify User": "Weryfikuj użytkownika", "Verification Request": "Żądanie weryfikacji", "You verified %(name)s": "Zweryfikowałeś %(name)s", @@ -708,12 +580,8 @@ "For a large amount of messages, this might take some time. Please don't refresh your client in the meantime.": "Dla większej liczby wiadomości, może to zająć trochę czasu. Nie odświeżaj klienta w tym czasie.", "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", "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ą.", - "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", "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.", @@ -724,16 +592,11 @@ "Missing session data": "Brakujące dane sesji", "Sign out and remove encryption keys?": "Wylogować się i usunąć klucze szyfrowania?", "Invited by %(sender)s": "Zaproszony przez %(sender)s", - "Something went wrong with your invite to %(roomName)s": "Coś poszło nie tak z Twoim zaproszeniem do %(roomName)s", - "You were banned from %(roomName)s by %(memberName)s": "Zostałeś zbanowany z %(roomName)s przez %(memberName)s", "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ć?", "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.", - "Unable to verify phone number.": "Nie udało się zweryfikować numeru telefonu.", - "Go back to set it again.": "Wróć, aby skonfigurować to ponownie.", "Upgrade Room Version": "Uaktualnij wersję pokoju", "Upgrade this room to version %(version)s": "Uaktualnij ten pokój do wersji %(version)s", "The room upgrade could not be completed": "Uaktualnienie pokoju nie mogło zostać ukończone", @@ -749,8 +612,6 @@ "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.", "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.", - "Discovery options will appear once you have added a phone number above.": "Opcje odkrywania pojawią się, gdy dodasz numer telefonu powyżej.", "Signature upload failed": "Wysłanie podpisu nie powiodło się", "Signature upload success": "Wysłanie podpisu udało się", "Manually export keys": "Ręcznie eksportuj klucze", @@ -764,9 +625,6 @@ "Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Zweryfikuj tego użytkownika, aby oznaczyć go jako zaufanego. Użytkownicy zaufani dodają większej pewności, gdy korzystasz z wiadomości szyfrowanych end-to-end.", "Encryption not enabled": "Nie włączono szyfrowania", "Use the Desktop app to see all encrypted files": "Użyj aplikacji desktopowej, aby zobaczyć wszystkie szyfrowane pliki", - "Create key backup": "Utwórz kopię zapasową klucza", - "Generate a Security Key": "Wygeneruj klucz bezpieczeństwa", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Zabezpiecz się przed utratą dostępu do szyfrowanych wiadomości i danych, tworząc kopię zapasową kluczy szyfrowania na naszym serwerze.", "Avatar": "Awatar", "No results found": "Nie znaleziono wyników", "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", @@ -792,13 +650,6 @@ "Search for rooms or people": "Szukaj pokojów i ludzi", "Some suggestions may be hidden for privacy.": "Niektóre propozycje mogą być ukryte z uwagi na prywatność.", "Or send invite link": "Lub wyślij link z zaproszeniem", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Zarządcy integracji otrzymują dane konfiguracji, mogą modyfikować widżety, wysyłać zaproszenia do pokojów i ustawiać poziom uprawnień w Twoim imieniu.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Użyj zarządcy integracji aby zarządzać botami, widżetami i pakietami naklejek.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Użyj zarządcy Integracji %(serverName)s aby zarządzać botami, widżetami i pakietami naklejek.", - "Identity server (%(server)s)": "Serwer tożsamości (%(server)s)", - "Could not connect to identity server": "Nie można połączyć z serwerem tożsamości", - "Not a valid identity server (status code %(code)s)": "Nieprawidłowy serwer tożsamości (kod statusu %(code)s)", - "Identity server URL must be HTTPS": "URL serwera tożsamości musi być HTTPS", "%(spaceName)s and %(count)s others": { "one": "%(spaceName)s i %(count)s pozostała", "other": "%(spaceName)s i %(count)s pozostałych" @@ -821,28 +672,16 @@ "No microphone found": "Nie znaleziono mikrofonu", "We're creating a room with %(names)s": "Tworzymy pokój z %(names)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s lub %(recoveryFile)s", - "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s lub %(copyButton)s", "To join a space you'll need an invite.": "Wymagane jest zaproszenie, aby dołączyć do przestrzeni.", "Create a space": "Utwórz przestrzeń", - "Address": "Adres", "Space selection": "Wybór przestrzeni", "Reply in thread": "Odpowiedz w wątku", "Explore public spaces in the new search dialog": "Odkrywaj publiczne przestrzenie w nowym oknie wyszukiwania", - "Start new chat": "Nowy czat", "If you can't find the room you're looking for, ask for an invite or create a new room.": "Jeśli nie możesz znaleźć pokoju, którego szukasz, poproś o zaproszenie lub utwórz nowy pokój.", "Invite to %(roomName)s": "Zaproś do %(roomName)s", - "Deactivating your account is a permanent action — be careful!": "Dezaktywacja konta jest akcją trwałą — bądź ostrożny!", "Send voice message": "Wyślij wiadomość głosową", "Unpin this widget to view it in this panel": "Odepnij widżet, aby wyświetlić go w tym panelu", "Location": "Lokalizacja", - "Poll": "Ankieta", - "Voice Message": "Wiadomość głosowa", - "Join public room": "Dołącz do publicznego pokoju", - "Seen by %(count)s people": { - "one": "Odczytane przez %(count)s osobę", - "other": "Odczytane przez %(count)s osób" - }, - "New room": "Nowy pokój", "Export chat": "Eksportuj czat", "Files": "Pliki", "Clear cross-signing keys": "Wyczyść klucze weryfikacji krzyżowej", @@ -850,16 +689,6 @@ "Destroy cross-signing keys?": "Zniszczyć klucze weryfikacji krzyżowej?", "a device cross-signing signature": "sygnatura weryfikacji krzyżowej urządzenia", "a new cross-signing key signature": "nowa sygnatura kluczu weryfikacji krzyżowej", - "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Ta sesja wykryła, że Twoja fraza bezpieczeństwa i klucz dla bezpiecznych wiadomości zostały usunięte.", - "A new Security Phrase and key for Secure Messages have been detected.": "Wykryto nową frazę bezpieczeństwa i klucz dla bezpiecznych wiadomości.", - "Save your Security Key": "Zapisz swój klucz bezpieczeństwa", - "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Przechowuj swój klucz bezpieczeństwa w bezpiecznym miejscu, takim jak menedżer haseł lub sejf, ponieważ jest on używany do ochrony zaszyfrowanych danych.", - "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Wygenerujemy dla Ciebie klucz bezpieczeństwa, który możesz przechowywać w bezpiecznym miejscu, np. w menedżerze haseł lub w sejfie.", - "Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Kontynuuj tylko wtedy, gdy jesteś pewien, że straciłeś wszystkie inne urządzenia i swój klucz bezpieczeństwa.", - "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.": "Zresetowanie kluczy weryfikacyjnych nie może być cofnięte. Po zresetowaniu, nie będziesz mieć dostępu do starych wiadomości szyfrowanych, a wszyscy znajomi, którzy wcześniej Cię zweryfikowali, będą widzieć ostrzeżenia do czasu ponownej weryfikacji.", - "Verify with Security Key": "Weryfikacja za pomocą klucza bezpieczeństwa", - "Verify with Security Key or Phrase": "Weryfikacja za pomocą klucza lub frazy bezpieczeństwa", - "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.": "Wygląda na to, że nie masz klucza bezpieczeństwa ani żadnych innych urządzeń, które mogą weryfikować Twoją tożsamość. To urządzenie nie będzie mogło uzyskać dostępu do wcześniejszych zaszyfrowanych wiadomości. Aby zweryfikować swoją tożsamość na tym urządzeniu, należy zresetować klucze weryfikacyjne.", "If you've forgotten your Security Key you can ": "Jeśli zapomniałeś swojego klucza bezpieczeństwa, możesz ", "Access your secure message history and set up secure messaging by entering your Security Key.": "Uzyskaj dostęp do historii bezpiecznych wiadomości i skonfiguruj bezpieczne wiadomości, wprowadzając swój klucz bezpieczeństwa.", "Not a valid Security Key": "Nieprawidłowy klucz bezpieczeństwa", @@ -872,11 +701,6 @@ "Enter your Security Phrase or to continue.": "Wprowadź swoją frazę zabezpieczającą lub , aby kontynuować.", "Invalid Security Key": "Nieprawidłowy klucz bezpieczeństwa", "Wrong Security Key": "Niewłaściwy klucz bezpieczeństwa", - "Secure Backup successful": "Wykonanie bezpiecznej kopii zapasowej powiodło się", - "You can also set up Secure Backup & manage your keys in Settings.": "W ustawieniach możesz również skonfigurować bezpieczną kopię zapasową i zarządzać swoimi kluczami.", - "Restore your key backup to upgrade your encryption": "Przywróć kopię zapasową klucza, aby ulepszyć szyfrowanie", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Użyj sekretnej frazy, którą znasz tylko Ty, i opcjonalnie zapisz klucz bezpieczeństwa, który będzie używany do tworzenia kopii zapasowych.", - "Your keys are being backed up (the first backup could take a few minutes).": "Tworzy się kopia zapasowa Twoich kluczy (pierwsza kopia może potrwać kilka minut).", "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.": "Jeśli chcesz zachować dostęp do historii czatu w zaszyfrowanych pokojach, przed kontynuacją skonfiguruj kopię zapasową kluczy lub wyeksportuj klucze wiadomości z innego urządzenia.", "Backup could not be decrypted with this Security Key: please verify that you entered the correct Security Key.": "Kopia zapasowa nie mogła zostać rozszyfrowana za pomocą tego Klucza: upewnij się, że wprowadzono prawidłowy Klucz bezpieczeństwa.", "Restoring keys from backup": "Przywracanie kluczy z kopii zapasowej", @@ -885,65 +709,13 @@ "unknown": "nieznane", "Unsent": "Niewysłane", "Starting export process…": "Rozpoczynanie procesu eksportowania…", - "Connection": "Połączenie", - "Video settings": "Ustawienia wideo", - "Set a new account password…": "Ustaw nowe hasło użytkownika…", - "Error changing password": "Wystąpił błąd podczas zmiany hasła", - "Failed to re-authenticate due to a homeserver problem": "Nie udało się uwierzytelnić ponownie z powodu błędu serwera domowego", - "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)", - "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ć.", "This backup is trusted because it has been restored on this session": "Ta kopia jest zaufana, ponieważ została przywrócona w tej sesji", - "Home options": "Opcje głównej", - "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.", - "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.", - "Unable to revoke sharing for email address": "Nie można cofnąć udostępniania adresu e-mail", - "Call type": "Typ połączenia", - "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", - "Unknown failure": "Nieznany błąd", - "Failed to update the join rules": "Nie udało się zaktualizować zasad dołączania", - "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.", - "Error changing power level requirement": "Wystąpił błąd podczas zmiany wymagań poziomu uprawnień", - "Upload custom sound": "Załaduj własny dźwięk", - "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", - "@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.", - "Space information": "Informacje przestrzeni", - "Voice processing": "Procesowanie głosu", - "Automatically adjust the microphone volume": "Automatycznie dostosuj głośność mikrofonu", - "Voice settings": "Ustawienia głosu", - "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.", "Sign out of all devices": "Wyloguj się z wszystkich urządzeń", - "Insert link": "Wprowadź link", - "Formatting": "Formatowanie", - "Show formatting": "Pokaż formatowanie", - "Hide formatting": "Ukryj formatowanie", - "You do not have permission to start polls in this room.": "Nie posiadasz uprawnień, aby rozpocząć ankiety w tym pokoju.", - "Hide stickers": "Ukryj naklejki", - "Invite to this space": "Zaproś do tej przestrzeni", "%(count)s participants": { "one": "1 uczestnik", "other": "%(count)s uczestników" }, - "Show %(count)s other previews": { - "one": "Pokaż %(count)s inny podgląd", - "other": "Pokaż %(count)s innych podglądów" - }, "Failed to send": "Nie udało się wysłać", "Your message was sent": "Twoja wiadomość została wysłana", "Encrypting your message…": "Szyfrowanie Twojej wiadomości…", @@ -961,63 +733,9 @@ "This room has already been upgraded.": "Ten pokój został już ulepszony.", "Joined": "Dołączono", "Show Labs settings": "Pokaż ustawienia laboratoriów", - "To join, please enable video rooms in Labs first": "Aby dołączyć, włącz najpierw pokoje wideo w laboratoriach", - "To view, please enable video rooms in Labs first": "Aby wyświetlić, włącz najpierw pokoje wideo w laboratoriach", - "To view %(roomName)s, you need an invite": "Aby wyświetlić %(roomName)s, potrzebujesz zaproszenia", " invites you": " zaprasza cię", - "%(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.": "Wystąpił błąd %(errcode)s podczas próby dostępu do pokoju lub przestrzeni. Jeśli widzisz tą wiadomość w błędzie, zgłoś ten błąd.", - "Try again later, or ask a room or space admin to check if you have access.": "Spróbuj ponownie później lub spytaj się administratora przestrzeni, aby sprawdził czy masz dostęp.", - "This room or space does not exist.": "Ten pokój lub przestrzeń nie istnieje.", - "This room or space is not accessible at this time.": "Ten pokój lub przestrzeń nie jest dostępna w tym momencie.", - "Are you sure you're at the right place?": "Jesteś pewny, że jesteś w dobrym miejscu?", - "There's no preview, would you like to join?": "Brak podglądu, czy chcesz dołączyć?", - "Share this email in Settings to receive invites directly in %(brand)s.": "Udostępnij ten e-mail w Ustawieniach, aby otrzymywać zaproszenia bezpośrednio w %(brand)s.", - "This invite was sent to %(email)s": "To zaproszenie zostało wysłane do %(email)s", - "This invite was sent to %(email)s which is not associated with your account": "To zaproszenie zostało wysłane do %(email)s, które nie jest powiązane z Twoim kontem", - "You can still join here.": "Dalej możesz tu dołączyć.", - "You can only join it with a working invite.": "Możesz dołączyć tylko z działającym zaproszeniem.", - "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.": "Wystąpił błąd (%(errcode)s) podczas próby weryfikacji zaproszenia. Spróbuj skontaktować się z osobą, od której otrzymano zaproszenie.", - "Something went wrong with your invite.": "Coś poszło nie tak z Twoim zaproszeniem.", - "You were banned by %(memberName)s": "Zostałeś zbanowany przez %(memberName)s", - "Forget this space": "Zapomnij tą przestrzeń", - "You were removed by %(memberName)s": "Zostałeś usunięty przez %(memberName)s", - "You were removed from %(roomName)s by %(memberName)s": "Zostałeś usunięty z %(roomName)s przez %(memberName)s", - "Loading preview": "Wczytywanie podglądu", - "Join the room to participate": "Dołącz do pokoju, aby uczestniczyć", - "Rejecting invite…": "Odrzucanie zaproszenia…", - "Joining…": "Dołączanie…", - "Joining room…": "Dołączanie do pokoju…", - "Joining space…": "Dołączanie do przestrzeni…", - "%(spaceName)s menu": "menu %(spaceName)s", - "Currently removing messages in %(count)s rooms": { - "one": "Aktualnie usuwanie wiadomości z %(count)s pokoju", - "other": "Aktualnie usuwanie wiadomości z %(count)s pokoi" - }, - "Currently joining %(count)s rooms": { - "one": "Aktualnie dołączanie do %(count)s pokoju", - "other": "Aktualnie dołączanie do %(count)s pokoi" - }, - "Add space": "Dodaj przestrzeń", - "Suggested Rooms": "Sugerowane pokoje", "Saved Items": "Przedmioty zapisane", - "Add existing room": "Dodaj istniejący pokój", - "New video room": "Nowy pokój wideo", - "Add people": "Dodaj osoby", - "Invite to space": "Zaproś do przestrzeni", - "Private room": "Pokój prywatny", - "Private space": "Przestrzeń prywatna", - "Public room": "Pokój publiczny", - "Public space": "Przestrzeń publiczna", - "Video room": "Pokój wideo", - "View chat timeline": "Wyświetl oś czasu czatu", - "Close call": "Zamknij połączenie", - "Change layout": "Zmień układ", - "Freedom": "Wolność", - "Video call (%(brand)s)": "Rozmowa wideo (%(brand)s)", - "Video call (Jitsi)": "Rozmowa wideo (Jitsi)", - "Recently visited rooms": "Ostatnio odwiedzane pokoje", "Recently viewed": "Ostatnio wyświetlane", - "Read receipts": "Czytaj potwierdzenia", "%(members)s and %(last)s": "%(members)s i %(last)s", "%(members)s and more": "%(members)s i więcej", "View message": "Wyświetl wiadomość", @@ -1071,8 +789,6 @@ "Yours, or the other users' session": "Sesja Twoja lub innych użytkowników", "Yours, or the other users' internet connection": "Połączenie internetowe Twoje lub innych użytkowników", "The homeserver the user you're verifying is connected to": "Użytkownik, którego weryfikujesz jest połączony z serwerem domowym", - "Message didn't send. Click for info.": "Nie wysłano wiadomości. Kliknij po więcej informacji.", - "You do not have permission to invite users": "Nie posiadasz uprawnień, aby zapraszać użytkowników", "You cancelled": "Anulowałeś", "You accepted": "Zaakceptowałeś", "%(name)s accepted": "%(name)s zaakceptował", @@ -1393,7 +1109,6 @@ "Message in %(room)s": "Wiadomość w %(room)s", "Feedback sent! Thanks, we appreciate it!": "Wysłano opinię! Dziękujemy, doceniamy to!", "%(featureName)s Beta feedback": "%(featureName)s opinia Beta", - "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", "What location type do you want to share?": "Jaki typ lokalizacji chcesz udostępnić?", @@ -1537,37 +1252,7 @@ "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", - "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.", - "Recovery Method Removed": "Usunięto metodę odzyskiwania", - "Set up Secure Messages": "Skonfiguruj bezpieczne wiadomości", - "This session is encrypting history using the new recovery method.": "Ta sesja szyfruję historię za pomocą nowej metody odzyskiwania.", - "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.": "Jeżeli nie ustawiłeś nowej metody odzyskiwania, atakujący może uzyskać dostęp do Twojego konta. Zmień hasło konta i natychmiast ustaw nową metodę odzyskiwania w Ustawieniach.", - "Unable to set up secret storage": "Nie można ustawić sekretnego magazynu", - "Confirm Security Phrase": "Potwierdź hasło bezpieczeństwa", - "Set a Security Phrase": "Ustaw hasło bezpieczeństwa", - "Upgrade your encryption": "Ulepsz swoje szyfrowanie", - "Unable to query secret storage status": "Nie udało się uzyskać statusu sekretnego magazynu", - "Your keys are now being backed up from this device.": "Twoje klucze są właśnie przywracane z tego urządzenia.", - "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.": "Wprowadź hasło bezpieczeństwa, które znasz tylko Ty, ponieważ będzie użyte do ochrony Twoich danych. Ze względów bezpieczeństwa, nie wprowadzaj hasła Twojego konta.", - "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Ulepsz tę sesję, aby zezwolić jej na weryfikację innych sesji, dając im dostęp do wiadomości szyfrowanych i oznaczenie ich jako zaufane.", - "You'll need to authenticate with the server to confirm the upgrade.": "Wymagane jest uwierzytelnienie z serwerem, aby potwierdzić ulepszenie.", - "Starting backup…": "Rozpoczynanie kopii zapasowej…", - "Confirm your Security Phrase": "Potwierdź swoje hasło bezpieczeństwa", - "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", - "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.", - "I'll verify later": "Zweryfikuję później", - "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Bez weryfikacji, nie będziesz posiadać dostępu do wszystkich swoich wiadomości, a inni będą Cię widzieć jako niezaufanego.", - "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Twoje nowe urządzenie zostało zweryfikowane. Posiada dostęp do Twoich wiadomości szyfrowanych, a inni użytkownicy będą je widzieć jako zaufane.", - "Your new device is now verified. Other users will see it as trusted.": "Twoje nowe urządzenie zostało zweryfikowane. Inni użytkownicy będą je widzieć jako zaufane.", - "Verify your identity to access encrypted messages and prove your identity to others.": "Zweryfikuj swoją tożsamość, aby uzyskać dostęp do wiadomości szyfrowanych i potwierdzić swoją tożsamość innym.", - "Verify with another device": "Weryfikuj innym urządzeniem", - "Proceed with reset": "Zresetuj", "Identity server URL does not appear to be a valid identity server": "URL serwera tożsamości nie wydaje się być prawidłowym serwerem tożsamości", "Invalid base_url for m.identity_server": "Nieprawidłowy base_url dla m.identity_server", "Invalid identity server discovery response": "Nieprawidłowa odpowiedź na wykrycie serwera tożsamości", @@ -1608,36 +1293,9 @@ "%(completed)s of %(total)s keys restored": "%(completed)s z %(total)s kluczy przywrócono", "Are you sure you wish to remove (delete) this event?": "Czy na pewno chcesz usunąć to wydarzenie?", "Note that removing room changes like this could undo the change.": "Usuwanie zmian pokoju w taki sposób może cofnąć zmianę.", - "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": "Aktualizacja:Uprościliśmy Ustawienia powiadomień, aby łatwiej je nawigować. Niektóre ustawienia niestandardowe nie są już tu widoczne, lecz wciąż aktywne. Jeśli kontynuujesz, niektóre Twoje ustawienia mogą się zmienić. Dowiedz się więcej", - "Mentions and Keywords only": "Wyłącznie wzmianki i słowa kluczowe", - "Play a sound for": "Odtwórz dźwięk dla", - "Notify when someone mentions using @room": "Powiadom mnie, gdy ktoś użyje wzmianki @room", - "Email Notifications": "Powiadomienia e-mail", - "Email summary": "Podsumowanie e-mail", - "Receive an email summary of missed notifications": "Otrzymuj e-maile z podsumowaniem pominiętych powiadomień", - "People, Mentions and Keywords": "Osoby, wzmianki i słowa kluczowe", - "Show message preview in desktop notification": "Pokaż podgląd wiadomości w powiadomieniach na pulpicie", - "I want to be notified for (Default Setting)": "Chce otrzymywać powiadomienia (Domyślne ustawienie)", - "This setting will be applied by default to all your rooms.": "To ustawienie zastosuje się do wszystkich Twoich pokoi.", - "Mentions and Keywords": "Wzmianki i słowa kluczowe", - "Audio and Video calls": "Połączenia audio i wideo", - "Invited to a room": "Zaproszono do pokoju", - "Select which emails you want to send summaries to. Manage your emails in .": "Wybierz, które e-maile mają otrzymać podsumowania. Zarządzaj swoimi e-mailami w sekcji .", - "Messages sent by bots": "Wiadomości wysłane przez boty", - "Mark all messages as read": "Oznacz wszystkie wiadomości jako przeczytane", "Other spaces you know": "Inne przestrzenie, które znasz", - "Reset to default settings": "Resetuj do ustawień domyślnych", - "Unable to find user by email": "Nie udało się znaleźć użytkownika za pomocą e-maila", - "Great! This passphrase looks strong enough": "Świetnie! To hasło wygląda na wystarczająco silne", - "New room activity, upgrades and status messages occur": "Pojawiła się nowa aktywność pokoju, aktualizacje i status wiadomości", "Messages here are end-to-end encrypted. Verify %(displayName)s in their profile - tap on their profile picture.": "Wiadomości tutaj są szyfrowane end-to-end. Aby zweryfikować profil %(displayName)s - kliknij na zdjęcie profilowe.", "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.": "Wiadomości w tym pokoju są szyfrowane end-to-end. Możesz zweryfikować osoby, które dołączą klikając na ich zdjęcie profilowe.", - "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Eksportowany plik zezwoli każdemu, kto go odczyta na szyfrowanie i rozszyfrowanie wiadomości, które widzisz. By usprawnić proces, wprowadź hasło poniżej, które posłuży do szyfrowania eksportowanych danych. Importowanie danych będzie możliwe wyłącznie za pomocą tego hasła.", - "Applied by default to all rooms on all devices.": "Zastosowano domyślnie do wszystkich pokoi na każdym urządzeniu.", - "Show a badge when keywords are used in a room.": "Wyświetl plakietkę , gdy słowa kluczowe są używane w pokoju.", - "Notify when someone mentions using @displayname or %(mxid)s": "Powiadom mnie, gdy ktoś użyje wzmianki @displayname lub %(mxid)s", - "Other things we think you might be interested in:": "Inne rzeczy, które mogą Cię zainteresować:", - "Enter keywords here, or use for spelling variations or nicknames": "Wprowadź tutaj słowa kluczowe lub użyj odmian pisowni lub nicków", "Upgrade room": "Ulepsz pokój", "common": { "about": "Informacje", @@ -1744,7 +1402,18 @@ "saving": "Zapisywanie…", "profile": "Profil", "display_name": "Wyświetlana nazwa", - "user_avatar": "Obraz profilowy" + "user_avatar": "Obraz profilowy", + "authentication": "Uwierzytelnienie", + "public_room": "Pokój publiczny", + "video_room": "Pokój wideo", + "public_space": "Przestrzeń publiczna", + "private_space": "Przestrzeń prywatna", + "private_room": "Pokój prywatny", + "rooms": "Pokoje", + "low_priority": "Niski priorytet", + "historical": "Historyczne", + "go_to_settings": "Przejdź do ustawień", + "setup_secure_messages": "Skonfiguruj bezpieczne wiadomości" }, "action": { "continue": "Kontynuuj", @@ -1850,7 +1519,16 @@ "unban": "Odbanuj", "click_to_copy": "Kliknij aby skopiować", "hide_advanced": "Ukryj zaawansowane", - "show_advanced": "Pokaż zaawansowane" + "show_advanced": "Pokaż zaawansowane", + "unignore": "Przestań ignorować", + "start_new_chat": "Nowy czat", + "invite_to_space": "Zaproś do przestrzeni", + "add_people": "Dodaj osoby", + "explore_rooms": "Przeglądaj pokoje", + "new_room": "Nowy pokój", + "new_video_room": "Nowy pokój wideo", + "add_existing_room": "Dodaj istniejący pokój", + "explore_public_rooms": "Przeglądaj pokoje publiczne" }, "a11y": { "user_menu": "Menu użytkownika", @@ -1863,7 +1541,8 @@ "one": "1 nieprzeczytana wiadomość." }, "unread_messages": "Nieprzeczytane wiadomości.", - "jump_first_invite": "Przejdź do pierwszego zaproszenia." + "jump_first_invite": "Przejdź do pierwszego zaproszenia.", + "room_name": "Pokój %(name)s" }, "labs": { "video_rooms": "Pokoje wideo", @@ -2055,7 +1734,22 @@ "space_a11y": "Przerwa autouzupełniania", "user_description": "Użytkownicy", "user_a11y": "Autouzupełnianie użytkowników" - } + }, + "room_upgraded_link": "Konwersacja jest kontynuowana tutaj.", + "room_upgraded_notice": "Ten pokój został zamieniony i nie jest już aktywny.", + "no_perms_notice": "Nie masz uprawnień do pisania w tym pokoju", + "send_button_voice_message": "Wyślij wiadomość głosową", + "close_sticker_picker": "Ukryj naklejki", + "voice_message_button": "Wiadomość głosowa", + "poll_button_no_perms_title": "Wymagane Uprawnienia", + "poll_button_no_perms_description": "Nie posiadasz uprawnień, aby rozpocząć ankiety w tym pokoju.", + "poll_button": "Ankieta", + "mode_plain": "Ukryj formatowanie", + "mode_rich_text": "Pokaż formatowanie", + "formatting_toolbar_label": "Formatowanie", + "format_italics": "Kursywa", + "format_insert_link": "Wprowadź link", + "replying_title": "Odpowiadanie" }, "Link": "Link", "Code": "Kod", @@ -2235,7 +1929,30 @@ "error_title": "Nie można włączyć powiadomień", "error_updating": "Wystąpił błąd podczas aktualizowania Twoich preferencji powiadomień. Przełącz opcję ponownie.", "push_targets": "Cele powiadomień", - "error_loading": "Wystąpił błąd podczas wczytywania twoich ustawień powiadomień." + "error_loading": "Wystąpił błąd podczas wczytywania twoich ustawień powiadomień.", + "email_section": "Podsumowanie e-mail", + "email_description": "Otrzymuj e-maile z podsumowaniem pominiętych powiadomień", + "email_select": "Wybierz, które e-maile mają otrzymać podsumowania. Zarządzaj swoimi e-mailami w sekcji .", + "people_mentions_keywords": "Osoby, wzmianki i słowa kluczowe", + "mentions_keywords_only": "Wyłącznie wzmianki i słowa kluczowe", + "labs_notice_prompt": "Aktualizacja:Uprościliśmy Ustawienia powiadomień, aby łatwiej je nawigować. Niektóre ustawienia niestandardowe nie są już tu widoczne, lecz wciąż aktywne. Jeśli kontynuujesz, niektóre Twoje ustawienia mogą się zmienić. Dowiedz się więcej", + "desktop_notification_message_preview": "Pokaż podgląd wiadomości w powiadomieniach na pulpicie", + "default_setting_section": "Chce otrzymywać powiadomienia (Domyślne ustawienie)", + "default_setting_description": "To ustawienie zastosuje się do wszystkich Twoich pokoi.", + "play_sound_for_section": "Odtwórz dźwięk dla", + "play_sound_for_description": "Zastosowano domyślnie do wszystkich pokoi na każdym urządzeniu.", + "mentions_keywords": "Wzmianki i słowa kluczowe", + "voip": "Połączenia audio i wideo", + "other_section": "Inne rzeczy, które mogą Cię zainteresować:", + "invites": "Zaproszono do pokoju", + "room_activity": "Pojawiła się nowa aktywność pokoju, aktualizacje i status wiadomości", + "notices": "Wiadomości wysłane przez boty", + "keywords": "Wyświetl plakietkę , gdy słowa kluczowe są używane w pokoju.", + "notify_at_room": "Powiadom mnie, gdy ktoś użyje wzmianki @room", + "notify_mention": "Powiadom mnie, gdy ktoś użyje wzmianki @displayname lub %(mxid)s", + "keywords_prompt": "Wprowadź tutaj słowa kluczowe lub użyj odmian pisowni lub nicków", + "quick_actions_mark_all_read": "Oznacz wszystkie wiadomości jako przeczytane", + "quick_actions_reset": "Resetuj do ustawień domyślnych" }, "appearance": { "layout_irc": "IRC (eksperymentalny)", @@ -2273,7 +1990,19 @@ "echo_cancellation": "Usuwanie echa", "noise_suppression": "Redukcja szumów", "enable_fallback_ice_server": "Zezwól na alternatywny serwer wspierający (%(server)s)", - "enable_fallback_ice_server_description": "Stosuje się go tylko wtedy, kiedy Twój serwer domowy go nie oferuje. Twój adres IP zostanie współdzielony w trakcie połączenia." + "enable_fallback_ice_server_description": "Stosuje się go tylko wtedy, kiedy Twój serwer domowy go nie oferuje. Twój adres IP zostanie współdzielony w trakcie połączenia.", + "missing_permissions_prompt": "Brakuje uprawnień do mediów, kliknij przycisk poniżej, aby o nie zapytać.", + "request_permissions": "Zapytaj o uprawnienia", + "audio_output": "Wyjście audio", + "audio_output_empty": "Nie wykryto wyjść audio", + "audio_input_empty": "Nie wykryto żadnego mikrofonu", + "video_input_empty": "Nie wykryto żadnej kamerki internetowej", + "title": "Głos i wideo", + "voice_section": "Ustawienia głosu", + "voice_agc": "Automatycznie dostosuj głośność mikrofonu", + "video_section": "Ustawienia wideo", + "voice_processing": "Procesowanie głosu", + "connection_section": "Połączenie" }, "send_read_receipts_unsupported": "Twój serwer nie wspiera wyłączenia wysyłania potwierdzeń przeczytania.", "security": { @@ -2346,7 +2075,11 @@ "key_backup_in_progress": "Tworzenie kopii zapasowej %(sessionsRemaining)s kluczy…", "key_backup_complete": "Utworzono kopię zapasową wszystkich kluczy", "key_backup_algorithm": "Algorytm:", - "key_backup_inactive_warning": "Twoje klucze nie są zapisywanie na tej sesji." + "key_backup_inactive_warning": "Twoje klucze nie są zapisywanie na tej sesji.", + "key_backup_active_version_none": "Brak", + "ignore_users_empty": "Nie posiadasz ignorowanych użytkowników.", + "ignore_users_section": "Zignorowani użytkownicy", + "e2ee_default_disabled_warning": "Twój administrator serwera wyłączył szyfrowanie end-to-end domyślnie w pokojach prywatnych i wiadomościach bezpośrednich." }, "preferences": { "room_list_heading": "Lista pokojów", @@ -2466,7 +2199,8 @@ "one": "Czy na pewno chcesz się wylogować z %(count)s sesji?", "other": "Czy na pewno chcesz się wylogować z %(count)s sesji?" }, - "other_sessions_subsection_description": "Dla najlepszego bezpieczeństwa, zweryfikuj swoje sesje i wyloguj się ze wszystkich sesji, których nie rozpoznajesz lub nie używasz." + "other_sessions_subsection_description": "Dla najlepszego bezpieczeństwa, zweryfikuj swoje sesje i wyloguj się ze wszystkich sesji, których nie rozpoznajesz lub nie używasz.", + "error_pusher_state": "Nie udało się ustawić stanu pushera" }, "general": { "oidc_manage_button": "Zarządzaj kontem", @@ -2488,7 +2222,46 @@ "add_msisdn_dialog_title": "Dodaj numer telefonu", "name_placeholder": "Brak nazwy ekranowej", "error_saving_profile_title": "Nie udało się zapisać profilu", - "error_saving_profile": "To działanie nie mogło być ukończone" + "error_saving_profile": "To działanie nie mogło być ukończone", + "error_password_change_unknown": "Wystąpił nieznany błąd podczas zmiany hasła (%(stringifiedError)s)", + "error_password_change_403": "Zmiana hasła nie powiodła się. Czy Twoje hasło jest poprawne?", + "error_password_change_http": "%(errorMessage)s (Status HTTP %(httpStatus)s)", + "error_password_change_title": "Wystąpił błąd podczas zmiany hasła", + "password_change_success": "Twoje hasło zostało pomyślnie zmienione.", + "emails_heading": "Adresy e-mail", + "msisdns_heading": "Numery telefonów", + "password_change_section": "Ustaw nowe hasło użytkownika…", + "external_account_management": "Twoje dane konta są zarządzane oddzielnie na %(hostname)s.", + "discovery_needs_terms": "Wyrażasz zgodę na warunki użytkowania serwera%(serverName)s aby pozwolić na odkrywanie Ciebie za pomocą adresu e-mail oraz numeru telefonu.", + "deactivate_section": "Dezaktywuj konto", + "account_management_section": "Zarządzanie kontem", + "deactivate_warning": "Dezaktywacja konta jest akcją trwałą — bądź ostrożny!", + "discovery_section": "Odkrywanie", + "error_revoke_email_discovery": "Nie można cofnąć udostępniania adresu e-mail", + "error_share_email_discovery": "Nie udało się udostępnić adresu e-mail", + "email_not_verified": "Twój adres e-mail nie został jeszcze zweryfikowany", + "email_verification_instructions": "Kliknij link w wiadomości e-mail, którą otrzymałeś, aby zweryfikować i kliknij kontynuuj ponownie.", + "error_email_verification": "Weryfikacja adresu e-mail nie powiodła się.", + "discovery_email_verification_instructions": "Zweryfikuj link w swojej skrzynce odbiorczej", + "discovery_email_empty": "Opcje odkrywania pojawią się, gdy dodasz adres e-mail powyżej.", + "error_revoke_msisdn_discovery": "Nie można odwołać udostępniania numeru telefonu", + "error_share_msisdn_discovery": "Nie udało się udostępnić numeru telefonu", + "error_msisdn_verification": "Nie udało się zweryfikować numeru telefonu.", + "incorrect_msisdn_verification": "Nieprawidłowy kod weryfikujący", + "msisdn_verification_instructions": "Wprowadź kod weryfikacyjny wysłany wiadomością tekstową.", + "msisdn_verification_field_label": "Kod weryfikacyjny", + "discovery_msisdn_empty": "Opcje odkrywania pojawią się, gdy dodasz numer telefonu powyżej.", + "error_set_name": "Nie udało się ustawić wyświetlanej nazwy", + "error_remove_3pid": "Nie można usunąć informacji kontaktowych", + "remove_email_prompt": "Usunąć %(email)s?", + "error_invalid_email": "Nieprawidłowy adres e-mail", + "error_invalid_email_detail": "Ten adres e-mail zdaje się nie być poprawny", + "error_add_email": "Nie można dodać adresu e-mail", + "add_email_instructions": "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.", + "email_address_label": "Adres e-mail", + "remove_msisdn_prompt": "Usunąć %(phone)s?", + "add_msisdn_instructions": "Wiadomość tekstowa wysłana do %(msisdn)s. Wprowadź kod weryfikacyjny w niej zawarty.", + "msisdn_label": "Numer telefonu" }, "sidebar": { "title": "Pasek boczny", @@ -2501,6 +2274,58 @@ "metaspaces_orphans_description": "Pogrupuj wszystkie pokoje, które nie są częścią przestrzeni, w jednym miejscu.", "metaspaces_home_all_rooms_description": "Pokaż wszystkie swoje pokoje na głównej, nawet jeśli znajdują się w przestrzeni.", "metaspaces_home_all_rooms": "Pokaż wszystkie pokoje" + }, + "key_backup": { + "backup_in_progress": "Tworzy się kopia zapasowa Twoich kluczy (pierwsza kopia może potrwać kilka minut).", + "backup_starting": "Rozpoczynanie kopii zapasowej…", + "backup_success": "Sukces!", + "create_title": "Utwórz kopię zapasową klucza", + "cannot_create_backup": "Nie można utworzyć kopii zapasowej klucza", + "setup_secure_backup": { + "generate_security_key_title": "Wygeneruj klucz bezpieczeństwa", + "generate_security_key_description": "Wygenerujemy dla Ciebie klucz bezpieczeństwa, który możesz przechowywać w bezpiecznym miejscu, np. w menedżerze haseł lub w sejfie.", + "enter_phrase_title": "Wprowadź hasło bezpieczeństwa", + "description": "Zabezpiecz się przed utratą dostępu do szyfrowanych wiadomości i danych, tworząc kopię zapasową kluczy szyfrowania na naszym serwerze.", + "requires_password_confirmation": "Wprowadź hasło do konta, aby potwierdzić aktualizację:", + "requires_key_restore": "Przywróć kopię zapasową klucza, aby ulepszyć szyfrowanie", + "requires_server_authentication": "Wymagane jest uwierzytelnienie z serwerem, aby potwierdzić ulepszenie.", + "session_upgrade_description": "Ulepsz tę sesję, aby zezwolić jej na weryfikację innych sesji, dając im dostęp do wiadomości szyfrowanych i oznaczenie ich jako zaufane.", + "enter_phrase_description": "Wprowadź hasło bezpieczeństwa, które znasz tylko Ty, ponieważ będzie użyte do ochrony Twoich danych. Ze względów bezpieczeństwa, nie wprowadzaj hasła Twojego konta.", + "phrase_strong_enough": "Wspaniale! Hasło bezpieczeństwa wygląda na silne.", + "pass_phrase_match_success": "Zgadza się!", + "use_different_passphrase": "Użyć innego hasła?", + "pass_phrase_match_failed": "To się nie zgadza.", + "set_phrase_again": "Wróć, aby skonfigurować to ponownie.", + "enter_phrase_to_confirm": "Wprowadź hasło bezpieczeństwa ponownie, aby potwierdzić.", + "confirm_security_phrase": "Potwierdź swoje hasło bezpieczeństwa", + "security_key_safety_reminder": "Przechowuj swój klucz bezpieczeństwa w bezpiecznym miejscu, takim jak menedżer haseł lub sejf, ponieważ jest on używany do ochrony zaszyfrowanych danych.", + "download_or_copy": "%(downloadButton)s lub %(copyButton)s", + "backup_setup_success_description": "Twoje klucze są właśnie przywracane z tego urządzenia.", + "backup_setup_success_title": "Wykonanie bezpiecznej kopii zapasowej powiodło się", + "secret_storage_query_failure": "Nie udało się uzyskać statusu sekretnego magazynu", + "cancel_warning": "Jeśli anulujesz teraz, możesz stracić wiadomości szyfrowane i dane, jeśli stracisz dostęp do loginu i hasła.", + "settings_reminder": "W ustawieniach możesz również skonfigurować bezpieczną kopię zapasową i zarządzać swoimi kluczami.", + "title_upgrade_encryption": "Ulepsz swoje szyfrowanie", + "title_set_phrase": "Ustaw hasło bezpieczeństwa", + "title_confirm_phrase": "Potwierdź hasło bezpieczeństwa", + "title_save_key": "Zapisz swój klucz bezpieczeństwa", + "unable_to_setup": "Nie można ustawić sekretnego magazynu", + "use_phrase_only_you_know": "Użyj sekretnej frazy, którą znasz tylko Ty, i opcjonalnie zapisz klucz bezpieczeństwa, który będzie używany do tworzenia kopii zapasowych." + } + }, + "key_export_import": { + "export_title": "Eksportuj klucze pokoju", + "export_description_1": "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.", + "export_description_2": "Eksportowany plik zezwoli każdemu, kto go odczyta na szyfrowanie i rozszyfrowanie wiadomości, które widzisz. By usprawnić proces, wprowadź hasło poniżej, które posłuży do szyfrowania eksportowanych danych. Importowanie danych będzie możliwe wyłącznie za pomocą tego hasła.", + "enter_passphrase": "Wpisz frazę", + "phrase_strong_enough": "Świetnie! To hasło wygląda na wystarczająco silne", + "confirm_passphrase": "Potwierdź hasło szyfrujące", + "phrase_cannot_be_empty": "Hasło szyfrujące nie może być puste", + "phrase_must_match": "Hasła szyfrujące muszą być identyczne", + "import_title": "Importuj klucze pokoju", + "import_description_1": "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ć.", + "import_description_2": "Eksportowany plik będzie chroniony hasłem szyfrującym. Aby odszyfrować plik, wpisz hasło szyfrujące tutaj.", + "file_to_import": "Plik do importu" } }, "devtools": { @@ -3010,7 +2835,19 @@ "collapse_reply_thread": "Zwiń wątek odpowiedzi", "view_related_event": "Wyświetl powiązane wydarzenie", "report": "Zgłoś" - } + }, + "url_preview": { + "show_n_more": { + "one": "Pokaż %(count)s inny podgląd", + "other": "Pokaż %(count)s innych podglądów" + }, + "close": "Zamknij podgląd" + }, + "read_receipt_title": { + "one": "Odczytane przez %(count)s osobę", + "other": "Odczytane przez %(count)s osób" + }, + "read_receipts_label": "Czytaj potwierdzenia" }, "slash_command": { "spoiler": "Wysyła podaną wiadomość jako spoiler", @@ -3277,7 +3114,14 @@ "permissions_section_description_room": "Wybierz role wymagane do zmieniania różnych części pokoju", "add_privileged_user_heading": "Dodaj użytkowników uprzywilejowanych", "add_privileged_user_description": "Dodaj jednemu lub więcej użytkownikom więcej uprawnień", - "add_privileged_user_filter_placeholder": "Szukaj użytkowników w tym pokoju…" + "add_privileged_user_filter_placeholder": "Szukaj użytkowników w tym pokoju…", + "error_unbanning": "Nie udało się odbanować", + "banned_by": "Zbanowany przez %(displayName)s", + "ban_reason": "Powód", + "error_changing_pl_reqs_title": "Wystąpił błąd podczas zmiany wymagań poziomu uprawnień", + "error_changing_pl_reqs_description": "Wystąpił błąd podczas zmiany wymagań poziomu uprawnień pokoju. Upewnij się, że posiadasz wystarczające uprawnienia i spróbuj ponownie.", + "error_changing_pl_title": "Wystąpił błąd podczas zmiany poziomu uprawnień", + "error_changing_pl_description": "Wystąpił błąd podczas zmiany poziomu uprawnień użytkownika. Upewnij się, że posiadasz wystarczające uprawnienia i spróbuj ponownie." }, "security": { "strict_encryption": "Nigdy nie wysyłaj zaszyfrowanych wiadomości do niezweryfikowanych sesji z tej sesji w tym pokoju", @@ -3332,7 +3176,9 @@ "join_rule_upgrade_updating_spaces": { "one": "Aktualizowanie przestrzeni...", "other": "Aktualizowanie przestrzeni... (%(progress)s z %(count)s)" - } + }, + "error_join_rule_change_title": "Nie udało się zaktualizować zasad dołączania", + "error_join_rule_change_unknown": "Nieznany błąd" }, "general": { "publish_toggle": "Czy opublikować ten pokój dla ogółu w spisie pokojów domeny %(domain)s?", @@ -3346,7 +3192,9 @@ "error_save_space_settings": "Nie udało się zapisać ustawień przestrzeni.", "description_space": "Edytuj ustawienia powiązane z twoją przestrzenią.", "save": "Zapisz zmiany", - "leave_space": "Opuść przestrzeń" + "leave_space": "Opuść przestrzeń", + "aliases_section": "Adresy pokoju", + "other_section": "Inne" }, "advanced": { "unfederated": "Ten pokój nie jest dostępny na zdalnych serwerach Matrix", @@ -3357,7 +3205,9 @@ "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:" + "room_version": "Wersja pokoju:", + "information_section_space": "Informacje przestrzeni", + "information_section_room": "Informacje pokoju" }, "delete_avatar_label": "Usuń awatar", "upload_avatar_label": "Prześlij awatar", @@ -3371,11 +3221,32 @@ "history_visibility_anyone_space": "Podgląd przestrzeni", "history_visibility_anyone_space_description": "Pozwól ludziom na podgląd twojej przestrzeni zanim dołączą.", "history_visibility_anyone_space_recommendation": "Zalecane dla publicznych przestrzeni.", - "guest_access_label": "Włącz dostęp dla gości" + "guest_access_label": "Włącz dostęp dla gości", + "alias_section": "Adres" }, "access": { "title": "Dostęp", "description_space": "Zdecyduj kto może wyświetlić i dołączyć do %(spaceName)s." + }, + "bridges": { + "description": "Ten pokój mostkuje wiadomości do następujących platform. Dowiedz się więcej.", + "empty": "Ten pokój nie mostkuje wiadomości z żadnymi platformami. Dowiedz się więcej.", + "title": "Mostki" + }, + "notifications": { + "uploaded_sound": "Przesłano dźwięk", + "settings_link": "Otrzymuj powiadomienia zgodnie z Twoimi ustawieniami", + "sounds_section": "Dźwięki", + "notification_sound": "Dźwięk powiadomień", + "custom_sound_prompt": "Ustaw nowy niestandardowy dźwięk", + "upload_sound_label": "Załaduj własny dźwięk", + "browse_button": "Przeglądaj" + }, + "voip": { + "enable_element_call_label": "Włącz %(brand)s jako dodatkową opcję dzwonienia w tym pokoju", + "enable_element_call_caption": "%(brand)s jest szyfrowany end-to-end, lecz jest aktualnie ograniczony do mniejszej liczby użytkowników.", + "enable_element_call_no_permissions_tooltip": "Nie posiadasz wymaganych uprawnień, aby to zmienić.", + "call_type_section": "Typ połączenia" } }, "encryption": { @@ -3410,7 +3281,19 @@ "unverified_session_toast_accept": "Tak, to byłem ja", "request_toast_detail": "%(deviceId)s z %(ip)s", "request_toast_decline_counter": "Ignoruj (%(counter)s)", - "request_toast_accept": "Zweryfikuj sesję" + "request_toast_accept": "Zweryfikuj sesję", + "no_key_or_device": "Wygląda na to, że nie masz klucza bezpieczeństwa ani żadnych innych urządzeń, które mogą weryfikować Twoją tożsamość. To urządzenie nie będzie mogło uzyskać dostępu do wcześniejszych zaszyfrowanych wiadomości. Aby zweryfikować swoją tożsamość na tym urządzeniu, należy zresetować klucze weryfikacyjne.", + "reset_proceed_prompt": "Zresetuj", + "verify_using_key_or_phrase": "Weryfikacja za pomocą klucza lub frazy bezpieczeństwa", + "verify_using_key": "Weryfikacja za pomocą klucza bezpieczeństwa", + "verify_using_device": "Weryfikuj innym urządzeniem", + "verification_description": "Zweryfikuj swoją tożsamość, aby uzyskać dostęp do wiadomości szyfrowanych i potwierdzić swoją tożsamość innym.", + "verification_success_with_backup": "Twoje nowe urządzenie zostało zweryfikowane. Posiada dostęp do Twoich wiadomości szyfrowanych, a inni użytkownicy będą je widzieć jako zaufane.", + "verification_success_without_backup": "Twoje nowe urządzenie zostało zweryfikowane. Inni użytkownicy będą je widzieć jako zaufane.", + "verification_skip_warning": "Bez weryfikacji, nie będziesz posiadać dostępu do wszystkich swoich wiadomości, a inni będą Cię widzieć jako niezaufanego.", + "verify_later": "Zweryfikuję później", + "verify_reset_warning_1": "Zresetowanie kluczy weryfikacyjnych nie może być cofnięte. Po zresetowaniu, nie będziesz mieć dostępu do starych wiadomości szyfrowanych, a wszyscy znajomi, którzy wcześniej Cię zweryfikowali, będą widzieć ostrzeżenia do czasu ponownej weryfikacji.", + "verify_reset_warning_2": "Kontynuuj tylko wtedy, gdy jesteś pewien, że straciłeś wszystkie inne urządzenia i swój klucz bezpieczeństwa." }, "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.", @@ -3431,7 +3314,19 @@ "cross_signing_ready_no_backup": "Weryfikacja krzyżowa jest gotowa, ale klucze nie mają kopii zapasowej.", "cross_signing_untrusted": "Twoje konto ma tożsamość weryfikacji krzyżowej w sekretnej pamięci, ale nie jest jeszcze zaufane przez tę sesję.", "cross_signing_not_ready": "Weryfikacja krzyżowa nie jest ustawiona.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Nowy sposób odzyskiwania", + "description_1": "Wykryto nową frazę bezpieczeństwa i klucz dla bezpiecznych wiadomości.", + "description_2": "Ta sesja szyfruję historię za pomocą nowej metody odzyskiwania.", + "warning": "Jeżeli nie ustawiłeś nowej metody odzyskiwania, atakujący może uzyskać dostęp do Twojego konta. Zmień hasło konta i natychmiast ustaw nową metodę odzyskiwania w Ustawieniach." + }, + "recovery_method_removed": { + "title": "Usunięto metodę odzyskiwania", + "description_1": "Ta sesja wykryła, że Twoja fraza bezpieczeństwa i klucz dla bezpiecznych wiadomości zostały usunięte.", + "description_2": "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.", + "warning": "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." + } }, "emoji": { "category_frequently_used": "Często używane", @@ -3612,7 +3507,11 @@ "autodiscovery_unexpected_error_hs": "Nieoczekiwany błąd przy ustalaniu konfiguracji serwera domowego", "autodiscovery_unexpected_error_is": "Nieoczekiwany błąd przy ustalaniu konfiguracji serwera tożsamości", "incorrect_credentials_detail": "Zauważ proszę, że logujesz się na serwer %(hs)s, nie matrix.org.", - "create_account_title": "Utwórz konto" + "create_account_title": "Utwórz konto", + "failed_soft_logout_homeserver": "Nie udało się uwierzytelnić ponownie z powodu błędu serwera domowego", + "soft_logout_subheading": "Wyczyść dane osobiste", + "soft_logout_warning": "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.", + "forgot_password_send_email": "Wyślij e-mail" }, "room_list": { "sort_unread_first": "Pokazuj najpierw pokoje z nieprzeczytanymi wiadomościami", @@ -3629,7 +3528,23 @@ "notification_options": "Opcje powiadomień", "failed_set_dm_tag": "Nie udało się ustawić tagu wiadomości prywatnych", "failed_remove_tag": "Nie udało się usunąć tagu %(tagName)s z pokoju", - "failed_add_tag": "Nie można dodać tagu %(tagName)s do pokoju" + "failed_add_tag": "Nie można dodać tagu %(tagName)s do pokoju", + "breadcrumbs_label": "Ostatnio odwiedzane pokoje", + "breadcrumbs_empty": "Brak ostatnio odwiedzonych pokojów", + "add_room_label": "Dodaj pokój", + "suggested_rooms_heading": "Sugerowane pokoje", + "add_space_label": "Dodaj przestrzeń", + "join_public_room_label": "Dołącz do publicznego pokoju", + "joining_rooms_status": { + "one": "Aktualnie dołączanie do %(count)s pokoju", + "other": "Aktualnie dołączanie do %(count)s pokoi" + }, + "redacting_messages_status": { + "one": "Aktualnie usuwanie wiadomości z %(count)s pokoju", + "other": "Aktualnie usuwanie wiadomości z %(count)s pokoi" + }, + "space_menu_label": "menu %(spaceName)s", + "home_menu_label": "Opcje głównej" }, "report_content": { "missing_reason": "Wypełnij, dlaczego dokonujesz zgłoszenia.", @@ -3887,7 +3802,8 @@ "search_children": "Przeszukaj %(spaceName)s", "invite_link": "Udostępnij link zaproszenia", "invite": "Zaproś ludzi", - "invite_description": "Zaproś przy użyciu adresu email lub nazwy użytkownika" + "invite_description": "Zaproś przy użyciu adresu email lub nazwy użytkownika", + "invite_this_space": "Zaproś do tej przestrzeni" }, "location_sharing": { "MapStyleUrlNotConfigured": "Ten serwer domowy nie jest skonfigurowany by wyświetlać mapy.", @@ -3943,7 +3859,8 @@ "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" + "lists_new_label": "ID pokoju lub adres listy banów", + "rules_empty": "Brak" }, "create_space": { "name_required": "Podaj nazwę dla przestrzeni", @@ -4043,8 +3960,72 @@ "forget": "Zapomnij pokój", "mark_read": "Oznacz jako przeczytane", "notifications_default": "Dopasuj z ustawieniami domyślnymi", - "notifications_mute": "Wycisz pokój" - } + "notifications_mute": "Wycisz pokój", + "title": "Ustawienia pokoju" + }, + "invite_this_room": "Zaproś do tego pokoju", + "header": { + "video_call_button_jitsi": "Rozmowa wideo (Jitsi)", + "video_call_button_ec": "Rozmowa wideo (%(brand)s)", + "video_call_ec_layout_freedom": "Wolność", + "video_call_ec_layout_spotlight": "Centrum uwagi", + "video_call_ec_change_layout": "Zmień układ", + "forget_room_button": "Zapomnij pokój", + "hide_widgets_button": "Ukryj widżety", + "show_widgets_button": "Pokaż widżety", + "close_call_button": "Zamknij połączenie", + "video_room_view_chat_button": "Wyświetl oś czasu czatu" + }, + "error_3pid_invite_email_lookup": "Nie udało się znaleźć użytkownika za pomocą e-maila", + "joining_space": "Dołączanie do przestrzeni…", + "joining_room": "Dołączanie do pokoju…", + "joining": "Dołączanie…", + "rejecting": "Odrzucanie zaproszenia…", + "join_title": "Dołącz do pokoju, aby uczestniczyć", + "join_title_account": "Przyłącz się do rozmowy przy użyciu konta", + "join_button_account": "Zarejestruj się", + "loading_preview": "Wczytywanie podglądu", + "kicked_from_room_by": "Zostałeś usunięty z %(roomName)s przez %(memberName)s", + "kicked_by": "Zostałeś usunięty przez %(memberName)s", + "kick_reason": "Powód: %(reason)s", + "forget_space": "Zapomnij tą przestrzeń", + "forget_room": "Zapomnij o tym pokoju", + "rejoin_button": "Dołącz ponownie", + "banned_from_room_by": "Zostałeś zbanowany z %(roomName)s przez %(memberName)s", + "banned_by": "Zostałeś zbanowany przez %(memberName)s", + "3pid_invite_error_title_room": "Coś poszło nie tak z Twoim zaproszeniem do %(roomName)s", + "3pid_invite_error_title": "Coś poszło nie tak z Twoim zaproszeniem.", + "3pid_invite_error_description": "Wystąpił błąd (%(errcode)s) podczas próby weryfikacji zaproszenia. Spróbuj skontaktować się z osobą, od której otrzymano zaproszenie.", + "3pid_invite_error_invite_subtitle": "Możesz dołączyć tylko z działającym zaproszeniem.", + "3pid_invite_error_invite_action": "Spróbuj dołączyć mimo tego", + "3pid_invite_error_public_subtitle": "Dalej możesz tu dołączyć.", + "join_the_discussion": "Dołącz do dyskusji", + "3pid_invite_email_not_found_account_room": "To zaproszenie do %(roomName)s zostało wysłane na adres %(email)s, który nie jest przypisany do Twojego konta", + "3pid_invite_email_not_found_account": "To zaproszenie zostało wysłane do %(email)s, które nie jest powiązane z Twoim kontem", + "link_email_to_receive_3pid_invite": "Połącz ten adres e-mail z Twoim kontem w Ustawieniach, aby otrzymywać zaproszenia bezpośrednio w %(brand)s.", + "invite_sent_to_email_room": "To zaproszenie do %(roomName)s zostało wysłane do %(email)s", + "invite_sent_to_email": "To zaproszenie zostało wysłane do %(email)s", + "3pid_invite_no_is_subtitle": "Użyj serwera tożsamości w Ustawieniach, aby otrzymywać zaproszenia bezpośrednio w %(brand)s.", + "invite_email_mismatch_suggestion": "Udostępnij ten e-mail w Ustawieniach, aby otrzymywać zaproszenia bezpośrednio w %(brand)s.", + "dm_invite_title": "Czy chcesz rozmawiać z %(user)s?", + "dm_invite_subtitle": " chce porozmawiać", + "dm_invite_action": "Rozpocznij rozmowę", + "invite_title": "Czy chcesz dołączyć do %(roomName)s?", + "invite_subtitle": " zaprosił Cię", + "invite_reject_ignore": "Odrzuć i zignoruj użytkownika", + "peek_join_prompt": "Przeglądasz %(roomName)s. Czy chcesz dołączyć do pokoju?", + "no_peek_join_prompt": "%(roomName)s nie może być wyświetlony. Chcesz do niego dołączyć?", + "no_peek_no_name_join_prompt": "Brak podglądu, czy chcesz dołączyć?", + "not_found_title_name": "%(roomName)s nie istnieje.", + "not_found_title": "Ten pokój lub przestrzeń nie istnieje.", + "not_found_subtitle": "Jesteś pewny, że jesteś w dobrym miejscu?", + "inaccessible_name": "%(roomName)s nie jest dostępny w tym momencie.", + "inaccessible": "Ten pokój lub przestrzeń nie jest dostępna w tym momencie.", + "inaccessible_subtitle_1": "Spróbuj ponownie później lub spytaj się administratora przestrzeni, aby sprawdził czy masz dostęp.", + "inaccessible_subtitle_2": "Wystąpił błąd %(errcode)s podczas próby dostępu do pokoju lub przestrzeni. Jeśli widzisz tą wiadomość w błędzie, zgłoś ten błąd.", + "join_failed_needs_invite": "Aby wyświetlić %(roomName)s, potrzebujesz zaproszenia", + "view_failed_enable_video_rooms": "Aby wyświetlić, włącz najpierw pokoje wideo w laboratoriach", + "join_failed_enable_video_rooms": "Aby dołączyć, włącz najpierw pokoje wideo w laboratoriach" }, "file_panel": { "guest_note": "Musisz się zarejestrować aby móc używać tej funkcji", @@ -4194,7 +4175,15 @@ "keyword_new": "Nowe słowo kluczowe", "class_global": "Globalne", "class_other": "Inne", - "mentions_keywords": "Wzmianki i słowa kluczowe" + "mentions_keywords": "Wzmianki i słowa kluczowe", + "default": "Zwykły", + "all_messages": "Wszystkie wiadomości", + "all_messages_description": "Otrzymuj powiadomienie każdej wiadomości", + "mentions_and_keywords": "@wzmianki & słowa kluczowe", + "mentions_and_keywords_description": "Otrzymuj powiadomienia tylko z wzmiankami i słowami kluczowymi zgodnie z Twoimi ustawieniami", + "mute_description": "Nie otrzymasz żadnych powiadomień", + "email_pusher_app_display_name": "Powiadomienia e-mail", + "message_didnt_send": "Nie wysłano wiadomości. Kliknij po więcej informacji." }, "mobile_guide": { "toast_title": "Użyj aplikacji by mieć lepsze doświadczenie", @@ -4220,6 +4209,44 @@ "integration_manager": { "connecting": "Łączenie z menedżerem integracji…", "error_connecting_heading": "Nie udało się połączyć z menedżerem integracji", - "error_connecting": "Menedżer integracji jest offline, lub nie może połączyć się z Twoim homeserverem." + "error_connecting": "Menedżer integracji jest offline, lub nie może połączyć się z Twoim homeserverem.", + "use_im_default": "Użyj zarządcy Integracji %(serverName)s aby zarządzać botami, widżetami i pakietami naklejek.", + "use_im": "Użyj zarządcy integracji aby zarządzać botami, widżetami i pakietami naklejek.", + "manage_title": "Zarządzaj integracjami", + "explainer": "Zarządcy integracji otrzymują dane konfiguracji, mogą modyfikować widżety, wysyłać zaproszenia do pokojów i ustawiać poziom uprawnień w Twoim imieniu." + }, + "identity_server": { + "url_not_https": "URL serwera tożsamości musi być HTTPS", + "error_invalid": "Nieprawidłowy serwer tożsamości (kod statusu %(code)s)", + "error_connection": "Nie można połączyć z serwerem tożsamości", + "checking": "Sprawdzanie serwera", + "change": "Zmień serwer tożsamości", + "change_prompt": "Rozłączyć się z bieżącym serwerem tożsamości i połączyć się z ?", + "error_invalid_or_terms": "Warunki użytkowania nieakceptowane lub serwer tożsamości jest nieprawidłowy.", + "no_terms": "Serwer tożsamości który został wybrany nie posiada warunków użytkowania.", + "disconnect": "Rozłącz serwer tożsamości", + "disconnect_server": "Odłączyć od serwera tożsamości ?", + "disconnect_offline_warning": "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ć.", + "suggestions": "Należy:", + "suggestions_1": "sprawdzić rozszerzenia przeglądarki, które mogą blokować serwer tożsamości (takie jak Privacy Badger)", + "suggestions_2": "skontaktować się z administratorami serwera tożsamości ", + "suggestions_3": "zaczekaj i spróbuj ponownie później", + "disconnect_anyway": "Odłącz mimo to", + "disconnect_personal_data_warning_1": "W dalszym ciągu udostępniasz swoje dane osobowe na serwerze tożsamości .", + "disconnect_personal_data_warning_2": "Zalecamy, by usunąć swój adres e-mail i numer telefonu z serwera tożsamości przed odłączeniem.", + "url": "Serwer tożsamości (%(server)s)", + "description_connected": "Używasz , aby odnajdywać i móc być odnajdywanym przez istniejące kontakty, które znasz. Możesz zmienić serwer tożsamości poniżej.", + "change_server_prompt": "Jeżeli nie chcesz używać do odnajdywania i bycia odnajdywanym przez osoby, które znasz, wpisz inny serwer tożsamości poniżej.", + "description_disconnected": "Nie używasz serwera tożsamości. Aby odkrywać i być odkrywanym przez istniejące kontakty które znasz, dodaj jeden poniżej.", + "disconnect_warning": "Odłączenie się od serwera tożsamości oznacza, że inni nie będą mogli Cię odnaleźć ani Ty nie będziesz w stanie zaprosić nikogo za pomocą e-maila czy telefonu.", + "description_optional": "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": "Nie używaj serwera tożsamości", + "url_field_label": "Wprowadź nowy serwer tożsamości" + }, + "member_list": { + "invite_button_no_perms_tooltip": "Nie posiadasz uprawnień, aby zapraszać użytkowników", + "invited_list_heading": "Zaproszeni", + "filter_placeholder": "Filtruj członków pokoju", + "power_label": "%(userName)s (moc uprawnień administratorskich %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/pt.json b/src/i18n/strings/pt.json index 59f7cc13bc..1f77eb7fe2 100644 --- a/src/i18n/strings/pt.json +++ b/src/i18n/strings/pt.json @@ -1,30 +1,15 @@ { "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?", - "Deactivate Account": "Desativar conta", - "Default": "Padrão", - "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", - "Filter room members": "Filtrar integrantes da sala", - "Forget room": "Esquecer sala", - "Historical": "Histórico", - "Invalid Email Address": "Endereço de email inválido", - "Low priority": "Baixa prioridade", "Moderator": "Moderador/a", "New passwords must match each other.": "Novas palavras-passe devem coincidir.", "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.", "Reject invitation": "Rejeitar convite", "Return to login screen": "Retornar à tela de login", - "Rooms": "Salas", "Session ID": "Identificador de sessão", - "This doesn't appear to be a valid email address": "Este não aparenta ser um endereço de email válido", - "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.", "unknown error code": "código de erro desconhecido", "Verification Pending": "Verificação pendente", - "You do not have permission to post to this room": "Você não tem permissão de postar nesta sala", "Sun": "Dom", "Mon": "Seg", "Tue": "Ter", @@ -46,7 +31,6 @@ "Dec": "Dez", "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(day)s de %(monthName)s às %(time)s", "%(weekDayName)s %(time)s": "%(weekDayName)s às %(time)s", - "Reason": "Razão", "Connectivity to the server has been lost.": "A conexão com o servidor foi perdida. Verifique sua conexão de internet.", "Sent messages will be stored until your connection has returned.": "Imagens enviadas ficarão armazenadas até que sua conexão seja reestabelecida.", "Failed to forget room %(errCode)s": "Falha ao esquecer a sala %(errCode)s", @@ -63,8 +47,6 @@ "Failed to load timeline position": "Não foi possível carregar a posição na linha do tempo", "Failed to mute user": "Não foi possível remover notificações da/do usuária/o", "Failed to reject invite": "Não foi possível rejeitar o convite", - "Failed to set display name": "Houve falha ao definir o nome público", - "Incorrect verification code": "Código de verificação incorreto", "Join Room": "Ingressar na sala", "Jump to first unread message.": "Ir diretamente para a primeira das mensagens não lidas.", "not specified": "não especificado", @@ -77,32 +59,18 @@ "You seem to be in a call, are you sure you want to quit?": "Parece que você está em uma chamada. Tem certeza que quer sair?", "You seem to be uploading files, are you sure you want to quit?": "Parece que você está enviando arquivos. Tem certeza que quer sair?", "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 address": "Endereço de email", "Error decrypting attachment": "Erro ao descriptografar o anexo", "Invalid file%(extra)s": "Arquivo inválido %(extra)s", "Warning!": "Atenção!", - "Passphrases must match": "As frases-passe devem coincidir", - "Passphrase must not be empty": "A frase-passe não pode estar vazia", - "Export room keys": "Exportar chaves de sala", - "Enter passphrase": "Introduza a frase-passe", - "Confirm passphrase": "Confirmar frase-passe", - "Import room keys": "Importar chaves de sala", - "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.", "Confirm Removal": "Confirmar Remoção", "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.", "Error decrypting image": "Erro ao descriptografar a imagem", "Error decrypting video": "Erro ao descriptografar o vídeo", "Add an Integration": "Adicionar uma integração", - "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)", - "No Microphones detected": "Não foi detetado nenhum microfone", - "No Webcams detected": "Não foi detetada nenhuma Webcam", "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", "Create new room": "Criar nova sala", @@ -112,19 +80,14 @@ }, "Uploading %(filename)s": "Enviando o arquivo %(filename)s", "Admin Tools": "Ferramentas de Administração", - "%(roomName)s does not exist.": "%(roomName)s não existe.", "(~%(count)s results)": { "other": "(~%(count)s resultados)", "one": "(~%(count)s resultado)" }, "Home": "Início", - "%(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.", "AM": "AM", "PM": "PM", "This will allow you to reset your password and receive notifications.": "Isto irá permitir-lhe redefinir a sua palavra-passe e receber notificações.", - "Unignore": "Deixar de ignorar", - "Banned by %(displayName)s": "Banido por %(displayName)s", "Sunday": "Domingo", "Today": "Hoje", "Friday": "Sexta-feira", @@ -137,18 +100,13 @@ "Unnamed room": "Sala sem nome", "Saturday": "Sábado", "Monday": "Segunda-feira", - "Invite to this room": "Convidar para esta sala", "Send": "Enviar", - "All messages": "Todas as mensagens", "All Rooms": "Todas as salas", "You cannot delete this message. (%(code)s)": "Não pode apagar esta mensagem. (%(code)s)", "Thursday": "Quinta-feira", "Yesterday": "Ontem", "Wednesday": "Quarta-feira", "Thank you!": "Obrigado!", - "Explore rooms": "Explorar rooms", - "Not a valid identity server (status code %(code)s)": "Servidor de Identidade inválido (código de status %(code)s)", - "Identity server URL must be HTTPS": "O link do servidor de identidade deve começar com HTTPS", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s-%(monthName)s-%(fullYear)s", "Anguilla": "Anguilla", "United States": "Estados Unidos", @@ -168,7 +126,6 @@ "Albania": "Albânia", "Åland Islands": "Ilhas Åland", "Afghanistan": "Afeganistão", - "Permission Required": "Permissão Requerida", "Antigua & Barbuda": "Antígua e Barbuda", "Andorra": "Andorra", "Cocos (Keeling) Islands": "Ilhas Cocos (Keeling)", @@ -247,13 +204,11 @@ "Gambia": "Gâmbia", "Georgia": "Geórgia", "Mayotte": "Mayotte", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Recomendamos que remova seus endereços de email e números de telefone do servidor de identidade antes de se desconectar.", "Macau": "Macau", "Malaysia": "Malásia", "Lesotho": "Lesoto", "Maldives": "Maldivas", "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: ).", "Malta": "Malta", "Lebanon": "Líbano", @@ -279,12 +234,9 @@ "Liberia": "Libéria", "Mexico": "México", "Moldova": "Moldávia", - "Discovery options will appear once you have added an email above.": "As opções de descoberta vão aparecer assim que adicione um e-mail acima.", - "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.", "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.", - " invited you": " convidou-o", "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", @@ -440,7 +392,11 @@ "off": "Desativado", "copied": "Copiado!", "advanced": "Avançado", - "profile": "Perfil" + "profile": "Perfil", + "authentication": "Autenticação", + "rooms": "Salas", + "low_priority": "Baixa prioridade", + "historical": "Histórico" }, "action": { "continue": "Continuar", @@ -480,7 +436,9 @@ "import": "Importar", "export": "Exportar", "submit": "Enviar", - "unban": "Desfazer banimento" + "unban": "Desfazer banimento", + "unignore": "Deixar de ignorar", + "explore_rooms": "Explorar rooms" }, "keyboard": { "home": "Início" @@ -560,7 +518,34 @@ "add_msisdn_confirm_button": "Confirme que quer adicionar o número de telefone", "add_msisdn_confirm_body": "Pressione o botão abaixo para confirmar a adição este número de telefone.", "add_msisdn_dialog_title": "Adicione número de telefone", - "name_placeholder": "Sem nome público de usuária(o)" + "name_placeholder": "Sem nome público de usuária(o)", + "error_password_change_403": "Falha ao alterar a palavra-passe. A sua palavra-passe está correta?", + "deactivate_section": "Desativar conta", + "error_email_verification": "Não foi possível verificar o endereço de email.", + "discovery_email_empty": "As opções de descoberta vão aparecer assim que adicione um e-mail acima.", + "incorrect_msisdn_verification": "Código de verificação incorreto", + "error_set_name": "Houve falha ao definir o nome público", + "error_remove_3pid": "Não foi possível remover informação de contato", + "error_invalid_email": "Endereço de email inválido", + "error_invalid_email_detail": "Este não aparenta ser um endereço de email válido", + "error_add_email": "Não foi possível adicionar endereço de email", + "add_email_instructions": "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." + }, + "voip": { + "audio_input_empty": "Não foi detetado nenhum microfone", + "video_input_empty": "Não foi detetada nenhuma Webcam" + }, + "key_export_import": { + "export_title": "Exportar chaves de sala", + "export_description_1": "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.", + "enter_passphrase": "Introduza a frase-passe", + "confirm_passphrase": "Confirmar frase-passe", + "phrase_cannot_be_empty": "A frase-passe não pode estar vazia", + "phrase_must_match": "As frases-passe devem coincidir", + "import_title": "Importar chaves de sala", + "import_description_1": "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.", + "import_description_2": "O ficheiro de exportação será protegido com uma frase-passe. Deve introduzir a frase-passe aqui, para desencriptar o ficheiro.", + "file_to_import": "Arquivo para importar" } }, "devtools": { @@ -776,14 +761,24 @@ "autocomplete": { "command_description": "Comandos", "user_description": "Usuários" - } + }, + "no_perms_notice": "Você não tem permissão de postar nesta sala", + "poll_button_no_perms_title": "Permissão Requerida" }, "room": { "drop_file_prompt": "Arraste um arquivo aqui para enviar", "context_menu": { "favourite": "Favorito", "low_priority": "Baixa prioridade" - } + }, + "invite_this_room": "Convidar para esta sala", + "header": { + "forget_room_button": "Esquecer sala" + }, + "dm_invite_subtitle": " quer falar", + "invite_subtitle": " convidou-o", + "not_found_title_name": "%(roomName)s não existe.", + "inaccessible_name": "%(roomName)s não está acessível neste momento." }, "file_panel": { "guest_note": "Você deve se registrar para poder usar esta funcionalidade", @@ -800,7 +795,10 @@ "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" + "permissions_section": "Permissões", + "error_unbanning": "Não foi possível desfazer o banimento", + "banned_by": "Banido por %(displayName)s", + "ban_reason": "Razão" }, "security": { "history_visibility_legend": "Quem pode ler o histórico da sala?", @@ -810,7 +808,8 @@ "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" + "url_previews_section": "Pré-visualização de links", + "other_section": "Outros" }, "advanced": { "unfederated": "Esta sala não é acessível para servidores Matrix remotos" @@ -899,9 +898,21 @@ }, "notifications": { "enable_prompt_toast_title": "Notificações", - "class_other": "Outros" + "class_other": "Outros", + "default": "Padrão", + "all_messages": "Todas as mensagens" }, "onboarding": { "create_account": "Criar conta" + }, + "identity_server": { + "url_not_https": "O link do servidor de identidade deve começar com HTTPS", + "error_invalid": "Servidor de Identidade inválido (código de status %(code)s)", + "disconnect_personal_data_warning_2": "Recomendamos que remova seus endereços de email e números de telefone do servidor de identidade antes de se desconectar." + }, + "member_list": { + "invited_list_heading": "Convidada(o)", + "filter_placeholder": "Filtrar integrantes da sala", + "power_label": "%(userName)s (nível de permissão %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/pt_BR.json b/src/i18n/strings/pt_BR.json index 88754e2ca0..42865b7afb 100644 --- a/src/i18n/strings/pt_BR.json +++ b/src/i18n/strings/pt_BR.json @@ -1,30 +1,15 @@ { "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?", - "Deactivate Account": "Desativar minha conta", - "Default": "Padrão", - "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", - "Filter room members": "Pesquisar participantes da sala", - "Forget room": "Esquecer sala", - "Historical": "Histórico", - "Invalid Email Address": "Endereço de e-mail inválido", - "Low priority": "Baixa prioridade", "Moderator": "Moderador/a", "New passwords must match each other.": "As novas senhas informadas precisam ser idênticas.", "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.", "Reject invitation": "Recusar o convite", "Return to login screen": "Retornar à tela de login", - "Rooms": "Salas", "Session ID": "Identificador de sessão", - "This doesn't appear to be a valid email address": "Este não aparenta ser um endereço de e-mail válido", - "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.", "unknown error code": "código de erro desconhecido", "Verification Pending": "Confirmação pendente", - "You do not have permission to post to this room": "Você não tem permissão para digitar nesta sala", "Sun": "Dom", "Mon": "Seg", "Tue": "Ter", @@ -46,7 +31,6 @@ "Dec": "Dez", "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(day)s de %(monthName)s às %(time)s", "%(weekDayName)s %(time)s": "%(weekDayName)s às %(time)s", - "Reason": "Razão", "Connectivity to the server has been lost.": "A conexão com o servidor foi perdida. Verifique sua conexão de internet.", "Sent messages will be stored until your connection has returned.": "Imagens enviadas ficarão armazenadas até que sua conexão seja reestabelecida.", "Failed to forget room %(errCode)s": "Falhou ao esquecer a sala %(errCode)s", @@ -63,8 +47,6 @@ "Failed to load timeline position": "Não foi possível carregar um trecho da conversa", "Failed to mute user": "Não foi possível remover notificações da/do usuária/o", "Failed to reject invite": "Não foi possível recusar o convite", - "Failed to set display name": "Falha ao definir o nome e sobrenome", - "Incorrect verification code": "Código de confirmação incorreto", "Join Room": "Ingressar na sala", "Jump to first unread message.": "Ir diretamente para a primeira das mensagens não lidas.", "not specified": "não especificado", @@ -77,32 +59,18 @@ "You seem to be in a call, are you sure you want to quit?": "Parece que você está em uma chamada. Tem certeza que quer sair?", "You seem to be uploading files, are you sure you want to quit?": "Parece que você está enviando arquivos. Tem certeza que quer sair?", "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 address": "Endereço de e-mail", "Error decrypting attachment": "Erro ao descriptografar o anexo", "Invalid file%(extra)s": "Arquivo inválido %(extra)s", "Warning!": "Atenção!", - "Passphrases must match": "As senhas têm que ser iguais", - "Passphrase must not be empty": "A frase não pode estar em branco", - "Export room keys": "Exportar chaves de sala", - "Enter passphrase": "Entre com a senha", - "Confirm passphrase": "Confirme a senha", - "Import room keys": "Importar chaves de sala", - "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.", "Confirm Removal": "Confirmar a remoção", "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.", "Error decrypting image": "Erro ao descriptografar a imagem", "Error decrypting video": "Erro ao descriptografar o vídeo", "Add an Integration": "Adicionar uma integração", - "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)", - "No Microphones detected": "Não foi detectado nenhum microfone", - "No Webcams detected": "Nenhuma câmera detectada", "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", "Home": "Home", @@ -113,9 +81,6 @@ }, "Create new room": "Criar nova sala", "Admin Tools": "Ferramentas de administração", - "%(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.", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (nível de permissão %(powerLevelNumber)s)", "(~%(count)s results)": { "one": "(~%(count)s resultado)", "other": "(~%(count)s resultados)" @@ -127,15 +92,12 @@ "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s de %(monthName)s de %(fullYear)s", "Send": "Enviar", "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.": "Você não poderá desfazer essa alteração, já que está rebaixando sua própria permissão. Se você for a última pessoa nesta sala, será impossível recuperar a permissão atual.", - "Unignore": "Desbloquear", "Jump to read receipt": "Ir para a confirmação de leitura", "%(duration)ss": "%(duration)ss", "%(duration)sm": "%(duration)sm", "%(duration)sh": "%(duration)sh", "%(duration)sd": "%(duration)sd", - "Replying": "Em resposta a", "Unnamed room": "Sala sem nome", - "Banned by %(displayName)s": "Banido por %(displayName)s", "Delete Widget": "Apagar widget", "collapse": "recolher", "expand": "expandir", @@ -155,19 +117,14 @@ "Search…": "Buscar…", "Saturday": "Sábado", "Monday": "Segunda-feira", - "Invite to this room": "Convidar para esta sala", - "All messages": "Todas as mensagens novas", "All Rooms": "Todas as salas", "You cannot delete this message. (%(code)s)": "Você não pode apagar esta mensagem. (%(code)s)", "Thursday": "Quinta-feira", "Yesterday": "Ontem", "Wednesday": "Quarta-feira", "Thank you!": "Obrigado!", - "Permission Required": "Permissão necessária", "This event could not be displayed": "Este evento não pôde ser exibido", "Share Link to User": "Compartilhar este usuário", - "This room has been replaced and is no longer active.": "Esta sala foi substituída e não está mais ativa.", - "The conversation continues here.": "A conversa continua aqui.", "Share room": "Compartilhar sala", "Set up": "Configurar", "Only room administrators will see this warning": "Somente administradores de sala verão esse alerta", @@ -214,19 +171,9 @@ "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.", - "No Audio Outputs detected": "Nenhuma caixa de som detectada", - "Audio Output": "Caixa de som", "Invalid homeserver discovery response": "Resposta de descoberta de homeserver inválida", "Invalid identity server discovery response": "Resposta de descoberta do servidor de identidade inválida", "General failure": "Falha geral", - "That matches!": "Isto corresponde!", - "That doesn't match.": "Isto não corresponde.", - "Go back to set it again.": "Voltar para configurar novamente.", - "Unable to create key backup": "Não foi possível criar backup da chave", - "New Recovery Method": "Nova opção de recuperação", - "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.": "Se você não definiu a nova opção de recuperação, um invasor pode estar tentando acessar sua conta. Altere a senha da sua conta e defina uma nova opção de recuperação imediatamente nas Configurações.", - "Set up Secure Messages": "Configurar mensagens seguras", - "Go to Settings": "Ir para as configurações", "The following users may not exist": "Os seguintes usuários podem não existir", "Unable to find profiles for the Matrix IDs listed below - would you like to invite them anyway?": "Não é possível encontrar perfis para os IDs da Matrix listados abaixo - você gostaria de convidá-los mesmo assim?", "Invite anyway and never warn me again": "Convide mesmo assim e nunca mais me avise", @@ -293,23 +240,9 @@ "Anchor": "Âncora", "Headphones": "Fones de ouvido", "Folder": "Pasta", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Enviamos um e-mail para você confirmar seu endereço. Por favor, siga as instruções e clique no botão abaixo.", - "Email Address": "Endereço de e-mail", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "As mensagens estão protegidas com a criptografia de ponta a ponta. Somente você e o(s) destinatário(s) têm as chaves para ler essas mensagens.", "Back up your keys before signing out to avoid losing them.": "Faça o backup das suas chaves antes de sair, para evitar perdê-las.", "Start using Key Backup": "Comece a usar backup de chave", - "Unable to verify phone number.": "Não foi possível confirmar o número de telefone.", - "Verification code": "Código de confirmação", - "Phone Number": "Número de telefone", - "Email addresses": "Endereços de e-mail", - "Phone numbers": "Números de Telefone", - "Account management": "Gerenciamento da Conta", - "Ignored users": "Usuários bloqueados", - "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", - "Room information": "Informação da sala", - "Room Addresses": "Endereços da sala", "You signed in to a new session without verifying it:": "Você entrou em uma nova sessão sem confirmá-la:", "Verify your other session using one of the options below.": "Confirme suas outras sessões usando uma das opções abaixo.", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) entrou em uma nova sessão sem confirmá-la:", @@ -322,16 +255,11 @@ "Lock": "Cadeado", "Show more": "Mostrar mais", "This backup is trusted because it has been restored on this session": "Este backup é confiável, pois foi restaurado nesta sessão", - "wait and try again later": "aguarde e tente novamente mais tarde", - "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.", - "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", "Encrypted by an unverified session": "Criptografada por uma sessão não confirmada", "Unencrypted": "Descriptografada", "Encrypted by a deleted session": "Criptografada por uma sessão já apagada", "The authenticity of this encrypted message can't be guaranteed on this device.": "A autenticidade desta mensagem criptografada não pode ser garantida neste aparelho.", - "Start chatting": "Começar a conversa", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Atualizar esta sala irá fechar a instância atual da sala e criar uma sala atualizada com o mesmo nome.", "Start Verification": "Iniciar confirmação", "Messages in this room are end-to-end encrypted.": "As mensagens nesta sala estão criptografadas de ponta a ponta.", @@ -367,20 +295,8 @@ "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.", - "Explore rooms": "Explorar salas", "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.", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Proteja-se contra a perda de acesso a mensagens e dados criptografados fazendo backup das chaves de criptografia no seu servidor.", - "Generate a Security Key": "Gerar uma Chave de Segurança", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Use uma frase secreta que apenas você conhece, e opcionalmente salve uma Chave de Segurança para acessar o backup.", - "Restore your key backup to upgrade your encryption": "Restaurar o backup das suas chaves para atualizar a sua criptografia", - "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Atualize esta sessão para permitir que ela confirme outras sessões, dando a elas acesso às mensagens criptografadas e marcando-as como confiáveis para os seus contatos.", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Se você cancelar agora, poderá perder mensagens e dados criptografados se você perder acesso aos seus logins atuais.", - "Upgrade your encryption": "Atualizar sua criptografia", - "Save your Security Key": "Salve sua Chave de Segurança", - "Create key backup": "Criar backup de chave", - "This session is encrypting history using the new recovery method.": "Esta sessão está criptografando o histórico de mensagens usando a nova opção de recuperação.", - "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.": "Se você fez isso acidentalmente, você pode configurar Mensagens Seguras nesta sessão, o que vai re-criptografar o histórico de mensagens desta sessão com uma nova opção de recuperação.", "You cancelled verifying %(name)s": "Você cancelou a confirmação de %(name)s", "You accepted": "Você aceitou", "%(name)s accepted": "%(name)s aceitou", @@ -417,8 +333,6 @@ "Server did not return valid authentication information.": "O servidor não retornou informações de autenticação válidas.", "Integrations are disabled": "As integrações estão desativadas", "Integrations not allowed": "As integrações não estão permitidas", - "Add room": "Adicionar sala", - "Room options": "Opções da Sala", "This room is public": "Esta sala é pública", "This room has already been upgraded.": "Esta sala já foi atualizada.", "This room is running room version , which this homeserver has marked as unstable.": "Esta sala está executando a versão , que este servidor marcou como instável.", @@ -436,70 +350,10 @@ "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ê.", "Email (optional)": "E-mail (opcional)", - "Checking server": "Verificando servidor", - "Change identity server": "Alterar o servidor de identidade", - "Disconnect from the identity server and connect to instead?": "Desconectar-se do servidor de identidade e conectar-se em em vez disso?", - "Terms of service not accepted or the identity server is invalid.": "Termos de serviço não aceitos ou o servidor de identidade é inválido.", - "The identity server you have chosen does not have any terms of service.": "O servidor de identidade que você escolheu não possui nenhum termo de serviço.", - "Disconnect identity server": "Desconectar servidor de identidade", - "Disconnect from the identity server ?": "Desconectar-se do servidor de identidade ?", - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Você deve remover seus dados pessoais do servidor de identidade antes de desconectar. Infelizmente, o servidor de identidade ou está indisponível no momento, ou não pode ser acessado.", - "You should:": "Você deveria:", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "verifique se há extensões no seu navegador que possam bloquear o servidor de identidade (por exemplo, Privacy Badger)", - "contact the administrators of identity server ": "entre em contato com os administradores do servidor de identidade ", - "Disconnect anyway": "Desconectar de qualquer maneira", - "You are still sharing your personal data on the identity server .": "Você ainda está compartilhando seus dados pessoais no servidor de identidade .", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Recomendamos que você remova seus endereços de e-mail e números de telefone do servidor de identidade antes de desconectar.", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "No momento, você está usando para descobrir e ser descoberto pelos contatos existentes que você conhece. Você pode alterar seu servidor de identidade abaixo.", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Se você não quiser usar para descobrir e ser detectável pelos contatos existentes, digite outro servidor de identidade abaixo.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "No momento, você não está usando um servidor de identidade. Para descobrir e ser descoberto pelos contatos existentes, adicione um abaixo.", - "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.": "Desconectar-se do servidor de identidade significa que você não poderá ser descoberto por outros usuários e não poderá convidar outras pessoas por e-mail ou número de celular.", - "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.": "Usar um servidor de identidade é opcional. Se você optar por não usar um servidor de identidade, não poderá ser descoberto por outros usuários e não poderá convidar outras pessoas por e-mail ou por número de celular.", - "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", - "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", "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.", - "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", - "Sign Up": "Inscrever-se", - "Reason: %(reason)s": "Razão: %(reason)s", - "Forget this room": "Esquecer esta sala", - "Re-join": "Entrar novamente", - "You were banned from %(roomName)s by %(memberName)s": "Você foi banido de %(roomName)s por %(memberName)s", - "Something went wrong with your invite to %(roomName)s": "Ocorreu um erro no seu convite para %(roomName)s", - "You can only join it with a working invite.": "Você só pode participar com um convite válido.", - "Try to join anyway": "Tentar entrar mesmo assim", - "Join the discussion": "Participar da discussão", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Este convite para %(roomName)s foi enviado para %(email)s, que não está associado à sua conta", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Vincule esse e-mail à sua conta em Configurações, para receber convites diretamente no %(brand)s.", - "This invite to %(roomName)s was sent to %(email)s": "Este convite para %(roomName)s foi enviado para %(email)s", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Use um servidor de identidade em Configurações para receber convites diretamente no %(brand)s.", - "Share this email in Settings to receive invites directly in %(brand)s.": "Compartilhe este e-mail em Configurações para receber convites diretamente no %(brand)s.", - "Do you want to chat with %(user)s?": "Deseja conversar com %(user)s?", - " wants to chat": " quer conversar", - "Do you want to join %(roomName)s?": "Deseja se juntar a %(roomName)s?", - " invited you": " convidou você", - "Reject & Ignore user": "Recusar e bloquear usuário", - "You're previewing %(roomName)s. Want to join it?": "Você está visualizando %(roomName)s. Deseja participar?", - "%(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", - "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.", - "None": "Nenhuma", - "Set a new custom sound": "Definir um novo som personalizado", - "Browse": "Buscar", - "Your email address hasn't been verified yet": "Seu endereço de e-mail ainda não foi confirmado", - "Unable to revoke sharing for phone number": "Não foi possível revogar o compartilhamento do número de celular", - "Unable to share phone number": "Não foi possível compartilhar o número de celular", - "Please enter verification code sent via text.": "Digite o código de confirmação enviado por mensagem de texto.", - "Remove %(email)s?": "Remover %(email)s?", - "Remove %(phone)s?": "Remover %(phone)s?", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Digite o código de confirmação enviado por mensagem de texto para +%(msisdn)s.", "This user has not verified all of their sessions.": "Este usuário não confirmou todas as próprias sessões.", "You have not verified this user.": "Você não confirmou este usuário.", "You have verified this user. This user has verified all of their sessions.": "Você confirmou este usuário. Este usuário confirmou todas as próprias sessões.", @@ -507,8 +361,6 @@ "Everyone in this room is verified": "Todos nesta sala estão confirmados", "Edit message": "Editar mensagem", "Scroll to most recent messages": "Ir para as mensagens recentes", - "Close preview": "Fechar a visualização", - "Italics": "Itálico", "Failed to connect to integration manager": "Falha ao conectar-se ao gerenciador de integrações", "Failed to revoke invite": "Falha ao revogar o convite", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "Não foi possível revogar o convite. O servidor pode estar com um problema temporário ou você não tem permissões suficientes para revogar o convite.", @@ -599,12 +451,6 @@ "Your password has been reset.": "Sua senha foi alterada.", "Invalid base_url for m.homeserver": "base_url inválido para m.homeserver", "Invalid base_url for m.identity_server": "base_url inválido para m.identity_server", - "Success!": "Pronto!", - "Uploaded sound": "Som enviado", - "Sounds": "Sons", - "Notification sound": "Som de notificação", - "Unable to revoke sharing for email address": "Não foi possível revogar o compartilhamento do endereço de e-mail", - "Unable to share email address": "Não foi possível compartilhar o endereço de e-mail", "Incoming Verification Request": "Recebendo solicitação de confirmação", "Recently Direct Messaged": "Conversas recentes", "Direct Messages": "Conversas", @@ -630,7 +476,6 @@ "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!", "Confirm this user's session by comparing the following with their User Settings:": "Confirme a sessão deste usuário comparando o seguinte com as configurações deste usuário:", - "Discovery options will appear once you have added an email above.": "As opções de descoberta aparecerão assim que você adicione um e-mail acima.", "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?": "Desativar este usuário irá desconectá-lo e impedi-lo de fazer o login novamente. Além disso, ele sairá de todas as salas em que estiver. Esta ação não pode ser revertida. Tem certeza de que deseja desativar este usuário?", "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.": "Apagar chaves de autoverificação é permanente. Qualquer pessoa com quem você se confirmou receberá alertas de segurança. Não é aconselhável fazer isso, a menos que você tenha perdido todos os aparelhos nos quais fez a autoverificação.", "Clear cross-signing keys": "Limpar chaves autoverificadas", @@ -638,8 +483,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.", - "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", "Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "Defina endereços para esta sala, de modo que os usuários possam encontrar esta sala em seu servidor local (%(localDomain)s)", "One of the following may be compromised:": "Um dos seguintes pode estar comprometido:", @@ -657,11 +500,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.", - "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:", - "You'll need to authenticate with the server to confirm the upgrade.": "Você precisará se autenticar no servidor para confirmar a atualização.", - "Use a different passphrase?": "Usar uma frase secreta diferente?", "You've successfully verified %(deviceName)s (%(deviceId)s)!": "Você confirmou %(deviceName)s (%(deviceId)s) com êxito!", "Try scrolling up in the timeline to see if there are any earlier ones.": "Tente rolar para cima na conversa para ver se há mensagens anteriores.", "Widgets": "Widgets", @@ -674,14 +512,6 @@ "This version of %(brand)s does not support searching encrypted messages": "Esta versão do %(brand)s não permite buscar mensagens criptografadas", "Information": "Informação", "Backup version:": "Versão do backup:", - "Your keys are being backed up (the first backup could take a few minutes).": "O backup de suas chaves está sendo feito (o primeiro backup pode demorar alguns minutos).", - "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.", - "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", - "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.", - "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", "Message Actions": "Ações da mensagem", @@ -702,16 +532,9 @@ "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", - "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", - "Unable to set up secret storage": "Não foi possível definir o armazenamento secreto", - "Recovery Method Removed": "Opção de recuperação removida", "You can only pin up to %(count)s widgets": { "other": "Você pode fixar até %(count)s widgets" }, - "Show Widgets": "Mostrar widgets", - "Hide Widgets": "Esconder widgets", "Modal Widget": "Popup do widget", "Data on this screen is shared with %(widgetDomain)s": "Dados nessa tela são compartilhados com %(widgetDomain)s", "Invite someone using their name, email address, username (like ) or share this room.": "Convide alguém a partir do nome, e-mail ou nome de usuário (por exemplo: ) ou compartilhe esta sala.", @@ -975,10 +798,6 @@ "Reason (optional)": "Motivo (opcional)", "Hold": "Pausar", "Resume": "Retomar", - "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", - "Great! This Security Phrase looks strong enough.": "Ótimo! Essa frase de segurança parece ser segura o suficiente.", "If you've forgotten your Security Key you can ": "Se você esqueceu a sua Chave de Segurança, você pode ", "Access your secure message history and set up secure messaging by entering your Security Key.": "Acesse o seu histórico de mensagens seguras e configure as mensagens seguras, ao inserir a sua Chave de Segurança.", "Not a valid Security Key": "Chave de Segurança inválida", @@ -1002,9 +821,6 @@ "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", - "Recently visited rooms": "Salas visitadas recentemente", - "Suggested Rooms": "Salas sugeridas", - "Add existing room": "Adicionar sala existente", "%(count)s members": { "one": "%(count)s integrante", "other": "%(count)s integrantes" @@ -1015,25 +831,14 @@ "Invite someone using their name, username (like ) or share this space.": "Convide alguém a partir do nome, nome de usuário (como ) ou compartilhe este espaço.", "Invite someone using their name, email address, username (like ) or share this space.": "Convide alguém a partir do nome, endereço de e-mail, nome de usuário (como ) ou compartilhe este espaço.", "Create a new room": "Criar uma nova sala", - "Invite to this space": "Convidar para este espaço", "Your message was sent": "A sua mensagem foi enviada", "Create a space": "Criar um espaço", "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.", - "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.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Use o gerenciador de integrações para gerenciar bots, widgets e pacotes de figurinhas.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Use o gerenciador de integrações em (%(serverName)s) para gerenciar bots, widgets e pacotes de figurinhas.", - "Identity server (%(server)s)": "Servidor de identidade (%(server)s)", - "Could not connect to identity server": "Não foi possível conectar-se ao servidor de identidade", - "Not a valid identity server (status code %(code)s)": "Servidor de identidade inválido (código de status %(code)s)", - "Identity server URL must be HTTPS": "O link do servidor de identidade deve começar com HTTPS", "This space has no local addresses": "Este espaço não tem endereços locais", "No microphone found": "Nenhum microfone encontrado", "Unable to access your microphone": "Não foi possível acessar seu microfone", "View message": "Ver mensagem", "Failed to send": "Falhou a enviar", - "You have no ignored users.": "Você não tem usuários ignorados.", - "Space information": "Informações do espaço", - "Address": "Endereço", "To join a space you'll need an invite.": "Para se juntar a um espaço você precisará de um convite.", "You may contact me if you have any follow up questions": "Vocês podem me contactar se tiverem quaisquer perguntas subsequentes", "Search for rooms or people": "Procurar por salas ou pessoas", @@ -1044,10 +849,8 @@ "Only people invited will be able to find and join this space.": "Apenas convidados poderão encontrar e entrar neste espaço.", "Anyone will be able to find and join this space, not just members of .": "Qualquer um poderá encontrar e entrar neste espaço, não somente membros de .", "Anyone in will be able to find and join.": "Todos em poderão ver e entrar.", - "Public space": "Espaço público", "Private space (invite only)": "Espaço privado (apenas com convite)", "Space visibility": "Visibilidade do Espaço", - "Public room": "Sala pública", "To leave the beta, visit your settings.": "Para sair do beta, vá nas suas configurações.", "Search for rooms": "Buscar salas", "Add existing rooms": "Adicionar salas existentes", @@ -1097,9 +900,7 @@ "Stop recording": "Parar a gravação", "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.", "Send voice message": "Enviar uma mensagem de voz", - "Unknown failure": "Falha desconhecida", "MB": "MB", "In reply to this message": "Em resposta a esta mensagem", "Export chat": "Exportar conversa", @@ -1113,11 +914,6 @@ "Moderation": "Moderação", "Developer": "Desenvolvedor", "Messaging": "Mensagens", - "Show %(count)s other previews": { - "one": "Exibir a %(count)s outra prévia", - "other": "Exibir as %(count)s outras prévias" - }, - "Failed to update the join rules": "Falha ao atualizar as regras de entrada", "Including you, %(commaSeparatedMembers)s": "Incluindo você, %(commaSeparatedMembers)s", "%(count)s votes": { "one": "%(count)s voto", @@ -1156,30 +952,12 @@ "Yours, or the other users' session": "A sua ou a sessão de outros usuários", "Yours, or the other users' internet connection": "A sua ou a conexão de Internet de outros usuários", "The homeserver the user you're verifying is connected to": "O servidor doméstico do usuário que você está verificando está conectado", - "Home options": "Opções do Início", - "%(spaceName)s menu": "%(spaceName)s menu", - "Currently joining %(count)s rooms": { - "one": "Entrando na %(count)s sala", - "other": "Entrando atualmente em %(count)s salas" - }, - "Join public room": "Entrar na sala pública", - "Add people": "Adicionar pessoas", - "Invite to space": "Convidar para o espaço", - "Start new chat": "Comece um novo bate-papo", "Recently viewed": "Visualizado recentemente", - "Insert link": "Inserir link", - "You do not have permission to start polls in this room.": "Você não tem permissão para iniciar enquetes nesta sala.", "Reply in thread": "Responder no tópico", "%(count)s reply": { "one": "%(count)s resposta", "other": "%(count)s respostas" }, - "You won't get any notifications": "Você não receberá nenhuma notificação", - "Get notified only with mentions and keywords as set up in your settings": "Receba notificações apenas com menções e palavras-chave conforme definido em suas configurações", - "@mentions & keywords": "@menções e palavras-chave", - "Get notified for every message": "Seja notificado para cada mensagem", - "Get notifications as set up in your settings": "Receba notificações conforme configurado em suas configurações", - "This room isn't bridging messages to any platforms. Learn more.": "Esta sala não está conectando mensagens a nenhuma plataforma. Saiba mais. ", "%(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", @@ -1194,16 +972,6 @@ "one": "1 participante" }, "Saved Items": "Itens salvos", - "Add space": "Adicionar espaço", - "Video room": "Sala de vídeo", - "Private space": "Espaço privado", - "Private room": "Sala privada", - "New video room": "Nova sala de vídeo", - "New room": "Nova sala", - "Seen by %(count)s people": { - "one": "Visto por %(count)s pessoa", - "other": "Visto por %(count)s pessoas" - }, "Remove messages sent by me": "", "Text": "Texto", "Edit link": "Editar ligação", @@ -1305,7 +1073,18 @@ "general": "Geral", "profile": "Perfil", "display_name": "Nome e sobrenome", - "user_avatar": "Foto de perfil" + "user_avatar": "Foto de perfil", + "authentication": "Autenticação", + "public_room": "Sala pública", + "video_room": "Sala de vídeo", + "public_space": "Espaço público", + "private_space": "Espaço privado", + "private_room": "Sala privada", + "rooms": "Salas", + "low_priority": "Baixa prioridade", + "historical": "Histórico", + "go_to_settings": "Ir para as configurações", + "setup_secure_messages": "Configurar mensagens seguras" }, "action": { "continue": "Continuar", @@ -1398,7 +1177,16 @@ "unban": "Remover banimento", "click_to_copy": "Clique para copiar", "hide_advanced": "Esconder configurações avançadas", - "show_advanced": "Mostrar configurações avançadas" + "show_advanced": "Mostrar configurações avançadas", + "unignore": "Desbloquear", + "start_new_chat": "Comece um novo bate-papo", + "invite_to_space": "Convidar para o espaço", + "add_people": "Adicionar pessoas", + "explore_rooms": "Explorar salas", + "new_room": "Nova sala", + "new_video_room": "Nova sala de vídeo", + "add_existing_room": "Adicionar sala existente", + "explore_public_rooms": "Explorar salas públicas" }, "a11y": { "user_menu": "Menu do usuário", @@ -1411,7 +1199,8 @@ "one": "1 mensagem não lida." }, "unread_messages": "Mensagens não lidas.", - "jump_first_invite": "Ir para o primeiro convite." + "jump_first_invite": "Ir para o primeiro convite.", + "room_name": "Sala %(name)s" }, "labs": { "video_rooms": "Salas de vídeo", @@ -1510,7 +1299,16 @@ "room_a11y": "Preenchimento automático de sala", "user_description": "Usuários", "user_a11y": "Preenchimento automático de usuário" - } + }, + "room_upgraded_link": "A conversa continua aqui.", + "room_upgraded_notice": "Esta sala foi substituída e não está mais ativa.", + "no_perms_notice": "Você não tem permissão para digitar nesta sala", + "send_button_voice_message": "Enviar uma mensagem de voz", + "poll_button_no_perms_title": "Permissão necessária", + "poll_button_no_perms_description": "Você não tem permissão para iniciar enquetes nesta sala.", + "format_italics": "Itálico", + "format_insert_link": "Inserir link", + "replying_title": "Em resposta a" }, "Link": "Ligação", "Code": "Código", @@ -1671,7 +1469,14 @@ "inline_url_previews_room_account": "Ativar, para esta sala, a visualização de links (só afeta você)", "inline_url_previews_room": "Ativar, para todos os participantes desta sala, a visualização de links", "voip": { - "mirror_local_feed": "Espelhar o feed de vídeo local" + "mirror_local_feed": "Espelhar o feed de vídeo local", + "missing_permissions_prompt": "Permissões de mídia ausentes, clique no botão abaixo para solicitar.", + "request_permissions": "Solicitar permissões de mídia", + "audio_output": "Caixa de som", + "audio_output_empty": "Nenhuma caixa de som detectada", + "audio_input_empty": "Não foi detectado nenhum microfone", + "video_input_empty": "Nenhuma câmera detectada", + "title": "Voz e vídeo" }, "security": { "message_search_disable_warning": "Se desativado, as mensagens de salas criptografadas não aparecerão em resultados de buscas.", @@ -1740,7 +1545,11 @@ "key_backup_connect": "Autorize esta sessão a fazer o backup de chaves", "key_backup_complete": "O backup de todas as chaves foi realizado", "key_backup_algorithm": "Algoritmo:", - "key_backup_inactive_warning": "Suas chaves não estão sendo copiadas desta sessão." + "key_backup_inactive_warning": "Suas chaves não estão sendo copiadas desta sessão.", + "key_backup_active_version_none": "Nenhuma", + "ignore_users_empty": "Você não tem usuários ignorados.", + "ignore_users_section": "Usuários bloqueados", + "e2ee_default_disabled_warning": "O administrador do servidor desativou a criptografia de ponta a ponta por padrão em salas privadas e em conversas." }, "preferences": { "room_list_heading": "Lista de salas", @@ -1818,7 +1627,39 @@ "add_msisdn_dialog_title": "Adicionar número de telefone", "name_placeholder": "Nenhum nome e sobrenome", "error_saving_profile_title": "Houve uma falha ao salvar o seu perfil", - "error_saving_profile": "A operação não foi concluída" + "error_saving_profile": "A operação não foi concluída", + "error_password_change_403": "Não foi possível alterar a senha. A sua senha está correta?", + "emails_heading": "Endereços de e-mail", + "msisdns_heading": "Números de Telefone", + "discovery_needs_terms": "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.", + "deactivate_section": "Desativar minha conta", + "account_management_section": "Gerenciamento da Conta", + "discovery_section": "Contatos", + "error_revoke_email_discovery": "Não foi possível revogar o compartilhamento do endereço de e-mail", + "error_share_email_discovery": "Não foi possível compartilhar o endereço de e-mail", + "email_not_verified": "Seu endereço de e-mail ainda não foi confirmado", + "email_verification_instructions": "Clique no link no e-mail que você recebeu para confirmar e então clique novamente em continuar.", + "error_email_verification": "Não foi possível confirmar o endereço de e-mail.", + "discovery_email_verification_instructions": "Verifique o link na sua caixa de e-mails", + "discovery_email_empty": "As opções de descoberta aparecerão assim que você adicione um e-mail acima.", + "error_revoke_msisdn_discovery": "Não foi possível revogar o compartilhamento do número de celular", + "error_share_msisdn_discovery": "Não foi possível compartilhar o número de celular", + "error_msisdn_verification": "Não foi possível confirmar o número de telefone.", + "incorrect_msisdn_verification": "Código de confirmação incorreto", + "msisdn_verification_instructions": "Digite o código de confirmação enviado por mensagem de texto.", + "msisdn_verification_field_label": "Código de confirmação", + "discovery_msisdn_empty": "As opções de descoberta aparecerão assim que você adicione um número de telefone acima.", + "error_set_name": "Falha ao definir o nome e sobrenome", + "error_remove_3pid": "Não foi possível remover informação de contato", + "remove_email_prompt": "Remover %(email)s?", + "error_invalid_email": "Endereço de e-mail inválido", + "error_invalid_email_detail": "Este não aparenta ser um endereço de e-mail válido", + "error_add_email": "Não foi possível adicionar um endereço de e-mail", + "add_email_instructions": "Enviamos um e-mail para você confirmar seu endereço. Por favor, siga as instruções e clique no botão abaixo.", + "email_address_label": "Endereço de e-mail", + "remove_msisdn_prompt": "Remover %(phone)s?", + "add_msisdn_instructions": "Digite o código de confirmação enviado por mensagem de texto para +%(msisdn)s.", + "msisdn_label": "Número de telefone" }, "sidebar": { "title": "Barra lateral", @@ -1827,6 +1668,48 @@ "metaspaces_orphans": "Salas fora de um espaço", "metaspaces_home_all_rooms_description": "Mostre todas as suas salas no Início, mesmo que elas estejam em um espaço.", "metaspaces_home_all_rooms": "Mostrar todas as salas" + }, + "key_backup": { + "backup_in_progress": "O backup de suas chaves está sendo feito (o primeiro backup pode demorar alguns minutos).", + "backup_success": "Pronto!", + "create_title": "Criar backup de chave", + "cannot_create_backup": "Não foi possível criar backup da chave", + "setup_secure_backup": { + "generate_security_key_title": "Gerar uma Chave de Segurança", + "enter_phrase_title": "Digite uma frase de segurança", + "description": "Proteja-se contra a perda de acesso a mensagens e dados criptografados fazendo backup das chaves de criptografia no seu servidor.", + "requires_password_confirmation": "Digite a senha da sua conta para confirmar a atualização:", + "requires_key_restore": "Restaurar o backup das suas chaves para atualizar a sua criptografia", + "requires_server_authentication": "Você precisará se autenticar no servidor para confirmar a atualização.", + "session_upgrade_description": "Atualize esta sessão para permitir que ela confirme outras sessões, dando a elas acesso às mensagens criptografadas e marcando-as como confiáveis para os seus contatos.", + "phrase_strong_enough": "Ótimo! Essa frase de segurança parece ser segura o suficiente.", + "pass_phrase_match_success": "Isto corresponde!", + "use_different_passphrase": "Usar uma frase secreta diferente?", + "pass_phrase_match_failed": "Isto não corresponde.", + "set_phrase_again": "Voltar para configurar novamente.", + "confirm_security_phrase": "Confirmar com a sua Frase de Segurança", + "secret_storage_query_failure": "Não foi possível obter o status do armazenamento secreto", + "cancel_warning": "Se você cancelar agora, poderá perder mensagens e dados criptografados se você perder acesso aos seus logins atuais.", + "settings_reminder": "Você também pode configurar o Backup online & configurar as suas senhas nas Configurações.", + "title_upgrade_encryption": "Atualizar sua criptografia", + "title_set_phrase": "Defina uma frase de segurança", + "title_confirm_phrase": "Confirme a frase de segurança", + "title_save_key": "Salve sua Chave de Segurança", + "unable_to_setup": "Não foi possível definir o armazenamento secreto", + "use_phrase_only_you_know": "Use uma frase secreta que apenas você conhece, e opcionalmente salve uma Chave de Segurança para acessar o backup." + } + }, + "key_export_import": { + "export_title": "Exportar chaves de sala", + "export_description_1": "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.", + "enter_passphrase": "Entre com a senha", + "confirm_passphrase": "Confirme a senha", + "phrase_cannot_be_empty": "A frase não pode estar em branco", + "phrase_must_match": "As senhas têm que ser iguais", + "import_title": "Importar chaves de sala", + "import_description_1": "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.", + "import_description_2": "O arquivo exportado será protegido com uma senha. Você deverá inserir a senha aqui para poder descriptografar o arquivo futuramente.", + "file_to_import": "Arquivo para importar" } }, "devtools": { @@ -2187,6 +2070,17 @@ "creation_summary_room": "%(creator)s criou e configurou esta sala.", "context_menu": { "external_url": "Link do código-fonte" + }, + "url_preview": { + "show_n_more": { + "one": "Exibir a %(count)s outra prévia", + "other": "Exibir as %(count)s outras prévias" + }, + "close": "Fechar a visualização" + }, + "read_receipt_title": { + "one": "Visto por %(count)s pessoa", + "other": "Visto por %(count)s pessoas" } }, "slash_command": { @@ -2423,7 +2317,14 @@ "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" + "permissions_section_description_room": "Selecione os cargos necessários para alterar várias partes da sala", + "error_unbanning": "Não foi possível remover o banimento", + "banned_by": "Banido por %(displayName)s", + "ban_reason": "Razão", + "error_changing_pl_reqs_title": "Houve um erro ao alterar o nível de permissão do contato", + "error_changing_pl_reqs_description": "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.", + "error_changing_pl_title": "Erro ao alterar a permissão do usuário", + "error_changing_pl_description": "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." }, "security": { "strict_encryption": "Nunca envie mensagens criptografadas a partir desta sessão para sessões não confirmadas nessa sala", @@ -2474,7 +2375,9 @@ "join_rule_upgrade_updating_spaces": { "one": "Atualizando espaço...", "other": "Atualizando espaços... (%(progress)s de %(count)s)" - } + }, + "error_join_rule_change_title": "Falha ao atualizar as regras de entrada", + "error_join_rule_change_unknown": "Falha desconhecida" }, "general": { "publish_toggle": "Quer publicar esta sala na lista pública de salas da %(domain)s?", @@ -2488,14 +2391,18 @@ "error_save_space_settings": "Falha ao salvar as configurações desse espaço.", "description_space": "Editar configurações relacionadas ao seu espaço.", "save": "Salvar alterações", - "leave_space": "Sair desse espaço" + "leave_space": "Sair desse espaço", + "aliases_section": "Endereços da sala", + "other_section": "Outros" }, "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:" + "room_version": "Versão da sala:", + "information_section_space": "Informações do espaço", + "information_section_room": "Informação da sala" }, "delete_avatar_label": "Remover foto de perfil", "upload_avatar_label": "Enviar uma foto de perfil", @@ -2509,11 +2416,25 @@ "history_visibility_anyone_space": "Previsualizar o Espaço", "history_visibility_anyone_space_description": "Permite que pessoas vejam seu espaço antes de entrarem.", "history_visibility_anyone_space_recommendation": "Recomendado para espaços públicos.", - "guest_access_label": "Habilitar acesso a convidados" + "guest_access_label": "Habilitar acesso a convidados", + "alias_section": "Endereço" }, "access": { "title": "Acesso", "description_space": "Decide quem pode ver e se juntar a %(spaceName)s." + }, + "bridges": { + "description": "Esta sala está integrando mensagens com as seguintes plataformas. Saiba mais.", + "empty": "Esta sala não está conectando mensagens a nenhuma plataforma. Saiba mais. ", + "title": "Integrações" + }, + "notifications": { + "uploaded_sound": "Som enviado", + "settings_link": "Receba notificações conforme configurado em suas configurações", + "sounds_section": "Sons", + "notification_sound": "Som de notificação", + "custom_sound_prompt": "Definir um novo som personalizado", + "browse_button": "Buscar" } }, "encryption": { @@ -2558,7 +2479,19 @@ "cross_signing_ready_no_backup": "A verificação está pronta mas as chaves não tem um backup configurado.", "cross_signing_untrusted": "Sua conta tem uma identidade autoverificada em armazenamento secreto, mas ainda não é considerada confiável por esta sessão.", "cross_signing_not_ready": "A autoverificação não está configurada.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Nova opção de recuperação", + "description_1": "Uma nova Frase de Segurança e uma nova chave para mensagens seguras foram detectadas.", + "description_2": "Esta sessão está criptografando o histórico de mensagens usando a nova opção de recuperação.", + "warning": "Se você não definiu a nova opção de recuperação, um invasor pode estar tentando acessar sua conta. Altere a senha da sua conta e defina uma nova opção de recuperação imediatamente nas Configurações." + }, + "recovery_method_removed": { + "title": "Opção de recuperação removida", + "description_1": "Esta sessão detectou que a sua Frase de Segurança e a chave para mensagens seguras foram removidas.", + "description_2": "Se você fez isso acidentalmente, você pode configurar Mensagens Seguras nesta sessão, o que vai re-criptografar o histórico de mensagens desta sessão com uma nova opção de recuperação.", + "warning": "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." + } }, "emoji": { "category_frequently_used": "Mais usados", @@ -2698,7 +2631,9 @@ "autodiscovery_unexpected_error_hs": "Erro inesperado buscando a configuração do servidor", "autodiscovery_unexpected_error_is": "Erro inesperado buscando a configuração do servidor de identidade", "incorrect_credentials_detail": "Note que você está se conectando ao servidor %(hs)s, e não ao servidor matrix.org.", - "create_account_title": "Criar conta" + "create_account_title": "Criar conta", + "failed_soft_logout_homeserver": "Falha em autenticar novamente devido à um problema no servidor local", + "soft_logout_subheading": "Limpar dados pessoais" }, "room_list": { "sort_unread_first": "Mostrar salas não lidas em primeiro", @@ -2714,7 +2649,19 @@ "show_less": "Mostrar menos", "notification_options": "Alterar notificações", "failed_remove_tag": "Falha ao remover a tag %(tagName)s da sala", - "failed_add_tag": "Falha ao adicionar a tag %(tagName)s para a sala" + "failed_add_tag": "Falha ao adicionar a tag %(tagName)s para a sala", + "breadcrumbs_label": "Salas visitadas recentemente", + "breadcrumbs_empty": "Nenhuma sala foi visitada recentemente", + "add_room_label": "Adicionar sala", + "suggested_rooms_heading": "Salas sugeridas", + "add_space_label": "Adicionar espaço", + "join_public_room_label": "Entrar na sala pública", + "joining_rooms_status": { + "one": "Entrando na %(count)s sala", + "other": "Entrando atualmente em %(count)s salas" + }, + "space_menu_label": "%(spaceName)s menu", + "home_menu_label": "Opções do Início" }, "report_content": { "missing_reason": "Por favor, descreva porque você está reportando.", @@ -2911,7 +2858,8 @@ "search_children": "Pesquisar %(spaceName)s", "invite_link": "Compartilhar link de convite", "invite": "Convidar pessoas", - "invite_description": "Convidar com email ou nome de usuário" + "invite_description": "Convidar com email ou nome de usuário", + "invite_this_space": "Convidar para este espaço" }, "location_sharing": { "find_my_location": "Encontrar minha localização", @@ -2947,7 +2895,8 @@ "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" + "lists_new_label": "ID da sala ou endereço da lista de banidos", + "rules_empty": "Nenhuma" }, "create_space": { "name_required": "Por favor entre o nome do espaço", @@ -3009,8 +2958,40 @@ "favourite": "Favoritar", "copy_link": "Copiar link da sala", "low_priority": "Baixa prioridade", - "forget": "Esquecer Sala" - } + "forget": "Esquecer Sala", + "title": "Opções da Sala" + }, + "invite_this_room": "Convidar para esta sala", + "header": { + "forget_room_button": "Esquecer sala", + "hide_widgets_button": "Esconder widgets", + "show_widgets_button": "Mostrar widgets" + }, + "join_title_account": "Participar da conversa com uma conta", + "join_button_account": "Inscrever-se", + "kick_reason": "Razão: %(reason)s", + "forget_room": "Esquecer esta sala", + "rejoin_button": "Entrar novamente", + "banned_from_room_by": "Você foi banido de %(roomName)s por %(memberName)s", + "3pid_invite_error_title_room": "Ocorreu um erro no seu convite para %(roomName)s", + "3pid_invite_error_invite_subtitle": "Você só pode participar com um convite válido.", + "3pid_invite_error_invite_action": "Tentar entrar mesmo assim", + "join_the_discussion": "Participar da discussão", + "3pid_invite_email_not_found_account_room": "Este convite para %(roomName)s foi enviado para %(email)s, que não está associado à sua conta", + "link_email_to_receive_3pid_invite": "Vincule esse e-mail à sua conta em Configurações, para receber convites diretamente no %(brand)s.", + "invite_sent_to_email_room": "Este convite para %(roomName)s foi enviado para %(email)s", + "3pid_invite_no_is_subtitle": "Use um servidor de identidade em Configurações para receber convites diretamente no %(brand)s.", + "invite_email_mismatch_suggestion": "Compartilhe este e-mail em Configurações para receber convites diretamente no %(brand)s.", + "dm_invite_title": "Deseja conversar com %(user)s?", + "dm_invite_subtitle": " quer conversar", + "dm_invite_action": "Começar a conversa", + "invite_title": "Deseja se juntar a %(roomName)s?", + "invite_subtitle": " convidou você", + "invite_reject_ignore": "Recusar e bloquear usuário", + "peek_join_prompt": "Você está visualizando %(roomName)s. Deseja participar?", + "no_peek_join_prompt": "%(roomName)s não pode ser visualizado. Deseja participar?", + "not_found_title_name": "%(roomName)s não existe.", + "inaccessible_name": "%(roomName)s não está acessível neste momento." }, "file_panel": { "guest_note": "Você deve se registrar para usar este recurso", @@ -3130,7 +3111,14 @@ "keyword_new": "Nova palavra-chave", "class_global": "Global", "class_other": "Outros", - "mentions_keywords": "Menções e palavras-chave" + "mentions_keywords": "Menções e palavras-chave", + "default": "Padrão", + "all_messages": "Todas as mensagens novas", + "all_messages_description": "Seja notificado para cada mensagem", + "mentions_and_keywords": "@menções e palavras-chave", + "mentions_and_keywords_description": "Receba notificações apenas com menções e palavras-chave conforme definido em suas configurações", + "mute_description": "Você não receberá nenhuma notificação", + "message_didnt_send": "A mensagem não foi enviada. Clique para mais informações." }, "mobile_guide": { "toast_title": "Use o aplicativo para ter uma experiência melhor", @@ -3152,6 +3140,43 @@ "a11y_jump_first_unread_room": "Ir para a primeira sala não lida.", "integration_manager": { "error_connecting_heading": "Não foi possível conectar ao gerenciador de integrações", - "error_connecting": "Ou o gerenciador de integrações está indisponível, ou ele não conseguiu acessar o seu servidor." + "error_connecting": "Ou o gerenciador de integrações está indisponível, ou ele não conseguiu acessar o seu servidor.", + "use_im_default": "Use o gerenciador de integrações em (%(serverName)s) para gerenciar bots, widgets e pacotes de figurinhas.", + "use_im": "Use o gerenciador de integrações para gerenciar bots, widgets e pacotes de figurinhas.", + "manage_title": "Gerenciar integrações", + "explainer": "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." + }, + "identity_server": { + "url_not_https": "O link do servidor de identidade deve começar com HTTPS", + "error_invalid": "Servidor de identidade inválido (código de status %(code)s)", + "error_connection": "Não foi possível conectar-se ao servidor de identidade", + "checking": "Verificando servidor", + "change": "Alterar o servidor de identidade", + "change_prompt": "Desconectar-se do servidor de identidade e conectar-se em em vez disso?", + "error_invalid_or_terms": "Termos de serviço não aceitos ou o servidor de identidade é inválido.", + "no_terms": "O servidor de identidade que você escolheu não possui nenhum termo de serviço.", + "disconnect": "Desconectar servidor de identidade", + "disconnect_server": "Desconectar-se do servidor de identidade ?", + "disconnect_offline_warning": "Você deve remover seus dados pessoais do servidor de identidade antes de desconectar. Infelizmente, o servidor de identidade ou está indisponível no momento, ou não pode ser acessado.", + "suggestions": "Você deveria:", + "suggestions_1": "verifique se há extensões no seu navegador que possam bloquear o servidor de identidade (por exemplo, Privacy Badger)", + "suggestions_2": "entre em contato com os administradores do servidor de identidade ", + "suggestions_3": "aguarde e tente novamente mais tarde", + "disconnect_anyway": "Desconectar de qualquer maneira", + "disconnect_personal_data_warning_1": "Você ainda está compartilhando seus dados pessoais no servidor de identidade .", + "disconnect_personal_data_warning_2": "Recomendamos que você remova seus endereços de e-mail e números de telefone do servidor de identidade antes de desconectar.", + "url": "Servidor de identidade (%(server)s)", + "description_connected": "No momento, você está usando para descobrir e ser descoberto pelos contatos existentes que você conhece. Você pode alterar seu servidor de identidade abaixo.", + "change_server_prompt": "Se você não quiser usar para descobrir e ser detectável pelos contatos existentes, digite outro servidor de identidade abaixo.", + "description_disconnected": "No momento, você não está usando um servidor de identidade. Para descobrir e ser descoberto pelos contatos existentes, adicione um abaixo.", + "disconnect_warning": "Desconectar-se do servidor de identidade significa que você não poderá ser descoberto por outros usuários e não poderá convidar outras pessoas por e-mail ou número de celular.", + "description_optional": "Usar um servidor de identidade é opcional. Se você optar por não usar um servidor de identidade, não poderá ser descoberto por outros usuários e não poderá convidar outras pessoas por e-mail ou por número de celular.", + "do_not_use": "Não usar um servidor de identidade", + "url_field_label": "Digite um novo servidor de identidade" + }, + "member_list": { + "invited_list_heading": "Convidada(o)", + "filter_placeholder": "Pesquisar participantes da sala", + "power_label": "%(userName)s (nível de permissão %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/ro.json b/src/i18n/strings/ro.json index 339cb37210..10efac8d1d 100644 --- a/src/i18n/strings/ro.json +++ b/src/i18n/strings/ro.json @@ -1,5 +1,4 @@ { - "Permission Required": "Permisul Obligatoriu", "Send": "Trimite", "Sun": "Dum", "Mon": "Lun", @@ -26,7 +25,6 @@ "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s%(monthName)s%(day)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 %(fullYear)s %(time)s": "%(weekDayName)s%(monthName)s%(day)s%(fullYear)s%(time)s", - "Explore rooms": "Explorează camerele", "common": { "analytics": "Analizarea", "error": "Eroare" @@ -35,7 +33,8 @@ "ok": "OK", "sign_in": "Autentificare", "dismiss": "Închide", - "confirm": "Confirmă" + "confirm": "Confirmă", + "explore_rooms": "Explorează camerele" }, "voip": { "call_failed": "Apel eșuat", @@ -92,5 +91,8 @@ "create_room": { "generic_error": "Serverul poate fi indisponibil, supraîncărcat sau ați lovit un bug.", "error_title": "Eșecul de a crea spațiu" + }, + "composer": { + "poll_button_no_perms_title": "Permisul Obligatoriu" } } diff --git a/src/i18n/strings/ru.json b/src/i18n/strings/ru.json index 51ad3a97f8..942b0a75cc 100644 --- a/src/i18n/strings/ru.json +++ b/src/i18n/strings/ru.json @@ -1,26 +1,13 @@ { "A new password must be entered.": "Введите новый пароль.", "Are you sure you want to reject the invitation?": "Уверены, что хотите отклонить приглашение?", - "Deactivate Account": "Деактивировать учётную запись", - "Default": "По умолчанию", - "Failed to change password. Is your password correct?": "Не удалось сменить пароль. Вы правильно ввели текущий пароль?", "Failed to reject invitation": "Не удалось отклонить приглашение", - "Failed to unban": "Не удалось разблокировать", - "Filter room members": "Поиск по участникам", - "Forget room": "Забыть комнату", - "Historical": "Архив", - "Invalid Email Address": "Недопустимый email", - "Low priority": "Маловажные", "Moderator": "Модератор", "New passwords must match each other.": "Новые пароли должны совпадать.", "Return to login screen": "Вернуться к экрану входа", - "Unable to add email address": "Не удается добавить email", - "Unable to remove contact information": "Не удалось удалить контактную информацию", - "Unable to verify email address.": "Не удалось проверить email.", "unknown error code": "неизвестный код ошибки", "Verification Pending": "В ожидании подтверждения", "Warning!": "Внимание!", - "You do not have permission to post to this room": "Вы не можете писать в эту комнату", "Connectivity to the server has been lost.": "Связь с сервером потеряна.", "Sent messages will be stored until your connection has returned.": "Отправленные сообщения будут сохранены, пока соединение не восстановится.", "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", @@ -53,34 +40,25 @@ "Download %(text)s": "Скачать %(text)s", "Failed to ban user": "Не удалось заблокировать пользователя", "Failed to forget room %(errCode)s": "Не удалось забыть комнату: %(errCode)s", - "Authentication": "Аутентификация", "%(items)s and %(lastItem)s": "%(items)s и %(lastItem)s", "An error has occurred.": "Произошла ошибка.", "Failed to load timeline position": "Не удалось загрузить метку из хронологии", "Failed to mute user": "Не удалось заглушить пользователя", "Failed to reject invite": "Не удалось отклонить приглашение", - "Failed to set display name": "Не удалось задать отображаемое имя", - "Incorrect verification code": "Неверный код подтверждения", "Join Room": "Войти в комнату", "not specified": "не задан", "No more results": "Больше никаких результатов", "Please check your email and click on the link it contains. Once this is done, click continue.": "Проверьте свою электронную почту и нажмите на ссылку в письме. После этого нажмите кнопку Продолжить.", - "Reason": "Причина", "Reject invitation": "Отклонить приглашение", - "Rooms": "Комнаты", "Search failed": "Поиск не удался", "This room has no local addresses": "У этой комнаты нет адресов на вашем сервере", - "This doesn't appear to be a valid email address": "Похоже, это недействительный адрес email", "You seem to be uploading files, are you sure you want to quit?": "Похоже, вы сейчас отправляете файлы. Уверены, что хотите выйти?", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s %(time)s", - "No Microphones detected": "Микрофоны не обнаружены", - "No Webcams detected": "Веб-камера не обнаружена", "Are you sure you want to leave the room '%(roomName)s'?": "Уверены, что хотите покинуть '%(roomName)s'?", "Custom level": "Специальные права", "Email address": "Электронная почта", "Error decrypting attachment": "Ошибка расшифровки вложения", "Invalid file%(extra)s": "Недопустимый файл%(extra)s", - "Invited": "Приглашены", "Jump to first unread message.": "Перейти к первому непрочитанному сообщению.", "Server may be unavailable, overloaded, or search timed out :(": "Сервер может быть недоступен, перегружен или поиск прекращен по тайм-ауту :(", "Session ID": "ID сеанса", @@ -88,16 +66,6 @@ "Tried to load a specific point in this room's timeline, but was unable to find it.": "Попытка загрузить выбранный интервал истории чата этой комнаты не удалась, так как запрошенный элемент не найден.", "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": "Мнемонические фразы должны совпадать", - "Passphrase must not be empty": "Мнемоническая фраза не может быть пустой", - "Export room keys": "Экспорт ключей комнаты", - "Enter passphrase": "Введите мнемоническую фразу", - "Confirm passphrase": "Подтвердите мнемоническую фразу", - "Import room keys": "Импорт ключей комнаты", - "File to import": "Файл для импорта", - "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.": "Файл экспорта будет защищен кодовой фразой. Для расшифровки файла необходимо будет её ввести.", "Confirm Removal": "Подтвердите удаление", "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, то ваш сеанс может быть несовместим с ней. Закройте это окно и вернитесь к более новой версии.", @@ -117,14 +85,9 @@ "other": "(~%(count)s результатов)", "one": "(~%(count)s результат)" }, - "%(roomName)s does not exist.": "%(roomName)s не существует.", - "%(roomName)s is not accessible at this time.": "%(roomName)s на данный момент недоступна.", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (уровень прав %(powerLevelNumber)s)", "This will allow you to reset your password and receive notifications.": "Это позволит при необходимости сбросить пароль и получать уведомления.", "AM": "ДП", "PM": "ПП", - "Unignore": "Перестать игнорировать", - "Banned by %(displayName)s": "Заблокирован(а) %(displayName)s", "Jump to read receipt": "Перейти к последнему прочтённому", "Unnamed room": "Комната без названия", "And %(count)s more...": { @@ -140,7 +103,6 @@ "collapse": "свернуть", "expand": "развернуть", "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", "This room is not public. You will not be able to rejoin without an invite.": "Эта комната не является публичной. Вы не сможете войти без приглашения.", "In reply to ": "В ответ на ", @@ -157,8 +119,6 @@ "Preparing to send logs": "Подготовка к отправке журналов", "Saturday": "Суббота", "Monday": "Понедельник", - "Invite to this room": "Пригласить в комнату", - "All messages": "Все сообщения", "All Rooms": "Везде", "You cannot delete this message. (%(code)s)": "Это сообщение нельзя удалить. (%(code)s)", "Thursday": "Четверг", @@ -172,8 +132,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.": "Не удается загрузить событие, на которое был дан ответ. Либо оно не существует, либо у вас нет разрешения на его просмотр.", - "No Audio Outputs detected": "Аудиовыход не обнаружен", - "Audio Output": "Аудиовыход", "Share Link to User": "Поделиться ссылкой на пользователя", "Share room": "Поделиться комнатой", "Share Room": "Поделиться комнатой", @@ -185,25 +143,12 @@ "Demote": "Понижение", "Demote yourself?": "Понизить самого себя?", "This event could not be displayed": "Не удалось отобразить это событие", - "Permission Required": "Требуется разрешение", "Only room administrators will see this warning": "Только администраторы комнат увидят это предупреждение", "Upgrade Room Version": "Обновление версии комнаты", "Create a new room with the same name, description and avatar": "Создадим новую комнату с тем же именем, описанием и аватаром", "Update any local room aliases to point to the new room": "Обновим локальные псевдонимы комнат", "Stop users from speaking in the old version of the room, and post a message advising users to move to the new room": "Остановим общение пользователей в старой версии комнаты и опубликуем сообщение, в котором пользователям рекомендуется перейти в новую комнату", "Put a link back to the old room at the start of the new room so people can see old messages": "Разместим ссылку на старую комнату, чтобы люди могли видеть старые сообщения", - "Email Address": "Адрес электронной почты", - "Unable to verify phone number.": "Невозможно проверить номер телефона.", - "Verification code": "Код подтверждения", - "Phone Number": "Номер телефона", - "Room information": "Информация о комнате", - "Room Addresses": "Адреса комнаты", - "Email addresses": "Адреса электронной почты", - "Phone numbers": "Телефонные номера", - "Account management": "Управление учётной записью", - "Ignored users": "Игнорируемые пользователи", - "Voice & Video": "Голос и видео", - "The conversation continues here.": "Разговор продолжается здесь.", "Set up": "Настроить", "Main address": "Главный адрес", "Room Name": "Название комнаты", @@ -226,10 +171,6 @@ "Unable to restore backup": "Невозможно восстановить резервную копию", "No backup found!": "Резервных копий не найдено!", "Email (optional)": "Адрес электронной почты (не обязательно)", - "Go to Settings": "Перейти в настройки", - "Set up Secure Messages": "Настроить безопасные сообщения", - "Recovery Method Removed": "Метод восстановления удален", - "New Recovery Method": "Новый метод восстановления", "Dog": "Собака", "Cat": "Кошка", "Lion": "Лев", @@ -291,35 +232,15 @@ "Anchor": "Якорь", "Headphones": "Наушники", "Folder": "Папка", - "Your keys are being backed up (the first backup could take a few minutes).": "Выполняется резервная копия ключей (первый раз это может занять несколько минут).", "Scissors": "Ножницы", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Мы отправили вам сообщение для подтверждения адреса электронной почты. Пожалуйста, следуйте указаниям в сообщении, после чего нажмите кнопку ниже.", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Эти сообщения защищены сквозным шифрованием. Только вы и ваш собеседник имеете ключи для их расшифровки и чтения.", "Back up your keys before signing out to avoid losing them.": "Перед выходом сохраните резервную копию ключей шифрования, чтобы не потерять их.", "Start using Key Backup": "Использовать резервную копию ключей шифрования", - "Missing media permissions, click the button below to request.": "Отсутствуют разрешения для доступа к камере/микрофону. Нажмите кнопку ниже, чтобы запросить их.", - "Request media permissions": "Запросить доступ к медиа устройству", "Error updating main address": "Ошибка обновления основного адреса", "Incompatible local cache": "Несовместимый локальный кэш", "You'll lose access to your encrypted messages": "Вы потеряете доступ к вашим шифрованным сообщениям", "Are you sure you want to sign out?": "Уверены, что хотите выйти?", "Room Settings - %(roomName)s": "Настройки комнаты — %(roomName)s", - "This room has been replaced and is no longer active.": "Эта комната заменена и более неактивна.", - "Join the conversation with an account": "Присоединиться к разговору с учётной записью", - "Sign Up": "Зарегистрироваться", - "Reason: %(reason)s": "Причина: %(reason)s", - "Forget this room": "Забыть эту комнату", - "Re-join": "Пере-присоединение", - "You were banned from %(roomName)s by %(memberName)s": "Вы были забанены %(memberName)s с %(roomName)s", - "Something went wrong with your invite to %(roomName)s": "Что-то пошло не так с вашим приглашением в %(roomName)s", - "You can only join it with a working invite.": "Вы можете присоединиться к ней только с рабочим приглашением.", - "Join the discussion": "Войти в комнату", - "Try to join anyway": "Постарайся присоединиться в любом случае", - "Do you want to chat with %(user)s?": "Хотите пообщаться с %(user)s?", - "Do you want to join %(roomName)s?": "Хотите присоединиться к %(roomName)s?", - " invited you": " пригласил(а) вас", - "You're previewing %(roomName)s. Want to join it?": "Вы просматриваете %(roomName)s. Хотите присоединиться?", - "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s не может быть предварительно просмотрена. Вы хотите присоединиться к ней?", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Обновление этой комнаты отключит текущий экземпляр комнаты и создаст обновлённую комнату с тем же названием.", "This room has already been upgraded.": "Эта комната уже была обновлена.", "This room is running room version , which this homeserver has marked as unstable.": "Версия этой комнаты — , этот домашний сервер считает её нестабильной.", @@ -366,7 +287,6 @@ "Some characters not allowed": "Некоторые символы не разрешены", "Join millions for free on the largest public server": "Присоединяйтесь бесплатно к миллионам на крупнейшем общедоступном сервере", "Couldn't load page": "Невозможно загрузить страницу", - "Add room": "Добавить комнату", "Could not load user profile": "Не удалось загрузить профиль пользователя", "Your password has been reset.": "Ваш пароль был сброшен.", "Invalid homeserver discovery response": "Неверный ответ при попытке обнаружения домашнего сервера", @@ -377,18 +297,6 @@ "Invalid base_url for m.identity_server": "Неверный base_url для m.identity_server", "Identity server URL does not appear to be a valid identity server": "URL-адрес сервера идентификации не является действительным сервером идентификации", "General failure": "Общая ошибка", - "That matches!": "Они совпадают!", - "That doesn't match.": "Они не совпадают.", - "Uploaded sound": "Загруженный звук", - "Sounds": "Звук", - "Notification sound": "Звук уведомления", - "Set a new custom sound": "Установка нового пользовательского звука", - "Browse": "Просматривать", - "Go back to set it again.": "Задать другой пароль.", - "Success!": "Успешно!", - "Unable to create key backup": "Невозможно создать резервную копию ключа", - "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.": "Если вы не задали новый способ восстановления, злоумышленник может получить доступ к вашей учётной записи. Смените пароль учётной записи и сразу же задайте новый способ восстановления в настройках.", - "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.": "Если вы не убрали метод восстановления, злоумышленник может получить доступ к вашей учётной записи. Смените пароль учётной записи и сразу задайте новый способ восстановления в настройках.", "Edited at %(date)s. Click to view edits.": "Изменено %(date)s. Нажмите для посмотра истории изменений.", "Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Пожалуйста, расскажите нам что пошло не так, либо, ещё лучше, создайте отчёт в GitHub с описанием проблемы.", "Removing…": "Удаление…", @@ -400,50 +308,7 @@ "Be found by phone or email": "Будут найдены по номеру телефона или email", "Upload all": "Загрузить всё", "Resend %(unsentCount)s reaction(s)": "Отправить повторно %(unsentCount)s реакций", - "Failed to re-authenticate due to a homeserver problem": "Ошибка повторной аутентификации из-за проблем на сервере", - "Clear personal data": "Очистить персональные данные", - "Checking server": "Проверка сервера", - "Terms of service not accepted or the identity server is invalid.": "Условия использования не приняты или сервер идентификации недействителен.", - "The identity server you have chosen does not have any terms of service.": "Сервер идентификации, который вы выбрали, не имеет никаких условий обслуживания.", - "Disconnect from the identity server ?": "Отсоединиться от сервера идентификации ?", - "Do not use an identity server": "Не использовать сервер идентификации", - "Enter a new identity server": "Введите новый идентификационный сервер", - "Change identity server": "Изменить сервер идентификации", - "Disconnect from the identity server and connect to instead?": "Отключиться от сервера идентификации и вместо этого подключиться к ?", - "Disconnect identity server": "Отключить идентификационный сервер", - "You are still sharing your personal data on the identity server .": "Вы все еще делитесь своими личными данными на сервере идентификации .", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Мы рекомендуем вам удалить свои адреса электронной почты и номера телефонов с сервера идентификации перед отключением.", - "Disconnect anyway": "Отключить в любом случае", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "В настоящее время вы используете для поиска вами ваших контактов а также вас вашими оппонентами. Вы можете изменить ваш сервер идентификации ниже.", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Если вы не хотите использовать для обнаружения вас и быть обнаруженным вашими существующими контактами, введите другой идентификационный сервер ниже.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Вы в настоящее время не используете сервер идентификации. Чтобы найти известные вам контакты, и чтобы они могли найти вас, укажите сервер ниже.", - "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.": "Отключение от сервера идентификации будет означать, что другие пользователи не смогут вас обнаружить, и вы не сможете приглашать других по электронной почте или по телефону.", - "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.": "Использование сервера идентификации не обязательно. Если вы решите не использовать сервер идентификации, другие пользователи не смогут обнаружить вас, и вы не сможете пригласить других по электронной почте или телефону.", - "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": "Обнаружение", "Deactivate account": "Деактивировать учётную запись", - "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": "Подождите и повторите попытку позже", - "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": "Ошибка изменения уровня прав", - "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Произошла ошибка при изменении уровня прав пользователя. Убедитесь, что у вас достаточно прав и попробуйте снова.", - "Unable to revoke sharing for email 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.": "Нажмите на ссылку в электронном письме, которое вы получили, чтобы подтвердить, и затем нажмите продолжить снова.", - "Verify the link in your inbox": "Проверьте ссылку в вашем почтовом ящике(папка \"Входящие\")", - "Discovery options will appear once you have added an email above.": "Параметры поиска по электронной почты появятся после добавления её выше.", - "Unable to revoke sharing for phone number": "Не удалось отменить общий доступ к номеру телефона", - "Unable to share phone number": "Не удается предоставить общий доступ к номеру телефона", - "Please enter verification code sent via text.": "Пожалуйста, введите проверочный код, высланный с помощью текста.", - "Discovery options will appear once you have added a phone number above.": "Параметры поиска по номеру телефона появятся после его добавления.", - "Remove %(email)s?": "Удалить %(email)s?", - "Remove %(phone)s?": "Удалить %(phone)s?", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Текстовое сообщение было отправлено +%(msisdn)s. Пожалуйста, введите проверочный код, который он содержит.", "No recent messages by %(user)s found": "Последние сообщения от %(user)s не найдены", "Try scrolling up in the timeline to see if there are any earlier ones.": "Попробуйте пролистать ленту сообщений вверх, чтобы увидеть, есть ли более ранние.", "Remove recent messages by %(user)s": "Удалить последние сообщения от %(user)s", @@ -455,27 +320,18 @@ "Deactivate user?": "Деактивировать пользователя?", "Deactivate user": "Деактивировать пользователя", "Remove recent messages": "Удалить последние сообщения", - "Italics": "Курсив", "Show image": "Показать изображение", "e.g. my-room": "например, моя-комната", "Close dialog": "Закрыть диалог", "Command Help": "Помощь команды", "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.", - "This invite to %(roomName)s was sent to %(email)s": "Это приглашение в %(roomName)s было отправлено на %(email)s", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Используйте сервер идентификации в Настройках для получения приглашений непосредственно в %(brand)s.", - "Share this email in Settings to receive invites directly in %(brand)s.": "Введите адрес эл.почты в Настройках, чтобы получать приглашения прямо в %(brand)s.", "Failed to deactivate user": "Не удалось деактивировать пользователя", "This client does not support end-to-end encryption.": "Этот клиент не поддерживает сквозное шифрование.", "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.": "Используйте идентификационный сервер для приглашения по электронной почте. Управление в Настройки.", - "Explore rooms": "Обзор комнат", "Cancel search": "Отменить поиск", - "Room %(name)s": "Комната %(name)s", "Message Actions": "Сообщение действий", - "Manage integrations": "Управление интеграциями", "Direct Messages": "Личные сообщения", "%(count)s sessions": { "other": "Сеансов: %(count)s", @@ -488,7 +344,6 @@ "%(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.": "Попросите этого пользователя подтвердить сеанс или подтвердите его вручную ниже.", "This backup is trusted because it has been restored on this session": "Эта резервная копия является доверенной, потому что она была восстановлена в этом сеансе", - "None": "Нет", "Verify by scanning": "Подтверждение сканированием", "Ask %(displayName)s to scan your code:": "Попросите %(displayName)s отсканировать ваш код:", "Verify by emoji": "Подтверждение с помощью смайлов", @@ -496,7 +351,6 @@ "Verify by comparing unique emoji.": "Подтверждение сравнением уникальных смайлов.", "Verify all users in a room to ensure it's secure.": "Подтвердите всех пользователей в комнате, чтобы обеспечить безопасность.", "You've successfully verified %(displayName)s!": "Вы успешно подтвердили %(displayName)s!", - "Bridges": "Мосты", "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.": "Вы подтвердили этого пользователя. Пользователь подтвердил все свои сеансы.", @@ -507,10 +361,6 @@ "Unencrypted": "Не зашифровано", "Encrypted by a deleted session": "Зашифровано удалённым сеансом", "Scroll to most recent messages": "Перейти к последним сообщениям", - "Close preview": "Закрыть предпросмотр", - " wants to chat": " хочет поговорить", - "Start chatting": "Начать беседу", - "Reject & Ignore user": "Отклонить и заигнорировать пользователя", "Failed to connect to integration manager": "Не удалось подключиться к менеджеру интеграций", "Local address": "Локальный адрес", "Published Addresses": "Публичные адреса", @@ -565,7 +415,6 @@ "Session key": "Ключ сеанса", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Чтобы сообщить о проблеме безопасности Matrix, пожалуйста, прочитайте Политику раскрытия информации Matrix.org.", "Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "Установить адрес этой комнаты, чтобы пользователи могли найти ее на вашем сервере (%(localDomain)s)", - "This room is bridging messages to the following platforms. Learn more.": "Эта комната пересылает сообщения с помощью моста на следующие платформы. Подробнее", "For extra security, verify this user by checking a one-time code on both of your devices.": "Для дополнительной безопасности подтвердите этого пользователя, сравнив одноразовый код на ваших устройствах.", "Start verification again from their profile.": "Начните подтверждение заново в профиле пользователя.", "Recent Conversations": "Недавние Диалоги", @@ -581,8 +430,6 @@ "Your homeserver has exceeded one of its resource limits.": "Ваш домашний сервер превысил один из своих лимитов ресурсов.", "Ok": "Хорошо", "Country Dropdown": "Выпадающий список стран", - "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Администратор вашего сервера отключил сквозное шифрование по умолчанию в приватных комнатах и диалогах.", - "Room options": "Настройки комнаты", "This room is public": "Это публичная комната", "Error creating address": "Ошибка при создании адреса", "You don't have permission to delete the address.": "У вас нет прав для удаления этого адреса.", @@ -603,7 +450,6 @@ "Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Напоминание: ваш браузер не поддерживается, возможны непредвиденные проблемы.", "IRC display name width": "Ширина отображаемого имени IRC", "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.": "Произошла ошибка при обновлении альтернативных адресов комнаты. Это может быть запрещено сервером или произошел временный сбой.", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "При создании этого адреса произошла ошибка. Это может быть запрещено сервером или произошел временный сбой.", "There was an error removing that address. It may no longer exist or a temporary error occurred.": "Произошла ошибка при удалении этого адреса. Возможно, он больше не существует или произошла временная ошибка.", @@ -665,27 +511,6 @@ "Switch theme": "Сменить тему", "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.": "Защитите себя от потери доступа к зашифрованным сообщениям и данным, создав резервные копии ключей шифрования на вашем сервере.", - "Generate a Security Key": "Создание ключа безопасности", - "Enter a Security Phrase": "Введите секретную фразу", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Используйте секретную фразу, известную только вам, и при необходимости сохраните ключ безопасности для резервного копирования.", - "Enter your account password to confirm the upgrade:": "Введите пароль своей учетной записи для подтверждения обновления:", - "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.": "Модернизируйте этот сеанс, чтобы через него можно было подтвердить другие сеансы, предоставляя им доступ к зашифрованным сообщениям и помечая их как доверенные для других пользователей.", - "Use a different passphrase?": "Использовать другую кодовую фразу?", - "Unable to query secret storage status": "Невозможно запросить состояние секретного хранилища", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Если вы отмените сейчас, вы можете потерять зашифрованные сообщения и данные, если потеряете доступ к своим логинам.", - "You can also set up Secure Backup & manage your keys in Settings.": "Вы также можете настроить безопасное резервное копирование и управлять своими ключами в настройках.", - "Upgrade your encryption": "Обновите свое шифрование", - "Set a Security Phrase": "Задайте секретную фразу", - "Confirm Security Phrase": "Подтвердите секретную фразу", - "Save your Security Key": "Сохраните свой ключ безопасности", - "Unable to set up secret storage": "Невозможно настроить секретное хранилище", - "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.": "Если вы сделали это по ошибке, вы можете настроить защищённые сообщения в этом сеансе, что снова зашифрует историю сообщений в этом сеансе с помощью нового метода восстановления.", - "Explore public rooms": "Просмотреть публичные комнаты", "Preparing to download logs": "Подготовка к загрузке журналов", "Information": "Информация", "Not encrypted": "Не зашифровано", @@ -712,8 +537,6 @@ "You can only pin up to %(count)s widgets": { "other": "Вы можете закрепить не более %(count)s виджетов" }, - "Show Widgets": "Показать виджеты", - "Hide Widgets": "Скрыть виджеты", "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": "Пригласить по электронной почте", @@ -979,10 +802,6 @@ "A call can only be transferred to a single user.": "Вызов может быть передан только одному пользователю.", "Open dial pad": "Открыть панель набора номера", "Dial pad": "Панель набора номера", - "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": "Разрешите этому виджету проверить ваш идентификатор", "If you've forgotten your Security Key you can ": "Если вы забыли свой ключ безопасности, вы можете ", "Access your secure message history and set up secure messaging by entering your Security Key.": "Получите доступ к своей истории защищенных сообщений и настройте безопасный обмен сообщениями, введя ключ безопасности.", @@ -1002,7 +821,6 @@ "Remember this": "Запомнить это", "The widget will verify your user ID, but won't be able to perform actions for you:": "Виджет проверит ваш идентификатор пользователя, но не сможет выполнять за вас действия:", "Set my room layout for everyone": "Установить мой макет комнаты для всех", - "Recently visited rooms": "Недавно посещённые комнаты", "%(count)s rooms": { "one": "%(count)s комната", "other": "%(count)s комнат" @@ -1024,31 +842,13 @@ "Space selection": "Выбор пространства", "Edit devices": "Редактировать сеансы", "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.": "Вы не сможете отменить это изменение, поскольку вы понижаете свои права, если вы являетесь последним привилегированным пользователем в пространстве, будет невозможно восстановить привилегии вбудущем.", - "Suggested Rooms": "Предлагаемые комнаты", - "Add existing room": "Добавить существующую комнату", - "Invite to this space": "Пригласить в это пространство", "Your message was sent": "Ваше сообщение было отправлено", "Leave space": "Покинуть пространство", "Create a space": "Создать пространство", - "Private space": "Приватное пространство", - "Public space": "Публичное пространство", " invites you": " пригласил(а) тебя", "You may want to try a different search or check for typos.": "Вы можете попробовать другой поиск или проверить опечатки.", "No results found": "Результаты не найдены", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Ваш %(brand)s не позволяет вам использовать для этого Менеджер Интеграции. Пожалуйста, свяжитесь с администратором.", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Менеджеры по интеграции получают данные конфигурации и могут изменять виджеты, отправлять приглашения в комнаты и устанавливать уровни доступа от вашего имени.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Используйте менеджер интеграций для управления ботами, виджетами и наклейками.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Используйте менеджер интеграций %(serverName)s для управления ботами, виджетами и наклейками.", - "Identity server (%(server)s)": "Идентификационный сервер (%(server)s)", - "Could not connect to identity server": "Не удалось подключиться к серверу идентификации", - "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.": "Введите секретную фразу второй раз, чтобы подтвердить ее.", - "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": "Искать имена и описания", "You can select all or individual messages to retry or delete": "Вы можете выбрать все или отдельные сообщения для повторной попытки или удаления", "Retry all": "Повторить все", @@ -1060,7 +860,6 @@ "Error downloading audio": "Ошибка загрузки аудио", "Unnamed audio": "Безымянное аудио", "Avatar": "Аватар", - "Add space": "Добавить пространство", "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.": "Делайте это только в том случае, если у вас нет другого устройства для завершения проверки.", "Reset everything": "Сбросить всё", @@ -1101,7 +900,6 @@ "Only people invited will be able to find and join this space.": "Только приглашенные люди смогут найти и присоединиться к этому пространству.", "Anyone will be able to find and join this space, not just members of .": "Любой сможет найти и присоединиться к этому пространству, а не только члены .", "Anyone in will be able to find and join.": "Любой человек в сможет найти и присоединиться.", - "Public room": "Публичная комната", "To leave the beta, visit your settings.": "Чтобы выйти из бета-версии, зайдите в настройки.", "Adding spaces has moved.": "Добавление пространств перемещено.", "Search for rooms": "Поиск комнат", @@ -1155,39 +953,23 @@ "We were unable to access your microphone. Please check your browser settings and try again.": "Мы не смогли получить доступ к вашему микрофону. Пожалуйста, проверьте настройки браузера и повторите попытку.", "Unable to access your microphone": "Не удалось получить доступ к микрофону", "View message": "Посмотреть сообщение", - "Show %(count)s other previews": { - "one": "Показать %(count)s другой предварительный просмотр", - "other": "Показать %(count)s других предварительных просмотров" - }, "Failed to send": "Не удалось отправить", - "Space information": "Информация о пространстве", - "You have no ignored users.": "У вас нет игнорируемых пользователей.", - "Address": "Адрес", "Rooms and spaces": "Комнаты и пространства", "Results": "Результаты", "Some encryption parameters have been changed.": "Некоторые параметры шифрования были изменены.", "Unknown failure: %(reason)s": "Неизвестная ошибка: %(reason)s", "No answer": "Нет ответа", "Role in ": "Роль в ", - "Unknown failure": "Неизвестная ошибка", - "Failed to update the join rules": "Не удалось обновить правила присоединения", "Leave some rooms": "Покинуть несколько комнат", "Leave all rooms": "Покинуть все комнаты", "Don't leave any rooms": "Не покидать ни одну комнату", "Would you like to leave the rooms in this space?": "Хотите ли вы покинуть комнаты в этом пространстве?", "You are about to leave .": "Вы собираетесь покинуть .", - "Message didn't send. Click for info.": "Сообщение не отправлено. Нажмите для получения информации.", "To join a space you'll need an invite.": "Чтобы присоединиться к пространству, вам нужно получить приглашение.", "MB": "Мб", "In reply to this message": "В ответ на это сообщение", "Export chat": "Экспорт чата", - "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.": "Сброс ключей проверки нельзя отменить. После сброса вы не сможете получить доступ к старым зашифрованным сообщениям, а друзья, которые ранее проверили вас, будут видеть предупреждения о безопасности, пока вы не пройдете повторную проверку.", "Skip verification for now": "Пока пропустить проверку", - "I'll verify later": "Я заверю позже", - "Verify with Security Key": "Заверить бумажным ключом", - "Verify with Security Key or Phrase": "Проверка с помощью ключа безопасности или фразы", - "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?": "Действительно сбросить ключи подтверждения?", "Ban from %(roomName)s": "Заблокировать в %(roomName)s", "Unban from %(roomName)s": "Разблокировать в %(roomName)s", @@ -1206,14 +988,7 @@ "View in room": "Просмотреть в комнате", "Enter your Security Phrase or to continue.": "Введите свою секретную фразу или для продолжения.", "Joined": "Присоединился", - "Insert link": "Вставить ссылку", - "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.": "Без проверки вы не сможете получить доступ ко всем своим сообщениям и можете показаться другим людям недоверенным.", - "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.": "Ваш новый сеанс заверен. Он имеет доступ к вашим зашифрованным сообщениям, и другие пользователи будут видеть его как заверенный.", - "Verify with another device": "Сверить с другим сеансом", "Device verified": "Сеанс заверен", "Verify this device": "Заверьте этот сеанс", "Unable to verify this device": "Невозможно заверить этот сеанс", @@ -1290,26 +1065,9 @@ "Yours, or the other users' internet connection": "Ваше интернет-соединение или соединение других пользователей", "The homeserver the user you're verifying is connected to": "Домашний сервер пользователя, которого вы подтверждаете", "To proceed, please accept the verification request on your other device.": "Чтобы продолжить, пожалуйста, примите запрос на сверку в другом сеансе.", - "You were removed from %(roomName)s by %(memberName)s": "%(memberName)s удалил(а) вас из %(roomName)s", - "Home options": "Параметры раздела \"Главная\"", - "%(spaceName)s menu": "Меню %(spaceName)s", - "Join public room": "Присоединиться к публичной комнате", - "Add people": "Добавить людей", - "Invite to space": "Пригласить в пространство", - "Start new chat": "Начать ЛС", "Recently viewed": "Недавно просмотренные", - "Poll": "Опрос", - "You do not have permission to start polls in this room.": "У вас нет разрешения начинать опросы в этой комнате.", - "Voice Message": "Голосовое сообщение", - "Hide stickers": "Скрыть наклейки", "Copy link to thread": "Копировать ссылку на обсуждение", "From a thread": "Из обсуждения", - "You won't get any notifications": "Вы не будете получать никаких уведомлений", - "Get notified only with mentions and keywords as set up in your settings": "Получать уведомления только по упоминаниям и ключевым словам, установленным в ваших настройках", - "@mentions & keywords": "@упоминания и ключевые слова", - "Get notified for every message": "Получать уведомление о каждом сообщении", - "Get notifications as set up in your settings": "Получать уведомления в соответствии с настройками", - "This room isn't bridging messages to any platforms. Learn more.": "Эта комната не передаёт сообщения на какие-либо платформы Узнать больше.", "Developer": "Разработка", "Experimental": "Экспериментально", "Themes": "Темы", @@ -1340,27 +1098,9 @@ "Open thread": "Открыть ветку", "%(space1Name)s and %(space2Name)s": "%(space1Name)s и %(space2Name)s", "Explore public spaces in the new search dialog": "Исследуйте публичные пространства в новом диалоговом окне поиска", - "You were banned by %(memberName)s": "%(memberName)s заблокировал(а) вас", - "Something went wrong with your invite.": "С приглашением произошла какая-то ошибка.", - "You were removed by %(memberName)s": "%(memberName)s исключил(а) вас", - "Forget this space": "Забыть это пространство", - "Loading preview": "Загрузка предпросмотра", - "Currently removing messages in %(count)s rooms": { - "one": "Удаляются сообщения в %(count)s комнате", - "other": "Удаляются сообщения в %(count)s комнатах" - }, - "New video room": "Новая видеокомната", - "New room": "Новая комната", - "Private room": "Приватная комната", - "Video room": "Видеокомната", - "Read receipts": "Отчёты о прочтении", "%(members)s and %(last)s": "%(members)s и %(last)s", "%(members)s and more": "%(members)s и многие другие", - "Deactivating your account is a permanent action — be careful!": "Деактивация вашей учётной записи является необратимым действием — будьте осторожны!", - "Your password was successfully changed.": "Ваш пароль успешно изменён.", "Remove from space": "Исключить из пространства", - "This room or space is not accessible at this time.": "Эта комната или пространство в данный момент недоступны.", - "This room or space does not exist.": "Такой комнаты или пространства не существует.", "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.": "Вы вышли из всех устройств и больше не будете получать push-уведомления. Для повторного включения уведомлений снова войдите на каждом устройстве.", "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.": "При выходе из устройств удаляются хранящиеся на них ключи шифрования сообщений, что сделает зашифрованную историю чатов нечитаемой.", @@ -1431,23 +1171,7 @@ "one": "1 участник", "other": "%(count)s участников" }, - "Joining…": "Присоединение…", "Show Labs settings": "Показать настройки лаборатории", - "To join, please enable video rooms in Labs first": "Чтобы присоединиться, сначала включите видеокомнаты в лаборатории", - "To view, please enable video rooms in Labs first": "Для просмотра сначала включите видеокомнаты в лаборатории", - "To view %(roomName)s, you need an invite": "Для просмотра %(roomName)s необходимо приглашение", - "%(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. Если вы думаете, что вы видите это сообщение по ошибке, пожалуйста, отправьте отчет об ошибке.", - "Try again later, or ask a room or space admin to check if you have access.": "Повторите попытку позже или попросите администратора комнаты или пространства проверить, есть ли у вас доступ.", - "Are you sure you're at the right place?": "Вы уверены, что находитесь в нужном месте?", - "There's no preview, would you like to join?": "Предварительного просмотра нет, хотите присоединиться?", - "This invite was sent to %(email)s": "Это приглашение было отправлено на %(email)s", - "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). Вы можете попытаться передать эту информацию пригласившему вас лицу.", - "Seen by %(count)s people": { - "one": "Просмотрел %(count)s человек", - "other": "Просмотрели %(count)s людей" - }, "Live location ended": "Трансляция местоположения завершена", "View live location": "Посмотреть трансляцию местоположения", "Live location enabled": "Трансляция местоположения включена", @@ -1459,7 +1183,6 @@ "Who will you chat to the most?": "С кем вы будете общаться чаще всего?", "Saved Items": "Сохранённые объекты", "We'll help you get connected.": "Мы поможем вам подключиться.", - "Join the room to participate": "Присоединяйтесь к комнате для участия", "We're creating a room with %(names)s": "Мы создаем комнату с %(names)s", "Online community members": "Участники сообщества в сети", "You're in": "Вы в", @@ -1469,19 +1192,8 @@ "Manually verify by text": "Ручная сверка по тексту", "Interactively verify by emoji": "Интерактивная сверка по смайлам", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s или %(recoveryFile)s", - "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s или %(copyButton)s", - "Failed to set pusher state": "Не удалось установить состояние push-службы", "Room info": "О комнате", - "Video call (Jitsi)": "Видеозвонок (Jitsi)", - "View chat timeline": "Посмотреть ленту сообщений", - "Video call (%(brand)s)": "Видеозвонок (%(brand)s)", - "Send email": "Отправить электронное письмо", "The homeserver doesn't support signing in another device.": "Домашний сервер не поддерживает вход с другого устройства.", - "Connection": "Соединение", - "Voice processing": "Обработка голоса", - "Automatically adjust the microphone volume": "Автоматически подстроить громкость микрофона", - "Voice settings": "Настройки голоса", - "Video settings": "Настройки видео", "Check that the code below matches with your other device:": "Проверьте, чтобы код ниже совпадал с тем, что показан на другом устройстве:", "An unexpected error occurred.": "Произошла неожиданная ошибка.", "The request was cancelled.": "Запрос был отменён.", @@ -1493,25 +1205,16 @@ "Error starting verification": "Ошибка при запуске подтверждения", "Text": "Текст", "Create a link": "Создать ссылку", - "Close call": "Закрыть звонок", - "Change layout": "Изменить расположение", - "Spotlight": "Освещение", - "Freedom": "Свободное", - "Show formatting": "Показать форматирование", - "Hide formatting": "Скрыть форматирование", "This message could not be decrypted": "Это сообщение не удалось расшифровать", " in %(room)s": " в %(room)s", - "Call type": "Тип звонка", "Poll history": "Опросы", "Active polls": "Активные опросы", - "Formatting": "Форматирование", "Edit link": "Изменить ссылку", "There are no active polls in this room": "В этой комнате нет активных опросов", "View poll in timeline": "Посмотреть опрос в ленте сообщений", "Message in %(room)s": "Сообщение в %(room)s", "Message from %(user)s": "Сообщение от %(user)s", "Sign out of all devices": "Выйти из всех сеансов", - "Set a new account password…": "Установите новый пароль…", "common": { "about": "О комнате", "analytics": "Аналитика", @@ -1615,7 +1318,18 @@ "general": "Общие", "profile": "Профиль", "display_name": "Отображаемое имя", - "user_avatar": "Аватар" + "user_avatar": "Аватар", + "authentication": "Аутентификация", + "public_room": "Публичная комната", + "video_room": "Видеокомната", + "public_space": "Публичное пространство", + "private_space": "Приватное пространство", + "private_room": "Приватная комната", + "rooms": "Комнаты", + "low_priority": "Маловажные", + "historical": "Архив", + "go_to_settings": "Перейти в настройки", + "setup_secure_messages": "Настроить безопасные сообщения" }, "action": { "continue": "Продолжить", @@ -1719,7 +1433,16 @@ "unban": "Разблокировать", "click_to_copy": "Нажмите, чтобы скопировать", "hide_advanced": "Скрыть дополнительные настройки", - "show_advanced": "Показать дополнительные настройки" + "show_advanced": "Показать дополнительные настройки", + "unignore": "Перестать игнорировать", + "start_new_chat": "Начать ЛС", + "invite_to_space": "Пригласить в пространство", + "add_people": "Добавить людей", + "explore_rooms": "Обзор комнат", + "new_room": "Новая комната", + "new_video_room": "Новая видеокомната", + "add_existing_room": "Добавить существующую комнату", + "explore_public_rooms": "Просмотреть публичные комнаты" }, "a11y": { "user_menu": "Меню пользователя", @@ -1732,7 +1455,8 @@ "one": "1 непрочитанное сообщение." }, "unread_messages": "Непрочитанные сообщения.", - "jump_first_invite": "Перейти к первому приглашению." + "jump_first_invite": "Перейти к первому приглашению.", + "room_name": "Комната %(name)s" }, "labs": { "video_rooms": "Видеокомнаты", @@ -1894,7 +1618,22 @@ "space_a11y": "Автозаполнение пространства", "user_description": "Пользователи", "user_a11y": "Автозаполнение пользователя" - } + }, + "room_upgraded_link": "Разговор продолжается здесь.", + "room_upgraded_notice": "Эта комната заменена и более неактивна.", + "no_perms_notice": "Вы не можете писать в эту комнату", + "send_button_voice_message": "Отправить голосовое сообщение", + "close_sticker_picker": "Скрыть наклейки", + "voice_message_button": "Голосовое сообщение", + "poll_button_no_perms_title": "Требуется разрешение", + "poll_button_no_perms_description": "У вас нет разрешения начинать опросы в этой комнате.", + "poll_button": "Опрос", + "mode_plain": "Скрыть форматирование", + "mode_rich_text": "Показать форматирование", + "formatting_toolbar_label": "Форматирование", + "format_italics": "Курсив", + "format_insert_link": "Вставить ссылку", + "replying_title": "Отвечает" }, "Link": "Ссылка", "Code": "Код", @@ -2104,7 +1843,19 @@ "allow_p2p_description": "Когда включено, другой пользователь сможет видеть ваш IP-адрес", "echo_cancellation": "Эхоподавление", "noise_suppression": "Подавление шума", - "enable_fallback_ice_server_description": "Только применяется, когда у домашнего сервера нет своего TURN-сервера. Ваш IP-адрес будет виден на время звонка." + "enable_fallback_ice_server_description": "Только применяется, когда у домашнего сервера нет своего TURN-сервера. Ваш IP-адрес будет виден на время звонка.", + "missing_permissions_prompt": "Отсутствуют разрешения для доступа к камере/микрофону. Нажмите кнопку ниже, чтобы запросить их.", + "request_permissions": "Запросить доступ к медиа устройству", + "audio_output": "Аудиовыход", + "audio_output_empty": "Аудиовыход не обнаружен", + "audio_input_empty": "Микрофоны не обнаружены", + "video_input_empty": "Веб-камера не обнаружена", + "title": "Голос и видео", + "voice_section": "Настройки голоса", + "voice_agc": "Автоматически подстроить громкость микрофона", + "video_section": "Настройки видео", + "voice_processing": "Обработка голоса", + "connection_section": "Соединение" }, "send_read_receipts_unsupported": "Ваш сервер не поддерживает отключение отправки уведомлений о прочтении.", "security": { @@ -2175,7 +1926,11 @@ "key_backup_connect": "Подключить этот сеанс к резервированию ключей", "key_backup_complete": "Все ключи сохранены", "key_backup_algorithm": "Алгоритм:", - "key_backup_inactive_warning": "Ваши ключи не резервируются с этом сеансе." + "key_backup_inactive_warning": "Ваши ключи не резервируются с этом сеансе.", + "key_backup_active_version_none": "Нет", + "ignore_users_empty": "У вас нет игнорируемых пользователей.", + "ignore_users_section": "Игнорируемые пользователи", + "e2ee_default_disabled_warning": "Администратор вашего сервера отключил сквозное шифрование по умолчанию в приватных комнатах и диалогах." }, "preferences": { "room_list_heading": "Список комнат", @@ -2292,7 +2047,8 @@ "one": "Вы уверены, что хотите выйти из %(count)s сеанса?", "other": "Вы уверены, что хотите выйти из %(count)s сеансов?" }, - "other_sessions_subsection_description": "Для лучшей безопасности заверьте свои сеансы и выйдите из тех, которые более не признаёте или не используете." + "other_sessions_subsection_description": "Для лучшей безопасности заверьте свои сеансы и выйдите из тех, которые более не признаёте или не используете.", + "error_pusher_state": "Не удалось установить состояние push-службы" }, "general": { "account_section": "Учётная запись", @@ -2310,7 +2066,42 @@ "add_msisdn_dialog_title": "Добавить номер телефона", "name_placeholder": "Нет отображаемого имени", "error_saving_profile_title": "Не удалось сохранить ваш профиль", - "error_saving_profile": "Операция не может быть выполнена" + "error_saving_profile": "Операция не может быть выполнена", + "error_password_change_403": "Не удалось сменить пароль. Вы правильно ввели текущий пароль?", + "password_change_success": "Ваш пароль успешно изменён.", + "emails_heading": "Адреса электронной почты", + "msisdns_heading": "Телефонные номера", + "password_change_section": "Установите новый пароль…", + "discovery_needs_terms": "Подтвердите условия предоставления услуг сервера идентификации (%(serverName)s), чтобы вас можно было обнаружить по адресу электронной почты или номеру телефона.", + "deactivate_section": "Деактивировать учётную запись", + "account_management_section": "Управление учётной записью", + "deactivate_warning": "Деактивация вашей учётной записи является необратимым действием — будьте осторожны!", + "discovery_section": "Обнаружение", + "error_revoke_email_discovery": "Не удается отменить общий доступ к адресу электронной почты", + "error_share_email_discovery": "Невозможно поделиться адресом электронной почты", + "email_not_verified": "Ваш адрес электронной почты еще не проверен", + "email_verification_instructions": "Нажмите на ссылку в электронном письме, которое вы получили, чтобы подтвердить, и затем нажмите продолжить снова.", + "error_email_verification": "Не удалось проверить email.", + "discovery_email_verification_instructions": "Проверьте ссылку в вашем почтовом ящике(папка \"Входящие\")", + "discovery_email_empty": "Параметры поиска по электронной почты появятся после добавления её выше.", + "error_revoke_msisdn_discovery": "Не удалось отменить общий доступ к номеру телефона", + "error_share_msisdn_discovery": "Не удается предоставить общий доступ к номеру телефона", + "error_msisdn_verification": "Невозможно проверить номер телефона.", + "incorrect_msisdn_verification": "Неверный код подтверждения", + "msisdn_verification_instructions": "Пожалуйста, введите проверочный код, высланный с помощью текста.", + "msisdn_verification_field_label": "Код подтверждения", + "discovery_msisdn_empty": "Параметры поиска по номеру телефона появятся после его добавления.", + "error_set_name": "Не удалось задать отображаемое имя", + "error_remove_3pid": "Не удалось удалить контактную информацию", + "remove_email_prompt": "Удалить %(email)s?", + "error_invalid_email": "Недопустимый email", + "error_invalid_email_detail": "Похоже, это недействительный адрес email", + "error_add_email": "Не удается добавить email", + "add_email_instructions": "Мы отправили вам сообщение для подтверждения адреса электронной почты. Пожалуйста, следуйте указаниям в сообщении, после чего нажмите кнопку ниже.", + "email_address_label": "Адрес электронной почты", + "remove_msisdn_prompt": "Удалить %(phone)s?", + "add_msisdn_instructions": "Текстовое сообщение было отправлено +%(msisdn)s. Пожалуйста, введите проверочный код, который он содержит.", + "msisdn_label": "Номер телефона" }, "sidebar": { "title": "Боковая панель", @@ -2323,6 +2114,52 @@ "metaspaces_orphans_description": "Сгруппируйте все комнаты, которые не являются частью пространства, в одном месте.", "metaspaces_home_all_rooms_description": "Показать все комнаты на Главной, даже если они находятся в пространстве.", "metaspaces_home_all_rooms": "Показать все комнаты" + }, + "key_backup": { + "backup_in_progress": "Выполняется резервная копия ключей (первый раз это может занять несколько минут).", + "backup_success": "Успешно!", + "create_title": "Создать резервную копию ключа", + "cannot_create_backup": "Невозможно создать резервную копию ключа", + "setup_secure_backup": { + "generate_security_key_title": "Создание ключа безопасности", + "generate_security_key_description": "Мы создадим ключ безопасности для вас, чтобы вы могли хранить его в надежном месте, например, в менеджере паролей или сейфе.", + "enter_phrase_title": "Введите секретную фразу", + "description": "Защитите себя от потери доступа к зашифрованным сообщениям и данным, создав резервные копии ключей шифрования на вашем сервере.", + "requires_password_confirmation": "Введите пароль своей учетной записи для подтверждения обновления:", + "requires_key_restore": "Восстановите резервную копию ключа для обновления шифрования", + "requires_server_authentication": "Вам нужно будет пройти аутентификацию на сервере,чтобы подтвердить обновление.", + "session_upgrade_description": "Модернизируйте этот сеанс, чтобы через него можно было подтвердить другие сеансы, предоставляя им доступ к зашифрованным сообщениям и помечая их как доверенные для других пользователей.", + "phrase_strong_enough": "Отлично! Эта контрольная фраза выглядит достаточно сильной.", + "pass_phrase_match_success": "Они совпадают!", + "use_different_passphrase": "Использовать другую кодовую фразу?", + "pass_phrase_match_failed": "Они не совпадают.", + "set_phrase_again": "Задать другой пароль.", + "enter_phrase_to_confirm": "Введите секретную фразу второй раз, чтобы подтвердить ее.", + "confirm_security_phrase": "Подтвердите секретную фразу", + "security_key_safety_reminder": "Храните ключ безопасности в надежном месте, например в менеджере паролей или сейфе, так как он используется для защиты ваших зашифрованных данных.", + "download_or_copy": "%(downloadButton)s или %(copyButton)s", + "secret_storage_query_failure": "Невозможно запросить состояние секретного хранилища", + "cancel_warning": "Если вы отмените сейчас, вы можете потерять зашифрованные сообщения и данные, если потеряете доступ к своим логинам.", + "settings_reminder": "Вы также можете настроить безопасное резервное копирование и управлять своими ключами в настройках.", + "title_upgrade_encryption": "Обновите свое шифрование", + "title_set_phrase": "Задайте секретную фразу", + "title_confirm_phrase": "Подтвердите секретную фразу", + "title_save_key": "Сохраните свой ключ безопасности", + "unable_to_setup": "Невозможно настроить секретное хранилище", + "use_phrase_only_you_know": "Используйте секретную фразу, известную только вам, и при необходимости сохраните ключ безопасности для резервного копирования." + } + }, + "key_export_import": { + "export_title": "Экспорт ключей комнаты", + "export_description_1": "Этот процесс позволяет вам экспортировать ключи для сообщений, которые вы получили в комнатах с шифрованием, в локальный файл. Вы сможете импортировать эти ключи в другой клиент Matrix чтобы расшифровать эти сообщения.", + "enter_passphrase": "Введите мнемоническую фразу", + "confirm_passphrase": "Подтвердите мнемоническую фразу", + "phrase_cannot_be_empty": "Мнемоническая фраза не может быть пустой", + "phrase_must_match": "Мнемонические фразы должны совпадать", + "import_title": "Импорт ключей комнаты", + "import_description_1": "Этот процесс позволит вам импортировать ключи шифрования, которые вы экспортировали ранее из клиента Matrix. Это позволит вам расшифровать историю чата.", + "import_description_2": "Файл экспорта будет защищен кодовой фразой. Для расшифровки файла необходимо будет её ввести.", + "file_to_import": "Файл для импорта" } }, "devtools": { @@ -2789,7 +2626,19 @@ "collapse_reply_thread": "Свернуть ответы обсуждения", "view_related_event": "Посмотреть связанное событие", "report": "Сообщить" - } + }, + "url_preview": { + "show_n_more": { + "one": "Показать %(count)s другой предварительный просмотр", + "other": "Показать %(count)s других предварительных просмотров" + }, + "close": "Закрыть предпросмотр" + }, + "read_receipt_title": { + "one": "Просмотрел %(count)s человек", + "other": "Просмотрели %(count)s людей" + }, + "read_receipts_label": "Отчёты о прочтении" }, "slash_command": { "spoiler": "Отправить данное сообщение под спойлером", @@ -3042,7 +2891,14 @@ "permissions_section": "Права доступа", "permissions_section_description_space": "Выберите роли, необходимые для изменения различных частей пространства", "permissions_section_description_room": "Выберите роль, которая может изменять различные части комнаты", - "add_privileged_user_filter_placeholder": "Поиск пользователей в этой комнате…" + "add_privileged_user_filter_placeholder": "Поиск пользователей в этой комнате…", + "error_unbanning": "Не удалось разблокировать", + "banned_by": "Заблокирован(а) %(displayName)s", + "ban_reason": "Причина", + "error_changing_pl_reqs_title": "Ошибка изменения требования к уровню прав", + "error_changing_pl_reqs_description": "Произошла ошибка при изменении требований к уровню доступа комнаты. Убедитесь, что у вас достаточно прав и попробуйте снова.", + "error_changing_pl_title": "Ошибка изменения уровня прав", + "error_changing_pl_description": "Произошла ошибка при изменении уровня прав пользователя. Убедитесь, что у вас достаточно прав и попробуйте снова." }, "security": { "strict_encryption": "Никогда не отправлять зашифрованные сообщения непроверенным сеансам в этой комнате и через этот сеанс", @@ -3094,7 +2950,9 @@ "join_rule_upgrade_updating_spaces": { "one": "Обновление пространства…", "other": "Обновление пространств... (%(progress)s из %(count)s)" - } + }, + "error_join_rule_change_title": "Не удалось обновить правила присоединения", + "error_join_rule_change_unknown": "Неизвестная ошибка" }, "general": { "publish_toggle": "Опубликовать эту комнату в каталоге комнат %(domain)s?", @@ -3108,7 +2966,9 @@ "error_save_space_settings": "Не удалось сохранить настройки пространства.", "description_space": "Редактировать настройки, относящиеся к вашему пространству.", "save": "Сохранить изменения", - "leave_space": "Покинуть пространство" + "leave_space": "Покинуть пространство", + "aliases_section": "Адреса комнаты", + "other_section": "Другие" }, "advanced": { "unfederated": "Это комната недоступна из других серверов Matrix", @@ -3118,7 +2978,9 @@ "room_predecessor": "Просмотр старых сообщений в %(roomName)s.", "room_id": "Внутренний ID комнаты", "room_version_section": "Версия комнаты", - "room_version": "Версия комнаты:" + "room_version": "Версия комнаты:", + "information_section_space": "Информация о пространстве", + "information_section_room": "Информация о комнате" }, "delete_avatar_label": "Удалить аватар", "upload_avatar_label": "Загрузить аватар", @@ -3132,11 +2994,28 @@ "history_visibility_anyone_space": "Предварительный просмотр пространства", "history_visibility_anyone_space_description": "Дайте людям возможность предварительно ознакомиться с вашим пространством, прежде чем они присоединятся к нему.", "history_visibility_anyone_space_recommendation": "Рекомендуется для публичных пространств.", - "guest_access_label": "Включить гостевой доступ" + "guest_access_label": "Включить гостевой доступ", + "alias_section": "Адрес" }, "access": { "title": "Доступ", "description_space": "Определите, кто может просматривать и присоединяться к %(spaceName)s." + }, + "bridges": { + "description": "Эта комната пересылает сообщения с помощью моста на следующие платформы. Подробнее", + "empty": "Эта комната не передаёт сообщения на какие-либо платформы Узнать больше.", + "title": "Мосты" + }, + "notifications": { + "uploaded_sound": "Загруженный звук", + "settings_link": "Получать уведомления в соответствии с настройками", + "sounds_section": "Звук", + "notification_sound": "Звук уведомления", + "custom_sound_prompt": "Установка нового пользовательского звука", + "browse_button": "Просматривать" + }, + "voip": { + "call_type_section": "Тип звонка" } }, "encryption": { @@ -3169,7 +3048,18 @@ "unverified_sessions_toast_reject": "Позже", "unverified_session_toast_title": "Новый вход в вашу учётную запись. Это были Вы?", "unverified_session_toast_accept": "Да, это я", - "request_toast_detail": "%(deviceId)s с %(ip)s" + "request_toast_detail": "%(deviceId)s с %(ip)s", + "no_key_or_device": "Похоже, у вас нет бумажного ключа, или других сеансов, с которыми вы могли бы свериться. В этом сеансе вы не сможете получить доступ к старым зашифрованным сообщениям. Чтобы подтвердить свою личность в этом сеансе, вам нужно будет сбросить свои ключи шифрования.", + "reset_proceed_prompt": "Выполнить сброс", + "verify_using_key_or_phrase": "Проверка с помощью ключа безопасности или фразы", + "verify_using_key": "Заверить бумажным ключом", + "verify_using_device": "Сверить с другим сеансом", + "verification_description": "Подтвердите свою личность, чтобы получить доступ к зашифрованным сообщениям и доказать свою личность другим.", + "verification_success_with_backup": "Ваш новый сеанс заверен. Он имеет доступ к вашим зашифрованным сообщениям, и другие пользователи будут видеть его как заверенный.", + "verification_success_without_backup": "Ваш новый сеанс заверен. Другие пользователи будут видеть его как заверенный.", + "verification_skip_warning": "Без проверки вы не сможете получить доступ ко всем своим сообщениям и можете показаться другим людям недоверенным.", + "verify_later": "Я заверю позже", + "verify_reset_warning_1": "Сброс ключей проверки нельзя отменить. После сброса вы не сможете получить доступ к старым зашифрованным сообщениям, а друзья, которые ранее проверили вас, будут видеть предупреждения о безопасности, пока вы не пройдете повторную проверку." }, "old_version_detected_title": "Обнаружены старые криптографические данные", "old_version_detected_description": "Обнаружены данные из более старой версии %(brand)s. Это приведет к сбою криптографии в более ранней версии. В этой версии не могут быть расшифрованы сообщения, которые использовались недавно при использовании старой версии. Это также может привести к сбою обмена сообщениями с этой версией. Если возникают неполадки, выйдите и снова войдите в систему. Чтобы сохранить журнал сообщений, экспортируйте и повторно импортируйте ключи.", @@ -3190,7 +3080,19 @@ "cross_signing_ready_no_backup": "Кросс-подпись готова, но ключи не резервируются.", "cross_signing_untrusted": "У вашей учётной записи есть кросс-подпись в секретное хранилище, но она пока не является доверенной в этом сеансе.", "cross_signing_not_ready": "Кросс-подпись не настроена.", - "not_supported": "<не поддерживается>" + "not_supported": "<не поддерживается>", + "new_recovery_method_detected": { + "title": "Новый метод восстановления", + "description_1": "Обнаружены новая секретная фраза и ключ безопасности для защищенных сообщений.", + "description_2": "Этот сеанс шифрует историю с помощью нового метода восстановления.", + "warning": "Если вы не задали новый способ восстановления, злоумышленник может получить доступ к вашей учётной записи. Смените пароль учётной записи и сразу же задайте новый способ восстановления в настройках." + }, + "recovery_method_removed": { + "title": "Метод восстановления удален", + "description_1": "Этот сеанс обнаружил, что ваши секретная фраза и ключ безопасности для защищенных сообщений были удалены.", + "description_2": "Если вы сделали это по ошибке, вы можете настроить защищённые сообщения в этом сеансе, что снова зашифрует историю сообщений в этом сеансе с помощью нового метода восстановления.", + "warning": "Если вы не убрали метод восстановления, злоумышленник может получить доступ к вашей учётной записи. Смените пароль учётной записи и сразу задайте новый способ восстановления в настройках." + } }, "emoji": { "category_frequently_used": "Часто используемые", @@ -3352,7 +3254,10 @@ "autodiscovery_unexpected_error_hs": "Неожиданная ошибка в настройках домашнего сервера", "autodiscovery_unexpected_error_is": "Неопределённая ошибка при разборе параметра сервера идентификации", "incorrect_credentials_detail": "Обратите внимание, что вы заходите на сервер %(hs)s, а не на matrix.org.", - "create_account_title": "Создать учётную запись" + "create_account_title": "Создать учётную запись", + "failed_soft_logout_homeserver": "Ошибка повторной аутентификации из-за проблем на сервере", + "soft_logout_subheading": "Очистить персональные данные", + "forgot_password_send_email": "Отправить электронное письмо" }, "room_list": { "sort_unread_first": "Комнаты с непрочитанными сообщениями в начале", @@ -3369,7 +3274,23 @@ "notification_options": "Настройки уведомлений", "failed_set_dm_tag": "Не удалось установить метку личного сообщения", "failed_remove_tag": "Не удалось удалить тег %(tagName)s из комнаты", - "failed_add_tag": "Не удалось добавить тег %(tagName)s в комнату" + "failed_add_tag": "Не удалось добавить тег %(tagName)s в комнату", + "breadcrumbs_label": "Недавно посещённые комнаты", + "breadcrumbs_empty": "Нет недавно посещенных комнат", + "add_room_label": "Добавить комнату", + "suggested_rooms_heading": "Предлагаемые комнаты", + "add_space_label": "Добавить пространство", + "join_public_room_label": "Присоединиться к публичной комнате", + "joining_rooms_status": { + "one": "Сейчас вы состоите в %(count)s комнате", + "other": "Сейчас вы состоите в %(count)s комнатах" + }, + "redacting_messages_status": { + "one": "Удаляются сообщения в %(count)s комнате", + "other": "Удаляются сообщения в %(count)s комнатах" + }, + "space_menu_label": "Меню %(spaceName)s", + "home_menu_label": "Параметры раздела \"Главная\"" }, "report_content": { "missing_reason": "Пожалуйста, заполните, почему вы сообщаете.", @@ -3611,7 +3532,8 @@ "search_children": "Поиск %(spaceName)s", "invite_link": "Поделиться ссылкой на приглашение", "invite": "Пригласить людей", - "invite_description": "Пригласить по электронной почте или имени пользователя" + "invite_description": "Пригласить по электронной почте или имени пользователя", + "invite_this_space": "Пригласить в это пространство" }, "location_sharing": { "MapStyleUrlNotConfigured": "Этот домашний сервер не настроен на отображение карт.", @@ -3665,7 +3587,8 @@ "lists_heading": "Подписанные списки", "lists_description_1": "При подписке на список блокировки вы присоединитесь к нему!", "lists_description_2": "Если вас это не устраивает, попробуйте другой инструмент для игнорирования пользователей.", - "lists_new_label": "ID комнаты или адрес списка блокировок" + "lists_new_label": "ID комнаты или адрес списка блокировок", + "rules_empty": "Нет" }, "create_space": { "name_required": "Пожалуйста, введите название пространства", @@ -3758,8 +3681,68 @@ "copy_link": "Скопировать ссылку на комнату", "low_priority": "Маловажные", "forget": "Забыть комнату", - "mark_read": "Отметить как прочитанное" - } + "mark_read": "Отметить как прочитанное", + "title": "Настройки комнаты" + }, + "invite_this_room": "Пригласить в комнату", + "header": { + "video_call_button_jitsi": "Видеозвонок (Jitsi)", + "video_call_button_ec": "Видеозвонок (%(brand)s)", + "video_call_ec_layout_freedom": "Свободное", + "video_call_ec_layout_spotlight": "Освещение", + "video_call_ec_change_layout": "Изменить расположение", + "forget_room_button": "Забыть комнату", + "hide_widgets_button": "Скрыть виджеты", + "show_widgets_button": "Показать виджеты", + "close_call_button": "Закрыть звонок", + "video_room_view_chat_button": "Посмотреть ленту сообщений" + }, + "joining": "Присоединение…", + "join_title": "Присоединяйтесь к комнате для участия", + "join_title_account": "Присоединиться к разговору с учётной записью", + "join_button_account": "Зарегистрироваться", + "loading_preview": "Загрузка предпросмотра", + "kicked_from_room_by": "%(memberName)s удалил(а) вас из %(roomName)s", + "kicked_by": "%(memberName)s исключил(а) вас", + "kick_reason": "Причина: %(reason)s", + "forget_space": "Забыть это пространство", + "forget_room": "Забыть эту комнату", + "rejoin_button": "Пере-присоединение", + "banned_from_room_by": "Вы были забанены %(memberName)s с %(roomName)s", + "banned_by": "%(memberName)s заблокировал(а) вас", + "3pid_invite_error_title_room": "Что-то пошло не так с вашим приглашением в %(roomName)s", + "3pid_invite_error_title": "С приглашением произошла какая-то ошибка.", + "3pid_invite_error_description": "При попытке проверить ваше приглашение была возвращена ошибка (%(errcode)s). Вы можете попытаться передать эту информацию пригласившему вас лицу.", + "3pid_invite_error_invite_subtitle": "Вы можете присоединиться к ней только с рабочим приглашением.", + "3pid_invite_error_invite_action": "Постарайся присоединиться в любом случае", + "3pid_invite_error_public_subtitle": "Вы всё ещё можете присоединиться сюда.", + "join_the_discussion": "Войти в комнату", + "3pid_invite_email_not_found_account_room": "Приглашение в %(roomName)s было отправлено на %(email)s, но этот адрес не связан с вашей учётной записью", + "3pid_invite_email_not_found_account": "Это приглашение отправлено на %(email)s, которая не связана с вашей учетной записью", + "link_email_to_receive_3pid_invite": "Свяжите этот адрес с вашей учетной записью в настройках, чтобы получать приглашения непосредственно в %(brand)s.", + "invite_sent_to_email_room": "Это приглашение в %(roomName)s было отправлено на %(email)s", + "invite_sent_to_email": "Это приглашение было отправлено на %(email)s", + "3pid_invite_no_is_subtitle": "Используйте сервер идентификации в Настройках для получения приглашений непосредственно в %(brand)s.", + "invite_email_mismatch_suggestion": "Введите адрес эл.почты в Настройках, чтобы получать приглашения прямо в %(brand)s.", + "dm_invite_title": "Хотите пообщаться с %(user)s?", + "dm_invite_subtitle": " хочет поговорить", + "dm_invite_action": "Начать беседу", + "invite_title": "Хотите присоединиться к %(roomName)s?", + "invite_subtitle": " пригласил(а) вас", + "invite_reject_ignore": "Отклонить и заигнорировать пользователя", + "peek_join_prompt": "Вы просматриваете %(roomName)s. Хотите присоединиться?", + "no_peek_join_prompt": "%(roomName)s не может быть предварительно просмотрена. Вы хотите присоединиться к ней?", + "no_peek_no_name_join_prompt": "Предварительного просмотра нет, хотите присоединиться?", + "not_found_title_name": "%(roomName)s не существует.", + "not_found_title": "Такой комнаты или пространства не существует.", + "not_found_subtitle": "Вы уверены, что находитесь в нужном месте?", + "inaccessible_name": "%(roomName)s на данный момент недоступна.", + "inaccessible": "Эта комната или пространство в данный момент недоступны.", + "inaccessible_subtitle_1": "Повторите попытку позже или попросите администратора комнаты или пространства проверить, есть ли у вас доступ.", + "inaccessible_subtitle_2": "При попытке получить доступ к комнате или пространству была возвращена ошибка %(errcode)s. Если вы думаете, что вы видите это сообщение по ошибке, пожалуйста, отправьте отчет об ошибке.", + "join_failed_needs_invite": "Для просмотра %(roomName)s необходимо приглашение", + "view_failed_enable_video_rooms": "Для просмотра сначала включите видеокомнаты в лаборатории", + "join_failed_enable_video_rooms": "Чтобы присоединиться, сначала включите видеокомнаты в лаборатории" }, "file_panel": { "guest_note": "Вы должны зарегистрироваться, чтобы использовать эту функцию", @@ -3901,7 +3884,14 @@ "keyword_new": "Новое ключевое слово", "class_global": "Глобально", "class_other": "Другие", - "mentions_keywords": "Упоминания и ключевые слова" + "mentions_keywords": "Упоминания и ключевые слова", + "default": "По умолчанию", + "all_messages": "Все сообщения", + "all_messages_description": "Получать уведомление о каждом сообщении", + "mentions_and_keywords": "@упоминания и ключевые слова", + "mentions_and_keywords_description": "Получать уведомления только по упоминаниям и ключевым словам, установленным в ваших настройках", + "mute_description": "Вы не будете получать никаких уведомлений", + "message_didnt_send": "Сообщение не отправлено. Нажмите для получения информации." }, "mobile_guide": { "toast_title": "Используйте приложение для лучшего опыта", @@ -3925,6 +3915,43 @@ "a11y_jump_first_unread_room": "Перейти в первую непрочитанную комнату.", "integration_manager": { "error_connecting_heading": "Не удалось подключиться к менеджеру интеграций", - "error_connecting": "Менеджер интеграций не работает или не может подключиться к вашему домашнему серверу." + "error_connecting": "Менеджер интеграций не работает или не может подключиться к вашему домашнему серверу.", + "use_im_default": "Используйте менеджер интеграций %(serverName)s для управления ботами, виджетами и наклейками.", + "use_im": "Используйте менеджер интеграций для управления ботами, виджетами и наклейками.", + "manage_title": "Управление интеграциями", + "explainer": "Менеджеры по интеграции получают данные конфигурации и могут изменять виджеты, отправлять приглашения в комнаты и устанавливать уровни доступа от вашего имени." + }, + "identity_server": { + "url_not_https": "URL-адрес идентификационного сервер должен начинаться с HTTPS", + "error_invalid": "Недействительный идентификационный сервер (код состояния %(code)s)", + "error_connection": "Не удалось подключиться к серверу идентификации", + "checking": "Проверка сервера", + "change": "Изменить сервер идентификации", + "change_prompt": "Отключиться от сервера идентификации и вместо этого подключиться к ?", + "error_invalid_or_terms": "Условия использования не приняты или сервер идентификации недействителен.", + "no_terms": "Сервер идентификации, который вы выбрали, не имеет никаких условий обслуживания.", + "disconnect": "Отключить идентификационный сервер", + "disconnect_server": "Отсоединиться от сервера идентификации ?", + "disconnect_offline_warning": "Вы должны удалить свои личные данные с сервера идентификации перед отключением. К сожалению, идентификационный сервер в данный момент отключен или недоступен.", + "suggestions": "Вам следует:", + "suggestions_1": "проверяйте плагины браузера на наличие всего, что может заблокировать сервер идентификации (например, Privacy Badger)", + "suggestions_2": "связаться с администраторами сервера идентификации ", + "suggestions_3": "Подождите и повторите попытку позже", + "disconnect_anyway": "Отключить в любом случае", + "disconnect_personal_data_warning_1": "Вы все еще делитесь своими личными данными на сервере идентификации .", + "disconnect_personal_data_warning_2": "Мы рекомендуем вам удалить свои адреса электронной почты и номера телефонов с сервера идентификации перед отключением.", + "url": "Идентификационный сервер (%(server)s)", + "description_connected": "В настоящее время вы используете для поиска вами ваших контактов а также вас вашими оппонентами. Вы можете изменить ваш сервер идентификации ниже.", + "change_server_prompt": "Если вы не хотите использовать для обнаружения вас и быть обнаруженным вашими существующими контактами, введите другой идентификационный сервер ниже.", + "description_disconnected": "Вы в настоящее время не используете сервер идентификации. Чтобы найти известные вам контакты, и чтобы они могли найти вас, укажите сервер ниже.", + "disconnect_warning": "Отключение от сервера идентификации будет означать, что другие пользователи не смогут вас обнаружить, и вы не сможете приглашать других по электронной почте или по телефону.", + "description_optional": "Использование сервера идентификации не обязательно. Если вы решите не использовать сервер идентификации, другие пользователи не смогут обнаружить вас, и вы не сможете пригласить других по электронной почте или телефону.", + "do_not_use": "Не использовать сервер идентификации", + "url_field_label": "Введите новый идентификационный сервер" + }, + "member_list": { + "invited_list_heading": "Приглашены", + "filter_placeholder": "Поиск по участникам", + "power_label": "%(userName)s (уровень прав %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/si.json b/src/i18n/strings/si.json index d718e195f3..4be6fd570f 100644 --- a/src/i18n/strings/si.json +++ b/src/i18n/strings/si.json @@ -1,9 +1,9 @@ { - "Explore rooms": "කාමර බලන්න", "action": { "confirm": "තහවුරු කරන්න", "dismiss": "ඉවතලන්න", - "sign_in": "පිවිසෙන්න" + "sign_in": "පිවිසෙන්න", + "explore_rooms": "කාමර බලන්න" }, "auth": { "register_action": "ගිණුමක් සාදන්න", diff --git a/src/i18n/strings/sk.json b/src/i18n/strings/sk.json index 2c395e7f72..f284c03936 100644 --- a/src/i18n/strings/sk.json +++ b/src/i18n/strings/sk.json @@ -24,41 +24,23 @@ "%(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", - "Default": "Predvolené", "Moderator": "Moderátor", - "Reason": "Dôvod", - "Incorrect verification code": "Nesprávny overovací kód", - "Failed to set display name": "Nepodarilo sa nastaviť zobrazované meno", - "Authentication": "Overenie", "Failed to ban user": "Nepodarilo sa zakázať používateľa", "Failed to mute user": "Nepodarilo sa umlčať používateľa", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Túto zmenu nebudete môcť vrátiť späť, pretože tomuto používateľovi udeľujete rovnakú úroveň oprávnenia, akú máte vy.", "Are you sure?": "Ste si istí?", - "Unignore": "Prestať ignorovať", "Jump to read receipt": "Preskočiť na potvrdenie o prečítaní", "Admin Tools": "Nástroje správcu", "and %(count)s others...": { "other": "a ďalších %(count)s…", "one": "a jeden ďalší…" }, - "Invited": "Pozvaní", - "Filter room members": "Filtrovať členov v miestnosti", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (oprávnenie %(powerLevelNumber)s)", - "You do not have permission to post to this room": "Nemáte povolenie posielať do tejto miestnosti", "Unnamed room": "Nepomenovaná miestnosť", "(~%(count)s results)": { "other": "(~%(count)s výsledkov)", "one": "(~%(count)s výsledok)" }, "Join Room": "Vstúpiť do miestnosti", - "Forget room": "Zabudnúť miestnosť", - "Rooms": "Miestnosti", - "Low priority": "Nízka priorita", - "Historical": "Historické", - "%(roomName)s does not exist.": "%(roomName)s neexistuje.", - "%(roomName)s is not accessible at this time.": "%(roomName)s nie je momentálne prístupná.", - "Failed to unban": "Nepodarilo sa povoliť vstup", - "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", "Jump to first unread message.": "Preskočiť na prvú neprečítanú správu.", @@ -82,15 +64,10 @@ "other": "A %(count)s ďalších…" }, "Confirm Removal": "Potvrdiť odstránenie", - "Deactivate Account": "Deaktivovať účet", "An error has occurred.": "Vyskytla sa chyba.", "Unable to restore session": "Nie je možné obnoviť reláciu", - "Invalid Email Address": "Nesprávna emailová adresa", - "This doesn't appear to be a valid email address": "Toto nevyzerá ako platná e-mailová adresa", "Verification Pending": "Nedokončené overenie", "Please check your email and click on the link it contains. Once this is done, click continue.": "Prosím, skontrolujte si email a kliknite na odkaz v správe, ktorú sme vám poslali. Keď budete mať toto za sebou, kliknite na tlačidlo Pokračovať.", - "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.", "Reject invitation": "Odmietnuť pozvanie", "Are you sure you want to reject the invitation?": "Ste si istí, že chcete odmietnuť toto pozvanie?", @@ -112,24 +89,10 @@ "one": "Nahrávanie %(filename)s a %(count)s ďalší súbor" }, "Uploading %(filename)s": "Nahrávanie %(filename)s", - "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", - "No Microphones detected": "Neboli rozpoznané žiadne mikrofóny", - "No Webcams detected": "Neboli rozpoznané žiadne kamery", "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", "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", - "Export room keys": "Exportovať kľúče miestností", - "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.": "Tento proces vás prevedie exportom kľúčov určených na dešifrovanie správ, ktoré ste dostali v šifrovaných miestnostiach do lokálneho súboru. Tieto kľúče zo súboru môžete neskôr importovať do iného Matrix klienta, aby ste v ňom mohli dešifrovať vaše šifrované správy.", - "Enter passphrase": "Zadajte prístupovú frázu", - "Confirm passphrase": "Potvrďte prístupovú frázu", - "Import room keys": "Importovať kľúče miestností", - "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 prevedie importom šifrovacích kľúčov, ktoré ste si v minulosti exportovali v inom Matrix klientovi. Po úspešnom importe budete v tomto klientovi môcť dešifrovať všetky správy, ktoré ste mohli dešifrovať v spomínanom klientovi.", - "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Exportovaný súbor bude chránený prístupovou frázou. Tu by ste mali zadať prístupovú frázu, aby ste súbor dešifrovali.", - "File to import": "Importovať zo súboru", "Restricted": "Obmedzené", "Send": "Odoslať", "%(duration)ss": "%(duration)ss", @@ -140,7 +103,6 @@ "expand": "rozbaliť", "%(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ď", "This room is not public. You will not be able to rejoin without an invite.": "Toto nie je verejne dostupná miestnosť. Bez pozvánky nebudete do nej môcť vstúpiť znovu.", "In reply to ": "Odpoveď na ", "You don't currently have any stickerpacks enabled": "Momentálne nemáte aktívne žiadne balíčky s nálepkami", @@ -159,8 +121,6 @@ "Monday": "Pondelok", "All Rooms": "Vo všetkých miestnostiach", "Wednesday": "Streda", - "All messages": "Všetky správy", - "Invite to this room": "Pozvať do tejto miestnosti", "You cannot delete this message. (%(code)s)": "Nemôžete vymazať túto správu. (%(code)s)", "Thursday": "Štvrtok", "Logs sent": "Záznamy boli odoslané", @@ -177,18 +137,13 @@ "Link to most recent message": "Odkaz na najnovšiu správu", "Share User": "Zdieľať používateľa", "Link to selected message": "Odkaz na vybratú správu", - "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", - "Permission Required": "Vyžaduje sa povolenie", "This event could not be displayed": "Nie je možné zobraziť túto udalosť", "Demote yourself?": "Znížiť vlastnú úroveň oprávnení?", "Demote": "Znížiť", "You can't send any messages until you review and agree to our terms and conditions.": "Nemôžete posielať žiadne správy, kým si neprečítate a neodsúhlasíte naše zmluvné podmienky.", "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ša správa nebola odoslaná, pretože bol dosiahnutý mesačný limit počtu aktívnych používateľov tohoto domovského servera. Prosím, kontaktujte správcu služieb aby ste službu mohli naďalej používať.", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Vaša správa nebola odoslaná, pretože bol prekročený limit prostriedkov tohoto domovského servera. Prosím, kontaktujte správcu služieb aby ste službu mohli naďalej používať.", - "This room has been replaced and is no longer active.": "Táto miestnosť bola nahradená a nie je viac aktívna.", - "The conversation continues here.": "Konverzácia pokračuje tu.", "Only room administrators will see this warning": "Toto upozornenie sa zobrazuje len správcom miestnosti", "Failed to upgrade room": "Nepodarilo sa aktualizovať miestnosť", "The room upgrade could not be completed": "Nie je možné dokončiť aktualizáciu miestnosti na jej najnovšiu verziu", @@ -222,14 +177,6 @@ "Invalid homeserver discovery response": "Neplatná odpoveď pri zisťovaní domovského servera", "Invalid identity server discovery response": "Neplatná odpoveď pri zisťovaní servera totožností", "General failure": "Všeobecná chyba", - "That matches!": "Zhoda!", - "That doesn't match.": "To sa nezhoduje.", - "Go back to set it again.": "Vráťte sa späť a nastavte to znovu.", - "Unable to create key backup": "Nie je možné vytvoriť zálohu šifrovacích kľúčov", - "New Recovery Method": "Nový spôsob obnovy", - "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.": "Ak ste si nenastavili nový spôsob obnovenia, je možné, že útočník sa pokúša dostať k vášmu účtu. Radšej si ihneď zmeňte vaše heslo a nastavte si nový spôsob obnovenia v Nastaveniach.", - "Set up Secure Messages": "Nastavenie zabezpečených správ", - "Go to Settings": "Otvoriť nastavenia", "Dog": "Pes", "Cat": "Mačka", "Lion": "Lev", @@ -292,23 +239,9 @@ "Anchor": "Kotva", "Headphones": "Slúchadlá", "Folder": "Fascikel", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Poslali sme vám email, aby sme mohli overiť vašu adresu. Postupujte podľa odoslaných inštrukcií a potom kliknite na nižšie zobrazené tlačidlo.", - "Email Address": "Emailová adresa", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Šifrované správy sú zabezpečené end-to-end šifrovaním. Kľúče na čítanie týchto správ máte len vy a príjemca (príjemcovia).", "Back up your keys before signing out to avoid losing them.": "Zálohujte si šifrovacie kľúče pred odhlásením, aby ste zabránili ich strate.", "Start using Key Backup": "Začnite používať zálohovanie kľúčov", - "Unable to verify phone number.": "Nie je možné overiť telefónne číslo.", - "Verification code": "Overovací kód", - "Phone Number": "Telefónne číslo", - "Email addresses": "Emailové adresy", - "Phone numbers": "Telefónne čísla", - "Account management": "Správa účtu", - "Ignored users": "Ignorovaní používatelia", - "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", - "Room information": "Informácie o miestnosti", - "Room Addresses": "Adresy miestnosti", "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", @@ -330,35 +263,6 @@ "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", "Your password has been reset.": "Vaše heslo bolo obnovené.", - "Your keys are being backed up (the first backup could take a few minutes).": "Zálohovanie kľúčov máte aktívne (prvé zálohovanie môže trvať niekoľko minút).", - "Success!": "Úspech!", - "Recovery Method Removed": "Odstránený spôsob obnovenia", - "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.": "Ak ste neodstránili spôsob obnovenia vy, je možné, že útočník sa pokúša dostať k vášmu účtu. Radšej si ihneď zmeňte vaše heslo a nastavte si nový spôsob obnovenia v Nastaveniach.", - "Checking server": "Kontrola servera", - "Terms of service not accepted or the identity server is invalid.": "Neprijali ste Podmienky poskytovania služby alebo to nie je správny server.", - "The identity server you have chosen does not have any terms of service.": "Zadaný server totožností nezverejňuje žiadne podmienky poskytovania služieb.", - "Change identity server": "Zmeniť server totožností", - "Disconnect from the identity server and connect to instead?": "Naozaj si želáte odpojiť od servera totožností a pripojiť sa namiesto toho k serveru ?", - "Disconnect identity server": "Odpojiť server totožností", - "Disconnect from the identity server ?": "Naozaj sa chcete odpojiť od servera totožností ?", - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Pred odpojením by ste mali odstrániť vaše osobné údaje zo servera totožností . Žiaľ, server totožnosti momentálne nie je dostupný a nie je možné sa k nemu pripojiť.", - "You should:": "Mali by ste:", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "Skontrolovať rozšírenia inštalované vo webovom prehliadači, ktoré by mohli blokovať prístup k serveru totožností (napr. rozšírenie Privacy Badger)", - "contact the administrators of identity server ": "Kontaktovať správcu servera totožností ", - "wait and try again later": "Počkať a skúsiť znovu neskôr", - "Disconnect anyway": "Napriek tomu sa odpojiť", - "You are still sharing your personal data on the identity server .": "Stále zdieľate svoje osobné údaje na serveri totožností .", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Odporúčame, aby ste ešte pred odpojením sa zo servera totožností odstránili vašu emailovú adresu a telefónne číslo.", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Momentálne na vyhľadávanie kontaktov a na možnosť byť nájdení kontaktmi ktorých poznáte používate . Zmeniť server totožností môžete nižšie.", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Ak nechcete na vyhľadávanie kontaktov a možnosť byť nájdení používať , zadajte adresu servera totožností nižšie.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Momentálne nepoužívate žiaden server totožností. Ak chcete vyhľadávať kontakty a zároveň umožniť ostatným vašim kontaktom, aby mohli nájsť vás, nastavte si server totožností nižšie.", - "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.": "Ak sa odpojíte od servera totožností, vaše kontakty vás nebudú môcť nájsť a ani vy nebudete môcť pozývať používateľov zadaním emailovej adresy a telefónneho čísla.", - "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.": "Používanie servera totožností je voliteľné. Ak sa rozhodnete, že nebudete používať server totožností, nebudú vás vaši známi môcť nájsť a ani vy nebudete môcť pozývať používateľov zadaním emailovej adresy alebo telefónneho čísla.", - "Do not use an identity server": "Nepoužívať server totožností", - "Enter a new identity server": "Zadať nový server totožností", - "Manage integrations": "Spravovať integrácie", - "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", "You signed in to a new session without verifying it:": "Prihlásili ste sa do novej relácie bez jej overenia:", "Verify your other session using one of the options below.": "Overte svoje ostatné relácie pomocou jednej z nižšie uvedených možností.", @@ -371,9 +275,7 @@ "a new cross-signing key signature": "nový podpis kľúča pre krížové podpisovanie", "a device cross-signing signature": "krížový podpis zariadenia", "Removing…": "Odstraňovanie…", - "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", "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.", @@ -384,30 +286,6 @@ "Your homeserver has exceeded one of its resource limits.": "Na vašom domovskom serveri bol prekročený jeden z limitov systémových zdrojov.", "Ok": "Ok", "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.", - "None": "Žiadne", - "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.", - "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", - "Sounds": "Zvuky", - "Notification sound": "Zvuk oznámenia", - "Set a new custom sound": "Nastaviť vlastný zvuk", - "Browse": "Prechádzať", - "Error changing power level requirement": "Chyba pri zmene požiadavky na úroveň oprávnenia", - "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.", - "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á", - "Click the link in the email you received to verify and then click continue again.": "Pre overenie kliknite na odkaz v emaile, ktorý ste dostali, a potom znova kliknite pokračovať.", - "Verify the link in your inbox": "Overte odkaz vo vašej emailovej schránke", - "Unable to revoke sharing for phone number": "Nepodarilo sa zrušiť zdieľanie telefónneho čísla", - "Unable to share phone number": "Nepodarilo sa zdieľanie telefónneho čísla", - "Please enter verification code sent via text.": "Zadajte prosím overovací kód zaslaný prostredníctvom SMS.", - "Remove %(email)s?": "Odstrániť adresu %(email)s?", - "Remove %(phone)s?": "Odstrániť číslo %(phone)s?", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "SMSka vám bola zaslaná na +%(msisdn)s. Zadajte prosím overovací kód, ktorý obsahuje.", "This user has not verified all of their sessions.": "Tento používateľ si neoveril všetky svoje relácie.", "You have not verified this user.": "Tohto používateľa ste neoverili.", "You have verified this user. This user has verified all of their sessions.": "Tohto používateľa ste overili. Tento používateľ si overil všetky svoje relácie.", @@ -415,11 +293,6 @@ "This room is end-to-end encrypted": "Táto miestnosť je end-to-end šifrovaná", "Everyone in this room is verified": "Všetci v tejto miestnosti sú overení", "Edit message": "Upraviť správu", - "Discovery options will appear once you have added an email above.": "Možnosti nastavenia verejného profilu sa objavia po pridaní e-mailovej adresy vyššie.", - "Discovery options will appear once you have added a phone number above.": "Možnosti nastavenia verejného profilu sa objavia po pridaní telefónneho čísla vyššie.", - "No recently visited rooms": "Žiadne nedávno navštívené miestnosti", - "Explore rooms": "Preskúmať miestnosti", - "Italics": "Kurzíva", "Zimbabwe": "Zimbabwe", "Zambia": "Zambia", "Yemen": "Jemen", @@ -669,13 +542,6 @@ "Afghanistan": "Afganistan", "United States": "Spojené Štáty", "United Kingdom": "Spojené Kráľovstvo", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Správcovia integrácie dostávajú konfiguračné údaje a môžu vo vašom mene upravovať widgety, posielať pozvánky do miestnosti a nastavovať úrovne oprávnení.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Na správu botov, widgetov a balíkov nálepiek použite správcu integrácie.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Na správu botov, widgetov a balíkov nálepiek použite správcu integrácie (%(serverName)s).", - "Identity server (%(server)s)": "Server totožností (%(server)s)", - "Could not connect to identity server": "Nepodarilo sa pripojiť k serveru totožností", - "Not a valid identity server (status code %(code)s)": "Nie je platný server totožností (kód stavu %(code)s)", - "Identity server URL must be HTTPS": "URL adresa servera totožností musí byť HTTPS", "Encrypted by a deleted session": "Šifrované odstránenou reláciou", "Encrypted by an unverified session": "Šifrované neoverenou reláciou", "You cancelled": "Zrušili ste overenie", @@ -685,8 +551,6 @@ "Encryption not enabled": "Šifrovanie nie je zapnuté", "Unencrypted": "Nešifrované", "Search spaces": "Hľadať priestory", - "@mentions & keywords": "@zmienky a kľúčové slová", - "Room options": "Možnosti miestnosti", "Search for spaces": "Hľadať priestory", "You sent a verification request": "Odoslali ste žiadosť o overenie", "Remove %(count)s messages": { @@ -717,23 +581,16 @@ "Start a conversation with someone using their name, email address or username (like ).": "Začnite s niekým konverzáciu pomocou jeho mena, e-mailovej adresy alebo používateľského mena (ako napr. ).", "Direct Messages": "Priame správy", "Private space (invite only)": "Súkromný priestor (len pre pozvaných)", - "Public space": "Verejný priestor", "Rooms and spaces": "Miestnosti a priestory", - "You have no ignored users.": "Nemáte žiadnych ignorovaných používateľov.", "Some suggestions may be hidden for privacy.": "Niektoré návrhy môžu byť skryté kvôli ochrane súkromia.", "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.", - "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á.", "The homeserver the user you're verifying is connected to": "Domovský server, ku ktorému je pripojený používateľ, ktorého overujete", "Allow this widget to verify your identity": "Umožniť tomuto widgetu overiť vašu totožnosť", - "Verify with Security Key or Phrase": "Overiť pomocou bezpečnostného kľúča alebo frázy", - "Verify with Security Key": "Overenie bezpečnostným kľúčom", - "I'll verify later": "Overím to neskôr", "Verify by scanning": "Overte naskenovaním", "%(name)s cancelled verifying": "%(name)s zrušil/a overovanie", - "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.": "Vynulovanie overovacích kľúčov sa nedá vrátiť späť. Po vynulovaní nebudete mať prístup k starým zašifrovaným správam a všetci priatelia, ktorí vás predtým overili, uvidia bezpečnostné upozornenia, kým sa u nich znovu neoveríte.", "Only do this if you have no other device to complete verification with.": "Urobte to len vtedy, ak nemáte iné zariadenie, pomocou ktorého by ste mohli dokončiť overenie.", "Start verification again from their profile.": "Znova začnite overovanie z ich profilu.", "Start verification again from the notification.": "Znova spustiť overovanie z oznámenia.", @@ -750,16 +607,11 @@ "Your homeserver": "Váš domovský server", "Start Verification": "Spustiť overovanie", "Verify User": "Overiť používateľa", - "Start chatting": "Začať konverzáciu", "Verification Request": "Žiadosť o overenie", - "Room %(name)s": "Miestnosť %(name)s", "Show image": "Zobraziť obrázok", "e.g. my-room": "napr. moja-miestnost", "Deactivate user?": "Deaktivovať používateľa?", "Upload all": "Nahrať všetko", - "Add room": "Pridať miestnosť", - "Reason: %(reason)s": "Dôvod: %(reason)s", - "Sign Up": "Zaregistrovať sa", "Cancel All": "Zrušiť všetky", "Revoke invite": "Odvolať pozvánku", "Chat": "Konverzácia", @@ -779,7 +631,6 @@ "Please provide an address": "Uveďte prosím adresu", "New published address (e.g. #alias:server)": "Nová zverejnená adresa (napr. #alias:server)", "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'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", @@ -788,15 +639,11 @@ "Backup version:": "Verzia zálohy:", "Role in ": "Rola v ", "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ť", "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", "Upgrade public room": "Aktualizovať verejnú miestnosť", - "Public room": "Verejná miestnosť", - "Join public room": "Pripojiť sa k verejnej miestnosti", - "Explore public rooms": "Preskúmajte verejné miestnosti", "Leave some rooms": "Opustiť niektoré miestnosti", "Leave all rooms": "Opustiť všetky miestnosti", "Don't leave any rooms": "Neopustiť žiadne miestnosti", @@ -809,9 +656,6 @@ "Invite someone using their name, username (like ) or share this space.": "Pozvite niekoho pomocou jeho mena, používateľského mena (napríklad ) alebo zdieľajte tento priestor.", "Invite someone using their name, email address, username (like ) or share this space.": "Pozvite niekoho pomocou jeho mena, e-mailovej adresy, používateľského mena (napríklad ) alebo zdieľajte tento priestor.", "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 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.", "Hide sessions": "Skryť relácie", "%(count)s sessions": { @@ -820,14 +664,9 @@ }, "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", "Room settings": "Nastavenia miestnosti", "Room address": "Adresa miestnosti", - "Get notifications as set up in your settings": "Dostávajte oznámenia podľa nastavenia v nastaveniach", "Set addresses for this room so users can find this room through your homeserver (%(localDomain)s)": "Nastavte adresy pre túto miestnosť, aby ju používatelia mohli nájsť prostredníctvom vášho domovského servera (%(localDomain)s)", - "You won't get any notifications": "Nebudete dostávať žiadne oznámenia", - "Get notified only with mentions and keywords as set up in your settings": "Dostávajte upozornenia len na zmienky a kľúčové slová nastavené vo vašich nastaveniach", - "Get notified for every message": "Dostávajte upozornenia na každú správu", "Local Addresses": "Lokálne adresy", "This space has no local addresses": "Tento priestor nemá žiadne lokálne adresy", "No other published addresses yet, add one below": "Zatiaľ neboli zverejnené žiadne ďalšie adresy, pridajte ich nižšie", @@ -839,8 +678,6 @@ "Copy link to thread": "Kopírovať odkaz na vlákno", "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", "Upload %(count)s other files": { "one": "Nahrať %(count)s ďalší súbor", @@ -853,18 +690,13 @@ "Use the Desktop app to see all encrypted files": "Použite desktopovú aplikáciu na zobrazenie všetkých zašifrovaných súborov", "Files": "Súbory", "Invite to %(roomName)s": "Pozvať do miestnosti %(roomName)s", - "Unable to set up secret storage": "Nie je možné nastaviť tajné úložisko", - "Unable to query secret storage status": "Nie je možné vykonať dopyt na stav tajného úložiska", "Unable to access secret storage. Please verify that you entered the correct Security Phrase.": "Nie je možné získať prístup k tajnému úložisku. Skontrolujte, či ste zadali správnu bezpečnostnú frázu.", - "You can also set up Secure Backup & manage your keys in Settings.": "Bezpečné zálohovanie a správu kľúčov môžete nastaviť aj v Nastaveniach.", "View all %(count)s members": { "one": "Zobraziť 1 člena", "other": "Zobraziť všetkých %(count)s členov" }, "Server isn't responding": "Server neodpovedá", "Edited at %(date)s": "Upravené %(date)s", - "Confirm Security Phrase": "Potvrdiť bezpečnostnú frázu", - "Upgrade your encryption": "Aktualizujte svoje šifrovanie", "Error removing address": "Chyba pri odstraňovaní adresy", "Error creating address": "Chyba pri vytváraní adresy", "Confirm to continue": "Potvrďte, ak chcete pokračovať", @@ -872,15 +704,11 @@ "Signature upload failed": "Nahrávanie podpisu zlyhalo", "Signature upload success": "Úspešné nahratie podpisu", "Cancelled signature upload": "Zrušené nahrávanie podpisu", - "Create key backup": "Vytvoriť zálohu kľúča", "Integrations not allowed": "Integrácie nie sú povolené", "Integrations are disabled": "Integrácie sú zakázané", "You verified %(name)s": "Overili ste používateľa %(name)s", "Clear all data": "Vymazať všetky údaje", - " invited you": " vás pozval/a", - "Join the discussion": "Pripojiť sa k diskusii", "edited": "upravené", - "Re-join": "Znovu sa pripojiť", "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", @@ -903,8 +731,6 @@ "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", "If you have permissions, open the menu on any message and select Pin to stick them here.": "Ak máte oprávnenia, otvorte ponuku pri ľubovoľnej správe a výberom položky Pripnúť ich sem prilepíte.", - "%(spaceName)s menu": "%(spaceName)s ponuka", - "Close preview": "Zatvoriť náhľad", "You're removing all spaces. Access will default to invite only": "Odstraňujete všetky priestory. Prístup bude predvolený len pre pozvaných", "Decide which spaces can access this room. If a space is selected, its members can find and join .": "Určite, ktoré priestory budú mať prístup do tejto miestnosti. Ak je vybraný priestor, jeho členovia môžu nájsť a pripojiť sa k .", "Select spaces": "Vybrať priestory", @@ -923,15 +749,10 @@ "Anyone in will be able to find and join.": "Ktokoľvek v bude môcť nájsť a pripojiť sa.", "Space visibility": "Viditeľnosť priestoru", "Reason (optional)": "Dôvod (voliteľný)", - "Confirm your Security Phrase": "Potvrďte svoju bezpečnostnú frázu", - "Set a Security Phrase": "Nastaviť bezpečnostnú frázu", - "Save your Security Key": "Uložte svoj bezpečnostný kľúč", "Leave space": "Opustiť priestor", "You are about to leave .": "Chystáte sa opustiť .", "Leave %(spaceName)s": "Opustiť %(spaceName)s", "Preparing to download logs": "Príprava na prevzatie záznamov", - "This room isn't bridging messages to any platforms. Learn more.": "Táto miestnosť nepremosťuje správy so žiadnymi platformami. Viac informácií", - "Home options": "Možnosti domovskej obrazovky", "Failed to connect to integration manager": "Nepodarilo sa pripojiť k správcovi integrácie", "You accepted": "Prijali ste", "Message Actions": "Akcie správy", @@ -952,11 +773,8 @@ "Approve widget permissions": "Schváliť oprávnenia widgetu", "Anyone will be able to find and join this space, not just members of .": "Ktokoľvek bude môcť nájsť tento priestor a pripojiť sa k nemu, nielen členovia .", "An unknown error occurred": "Vyskytla sa neznáma chyba", - "A new Security Phrase and key for Secure Messages have been detected.": "Bola zistená nová bezpečnostná fráza a kľúč pre zabezpečené správy.", "Almost there! Is %(displayName)s showing the same shield?": "Už je to takmer hotové! Zobrazuje sa %(displayName)s rovnaký štít?", - "Add space": "Pridať priestor", "Add reaction": "Pridať reakciu", - "Add people": "Pridať ľudí", "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)", @@ -964,15 +782,11 @@ }, "Add existing space": "Pridať existujúci priestor", "Add existing rooms": "Pridať existujúce miestnosti", - "Add existing room": "Pridať existujúcu miestnosť", "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.", "Some characters not allowed": "Niektoré znaky nie sú povolené", "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?", - "You were banned from %(roomName)s by %(memberName)s": "Boli ste zakázaný v %(roomName)s používateľom %(memberName)s", "Upload Error": "Chyba pri nahrávaní", "Your browser likely removed this data when running low on disk space.": "Váš prehliadač pravdepodobne odstránil tieto údaje, keď mal málo miesta na disku.", "Some session data, including encrypted message keys, is missing. Sign out and sign in to fix this, restoring keys from backup.": "Chýbajú niektoré údaje relácie vrátane zašifrovaných kľúčov správ. Odhláste sa a prihláste sa, aby ste to opravili a obnovili kľúče zo zálohy.", @@ -981,28 +795,10 @@ "Invited by %(sender)s": "Pozvaný používateľom %(sender)s", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Aktualizáciou tejto miestnosti sa vypne aktuálna inštancia miestnosti a vytvorí sa aktualizovaná miestnosť s rovnakým názvom.", "Open in OpenStreetMap": "Otvoriť v OpenStreetMap", - "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Aktualizujte túto reláciu, aby mohla overovať ostatné relácie, udeľovať im prístup k zašifrovaným správam a označovať ich ako dôveryhodné pre ostatných používateľov.", - "You'll need to authenticate with the server to confirm the upgrade.": "Na potvrdenie aktualizácie sa budete musieť overiť na serveri.", - "Restore your key backup to upgrade your encryption": "Obnovte zálohu kľúča a aktualizujte šifrovanie", - "Enter your account password to confirm the upgrade:": "Na potvrdenie aktualizácie zadajte heslo svojho účtu:", - "Currently joining %(count)s rooms": { - "other": "Momentálne ste pripojení k %(count)s miestnostiam", - "one": "Momentálne ste pripojení k %(count)s miestnosti" - }, - "Forget this room": "Zabudnúť túto miestnosť", "Message preview": "Náhľad správy", - "%(roomName)s can't be previewed. Do you want to join it?": "Nie je možné zobraziť náhľad miestnosti %(roomName)s. Chcete sa k nej pripojiť?", - "You're previewing %(roomName)s. Want to join it?": "Zobrazujete náhľad %(roomName)s. Chcete sa k nej pripojiť?", - "Show %(count)s other previews": { - "one": "Zobraziť %(count)s ďalší náhľad", - "other": "Zobraziť %(count)s ďalších náhľadov" - }, - "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é.", "View in room": "Zobraziť v miestnosti", "Unknown failure: %(reason)s": "Neznáma chyba: %(reason)s", "Nothing pinned, yet": "Zatiaľ nie je nič pripnuté", - "Recently visited rooms": "Nedávno navštívené miestnosti", "Enter Security Key": "Zadajte bezpečnostný kľúč", "Enter Security Phrase": "Zadať bezpečnostnú frázu", "Incorrect Security Phrase": "Nesprávna bezpečnostná fráza", @@ -1018,7 +814,6 @@ "one": "%(count)s odpoveď", "other": "%(count)s odpovedí" }, - "Unknown failure": "Neznáme zlyhanie", "Stop recording": "Zastaviť nahrávanie", "Missed call": "Zmeškaný hovor", "Call declined": "Hovor odmietnutý", @@ -1067,7 +862,6 @@ "Create a new room": "Vytvoriť novú miestnosť", "Space selection": "Výber priestoru", "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.": "Túto zmenu nebudete môcť vrátiť späť, pretože sa degradujete, a ak ste posledným privilegovaným používateľom v priestore, nebude možné získať oprávnenia späť.", - "Suggested Rooms": "Navrhované miestnosti", "Other rooms in %(spaceName)s": "Ostatné miestnosti v %(spaceName)s", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Pri vytváraní tejto adresy došlo k chybe. Je možné, že ju server nepovoľuje alebo došlo k dočasnému zlyhaniu.", "Click the button below to confirm setting up encryption.": "Kliknutím na tlačidlo nižšie potvrdíte nastavenie šifrovania.", @@ -1086,7 +880,6 @@ "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", - " wants to chat": " chce konverzovať", "Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Aktualizácia miestnosti je pokročilá akcia a zvyčajne sa odporúča, keď je miestnosť nestabilná kvôli chybám, chýbajúcim funkciám alebo bezpečnostným zraniteľnostiam.", "Deactivate user": "Deaktivovať používateľa", "Be found by phone or email": "Byť nájdený pomocou telefónu alebo e-mailu", @@ -1122,31 +915,23 @@ "Access your secure message history and set up secure messaging by entering your Security Phrase.": "Získajte prístup k histórii zabezpečených správ a nastavte bezpečné zasielanie správ zadaním bezpečnostnej frázy.", "Messaging": "Posielanie správ", "To proceed, please accept the verification request on your other device.": "Ak chcete pokračovať, prijmite žiadosť o overenie na vašom druhom zariadení.", - "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", "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ší", "other": "%(spaceName)s a %(count)s ďalší" }, - "Enter your Security Phrase a second time to confirm it.": "Zadajte svoju bezpečnostnú frázu znova, aby ste ju potvrdili.", - "Enter a Security Phrase": "Zadajte bezpečnostnú frázu", "Enter your Security Phrase or to continue.": "Zadajte svoju bezpečnostnú frázu alebo pre pokračovanie.", - "You were removed from %(roomName)s by %(memberName)s": "Boli ste odstránení z %(roomName)s používateľom %(memberName)s", "Remove from %(roomName)s": "Odstrániť z %(roomName)s", "Failed to remove user": "Nepodarilo sa odstrániť používateľa", "Remove from room": "Odstrániť z miestnosti", "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.": "Ste si istí, že chcete ukončiť túto anketu? Zobrazia sa konečné výsledky ankety a ľudia nebudú môcť už hlasovať.", "Can't find this server or its room list": "Nemôžeme nájsť tento server alebo jeho zoznam miestností", "Verifying this device will mark it as trusted, and users who have verified with you will trust this device.": "Overením tohto zariadenia ho označíte ako dôveryhodné a používatelia, ktorí vás overili, budú tomuto zariadeniu dôverovať.", - "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.": "Ak ste to urobili omylom, môžete v tejto relácii nastaviť Zabezpečené správy, ktoré znovu zašifrujú históriu správ tejto relácie pomocou novej metódy obnovy.", - "This session is encrypting history using the new recovery method.": "Táto relácia šifruje históriu pomocou novej metódy obnovy.", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Overenie tohto používateľa označí jeho reláciu ako dôveryhodnú a zároveň označí vašu reláciu ako dôveryhodnú pre neho.", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Vymazanie všetkých údajov z tejto relácie je trvalé. Zašifrované správy sa stratia, pokiaľ neboli zálohované ich kľúče.", "Clear all data in this session?": "Vymazať všetky údaje v tejto relácii?", "One of the following may be compromised:": "Jedna z nasledujúcich vecí môže byť narušená:", - "Reject & Ignore user": "Odmietnuť a ignorovať používateľa", "For extra security, verify this user by checking a one-time code on both of your devices.": "V záujme zvýšenia bezpečnosti overte tohto používateľa tak, že na oboch zariadeniach skontrolujete jednorazový kód.", "We couldn't invite those users. Please check the users you want to invite and try again.": "Týchto používateľov sme nemohli pozvať. Skontrolujte prosím používateľov, ktorých chcete pozvať, a skúste to znova.", "Something went wrong trying to invite the users.": "Pri pokuse o pozvanie používateľov sa niečo pokazilo.", @@ -1157,16 +942,11 @@ "Failed to deactivate user": "Nepodarilo sa deaktivovať používateľa", "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", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Táto pozvánka do %(roomName)s bola odoslaná na %(email)s, ktorý nie je spojený s vaším účtom", "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?": "Deaktivácia tohto používateľa ho odhlási a zabráni mu v opätovnom prihlásení. Okrem toho opustí všetky miestnosti, v ktorých sa nachádza. Túto akciu nie je možné vrátiť späť. Ste si istí, že chcete tohto používateľa deaktivovať?", "Use an identity server to invite by email. Manage in Settings.": "Na pozvanie e-mailom použite server identity. Vykonajte zmeny v Nastaveniach.", "Use an identity server to invite by email. Use the default (%(defaultIdentityServerName)s) or manage in Settings.": "Na pozvanie e-mailom použite server identity. Použite predvolený (%(defaultIdentityServerName)s) alebo spravujte v nastaveniach.", "Invalid base_url for m.identity_server": "Neplatná base_url pre m.identity_server", "Invalid base_url for m.homeserver": "Neplatná base_url pre m.homeserver", - "Try to join anyway": "Skúsiť sa pripojiť aj tak", - "You can only join it with a working invite.": "Môžete sa k nemu pripojiť len s funkčnou pozvánkou.", - "Join the conversation with an account": "Pripojte sa ku konverzácii pomocou účtu", "Recently viewed": "Nedávno zobrazené", "Link to room": "Odkaz na miestnosť", "Spaces you're in": "Priestory, v ktorých sa nachádzate", @@ -1179,8 +959,6 @@ "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", "Verify this device": "Overiť toto zariadenie", - "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Vaše nové zariadenie je teraz overené. Má prístup k vašim zašifrovaným správam a ostatní používatelia ho budú považovať za dôveryhodné.", - "Your new device is now verified. Other users will see it as trusted.": "Vaše nové zariadenie je teraz overené. Ostatní používatelia ho budú vidieť ako dôveryhodné.", "Could not fetch location": "Nepodarilo sa načítať polohu", "Message pending moderation": "Správa čaká na moderovanie", "The beginning of the room": "Začiatok miestnosti", @@ -1190,15 +968,7 @@ "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?", - "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Bezpečnostný kľúč uložte na bezpečné miesto, napríklad do správcu hesiel alebo trezora, pretože slúži na ochranu zašifrovaných údajov.", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Zabezpečte sa pred stratou šifrovaných správ a údajov zálohovaním šifrovacích kľúčov na vašom serveri.", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Použite tajnú frázu, ktorú poznáte len vy, a prípadne uložte si bezpečnostný kľúč, ktorý môžete použiť na zálohovanie.", - "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Vygenerujeme vám bezpečnostný kľúč, ktorý si uložte na bezpečné miesto, napríklad do správcu hesiel alebo do trezoru.", - "Generate a Security Key": "Vygenerovať bezpečnostný kľúč", - "Use a different passphrase?": "Použiť inú prístupovú frázu?", - "Great! This Security Phrase looks strong enough.": "Skvelé! Táto bezpečnostná fráza vyzerá dostatočne silná.", "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 prístup k svojmu účtu a obnovte šifrovacie kľúče uložené v tejto relácii. Bez nich nebudete môcť čítať všetky svoje zabezpečené správy v žiadnej relácii.", - "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Bez overenia nebudete mať prístup ku všetkým svojim správam a pre ostatných sa môžete javiť ako nedôveryhodní.", "Error downloading audio": "Chyba pri sťahovaní zvuku", "Unnamed audio": "Nepomenovaný zvukový záznam", "Hold": "Podržať", @@ -1227,11 +997,6 @@ "There was an error removing that address. It may no longer exist or a temporary error occurred.": "Pri odstraňovaní tejto adresy došlo k chybe. Možno už neexistuje alebo došlo k dočasnej chybe.", "You don't have permission to delete the address.": "Na vymazanie adresy nemáte povolenie.", "We didn't find a microphone on your device. Please check your settings and try again.": "Vo vašom zariadení sa nenašiel mikrofón. Skontrolujte svoje nastavenia a skúste to znova.", - "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.", - "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.", "Join the conference from the room information card on the right": "Pripojte sa ku konferencii z informačnej karty miestnosti vpravo", "Join the conference at the top of this room": "Pripojte sa ku konferencii v hornej časti tejto miestnosti", "Video conference ended by %(senderName)s": "Videokonferencia ukončená používateľom %(senderName)s", @@ -1241,7 +1006,6 @@ "other": "Môžete pripnúť iba %(count)s widgetov" }, "No answer": "Žiadna odpoveď", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Ak to teraz zrušíte, môžete prísť o zašifrované správy a údaje, ak stratíte prístup k svojim prihlasovacím údajom.", "Just a heads up, if you don't add an email and forget your password, you could permanently lose access to your account.": "Len upozorňujeme, že ak si nepridáte e-mail a zabudnete heslo, môžete navždy stratiť prístup k svojmu účtu.", "Data on this screen is shared with %(widgetDomain)s": "Údaje na tejto obrazovke sú zdieľané s %(widgetDomain)s", "If they don't match, the security of your communication may be compromised.": "Ak sa nezhodujú, môže byť ohrozená bezpečnosť vašej komunikácie.", @@ -1261,15 +1025,11 @@ "Sections to show": "Sekcie na zobrazenie", "This address does not point at this room": "Táto adresa nesmeruje do tejto miestnosti", "Wait!": "Počkajte!", - "Hide stickers": "Skryť nálepky", - "Voice Message": "Hlasová správa", - "Poll": "Anketa", "Location": "Poloha", "Set addresses for this space so users can find this space through your homeserver (%(localDomain)s)": "Nastavte adresy pre tento priestor, aby ho používatelia mohli nájsť prostredníctvom vášho domovského servera (%(localDomain)s)", "Feedback sent! Thanks, we appreciate it!": "Spätná väzba odoslaná! Ďakujeme, vážime si to!", "Use to scroll": "Na posúvanie použite ", "%(space1Name)s and %(space2Name)s": "%(space1Name)s a %(space2Name)s", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Prepojte tento e-mail so svojím účtom v Nastaveniach, aby ste mohli dostávať pozvánky priamo v aplikácii %(brand)s.", "In reply to this message": "V odpovedi na túto správu", "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.", @@ -1294,7 +1054,6 @@ "A call can only be transferred to a single user.": "Hovor je možné presmerovať len na jedného používateľa.", "Unban from %(roomName)s": "Zrušiť zákaz vstup do %(roomName)s", "Ban from %(roomName)s": "Zakázať vstup do %(roomName)s", - "Proceed with reset": "Pokračovať v obnovení", "Joining": "Pripájanie sa", "Sign in with SSO": "Prihlásiť sa pomocou jednotného prihlásenia SSO", "Search Dialog": "Vyhľadávacie dialógové okno", @@ -1317,7 +1076,6 @@ "They'll still be able to access whatever you're not an admin of.": "Stále budú mať prístup ku všetkému, čoho nie ste správcom.", "Pinned": "Pripnuté", "Open thread": "Otvoriť vlákno", - "Failed to update the join rules": "Nepodarilo sa aktualizovať pravidlá pripojenia", "Command Help": "Pomocník príkazov", "My live location": "Moja poloha v reálnom čase", "My current location": "Moja aktuálna poloha", @@ -1347,34 +1105,13 @@ "one": "Chystáte sa odstrániť %(count)s správu od používateľa %(user)s. Týmto ju natrvalo odstránite pre všetkých účastníkov konverzácie. Chcete pokračovať?", "other": "Chystáte sa odstrániť %(count)s správ od používateľa %(user)s. Týmto ich natrvalo odstránite pre všetkých účastníkov konverzácie. Chcete pokračovať?" }, - "Currently removing messages in %(count)s rooms": { - "one": "V súčasnosti sa odstraňujú správy v %(count)s miestnosti", - "other": "V súčasnosti sa odstraňujú správy v %(count)s miestnostiach" - }, "Unsent": "Neodoslané", "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.": "Môžete použiť nastavenia vlastného servera na prihlásenie sa na iné servery Matrix-u zadaním inej adresy URL domovského servera. To vám umožní používať %(brand)s s existujúcim účtom Matrix na inom domovskom serveri.", - "%(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.": "Pri pokuse o prístup do miestnosti alebo priestoru bolo vrátené %(errcode)s. Ak si myslíte, že sa vám táto správa zobrazuje chybne, odošlite hlásenie o chybe.", - "Try again later, or ask a room or space admin to check if you have access.": "Skúste to neskôr alebo požiadajte správcu miestnosti alebo priestoru, aby skontroloval, či máte prístup.", - "This room or space is not accessible at this time.": "Táto miestnosť alebo priestor nie je momentálne prístupná.", - "Are you sure you're at the right place?": "Ste si istí, že ste na správnom mieste?", - "This room or space does not exist.": "Táto miestnosť alebo priestor neexistuje.", - "There's no preview, would you like to join?": "Nie je tu žiadny náhľad, chcete sa pripojiť?", - "This invite was sent to %(email)s": "Táto pozvánka bola odoslaná na %(email)s", - "This invite was sent to %(email)s which is not associated with your account": "Táto pozvánka bola odoslaná na %(email)s, ktorý nie je spojený s vaším účtom", - "You can still join here.": "Stále sa môžete pripojiť tu.", - "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.": "Pri pokuse o overenie vašej pozvánky bola vrátená chyba (%(errcode)s). Túto informáciu môžete skúsiť odovzdať osobe, ktorá vás pozvala.", - "Something went wrong with your invite.": "Niečo sa pokazilo s vašou pozvánkou.", - "You were banned by %(memberName)s": "%(memberName)s vám zakázal prístup", - "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", "An error occurred while stopping your live location, please try again": "Pri vypínaní polohy v reálnom čase došlo k chybe, skúste to prosím znova", "%(count)s participants": { "one": "1 účastník", "other": "%(count)s účastníkov" }, - "New video room": "Nová video miestnosť", - "New room": "Nová miestnosť", "%(featureName)s Beta feedback": "%(featureName)s Beta spätná väzba", "Live location ended": "Ukončenie polohy v reálnom čase", "View live location": "Zobraziť polohu v reálnom čase", @@ -1402,14 +1139,9 @@ "You will not be able to reactivate your account": "Svoje konto nebudete môcť opätovne aktivovať", "Confirm that you would like to deactivate your account. If you proceed:": "Potvrďte, že chcete deaktivovať svoje konto. Ak budete pokračovať:", "To continue, please enter your account password:": "Aby ste mohli pokračovať, prosím zadajte svoje heslo:", - "Seen by %(count)s people": { - "one": "Videl %(count)s človek", - "other": "Videlo %(count)s ľudí" - }, "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.": "Boli ste odhlásení zo všetkých zariadení a už nebudete dostávať okamžité oznámenia. Ak chcete oznámenia znovu povoliť, prihláste sa znova na každom zariadení.", "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.": "Ak si chcete zachovať prístup k histórii konverzácie v zašifrovaných miestnostiach, pred pokračovaním nastavte zálohovanie kľúčov alebo exportujte kľúče správ z niektorého z vašich ďalších zariadení.", "Signing out your devices will delete the message encryption keys stored on them, making encrypted chat history unreadable.": "Odhlásenie zariadení vymaže kľúče na šifrovanie správ, ktoré sú v nich uložené, čím sa história zašifrovaných konverzácií stane nečitateľnou.", - "Your password was successfully changed.": "Vaše heslo bolo úspešne zmenené.", "An error occurred while stopping your live location": "Pri zastavovaní zdieľania polohy v reálnom čase došlo k chybe", "%(members)s and %(last)s": "%(members)s a %(last)s", "%(members)s and more": "%(members)s a ďalší", @@ -1419,17 +1151,9 @@ "Input devices": "Vstupné zariadenia", "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ša správa nebola odoslaná, pretože tento domovský server bol zablokovaný jeho správcom. Prosím, kontaktujte správcu služieb, aby ste službu mohli naďalej používať.", "Show Labs settings": "Zobraziť nastavenia laboratórií", - "To join, please enable video rooms in Labs first": "Ak sa chcete pripojiť, povoľte najprv video miestnosti v laboratóriách", - "To view, please enable video rooms in Labs first": "Ak ich chcete zobraziť, povoľte najprv video miestnosti v laboratóriách", - "To view %(roomName)s, you need an invite": "Na zobrazenie %(roomName)s potrebujete pozvánku", - "Private room": "Súkromná miestnosť", - "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", "Unread email icon": "Ikona neprečítaného e-mailu", - "Joining…": "Pripájanie…", - "Read receipts": "Potvrdenia o prečítaní", - "Deactivating your account is a permanent action — be careful!": "Deaktivácia účtu je trvalý úkon — buďte opatrní!", "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.", "%(count)s Members": { "other": "%(count)s členov", @@ -1452,7 +1176,6 @@ "Show spaces": "Zobraziť priestory", "Show rooms": "Zobraziť miestnosti", "Explore public spaces in the new search dialog": "Preskúmajte verejné priestory v novom okne vyhľadávania", - "Join the room to participate": "Pripojte sa k miestnosti a zúčastnite sa", "Stop and close": "Zastaviť a zavrieť", "Online community members": "Členovia online komunity", "Coworkers and teams": "Spolupracovníci a tímy", @@ -1468,22 +1191,10 @@ "We're creating a room with %(names)s": "Vytvárame miestnosť s %(names)s", "Interactively verify by emoji": "Interaktívne overte pomocou emotikonov", "Manually verify by text": "Manuálne overte pomocou textu", - "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s alebo %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s alebo %(recoveryFile)s", - "Video call (Jitsi)": "Videohovor (Jitsi)", - "Failed to set pusher state": "Nepodarilo sa nastaviť stav push oznámení", "Video call ended": "Videohovor ukončený", "%(name)s started a video call": "%(name)s začal/a videohovor", - "Close call": "Zavrieť hovor", "Room info": "Informácie o miestnosti", - "View chat timeline": "Zobraziť časovú os konverzácie", - "Spotlight": "Stredobod", - "Freedom": "Sloboda", - "Video call (%(brand)s)": "Videohovor (%(brand)s)", - "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.", - "Enable %(brand)s as an additional calling option in this room": "Zapnúť %(brand)s ako ďalšiu možnosť volania v tejto miestnosti", "Completing set up of your new device": "Dokončenie nastavenia nového zariadenia", "Waiting for device to sign in": "Čaká sa na prihlásenie zariadenia", "Review and approve the sign in": "Skontrolujte a schváľte prihlásenie", @@ -1502,16 +1213,8 @@ "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 formatting": "Zobraziť formátovanie", - "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", - "Connection": "Pripojenie", - "Voice processing": "Spracovanie hlasu", - "Video settings": "Nastavenia videa", - "Automatically adjust the microphone volume": "Automaticky upraviť hlasitosť mikrofónu", - "Voice settings": "Nastavenia hlasu", - "Send email": "Poslať e-mail", "Sign out of all devices": "Odhlásiť sa zo všetkých zariadení", "Confirm new password": "Potvrdiť nové heslo", "Too many attempts in a short time. Retry after %(timeout)s.": "Príliš veľa pokusov v krátkom čase. Opakujte pokus po %(timeout)s.", @@ -1520,7 +1223,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: ", - "Change layout": "Zmeniť rozloženie", "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ť", " in %(room)s": " v %(room)s", @@ -1530,15 +1232,10 @@ "Can't start voice message": "Nemožno spustiť hlasovú správu", "Edit link": "Upraviť odkaz", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", - "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", "unknown": "neznáme", "Declining…": "Odmietanie …", - "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.": "Zadajte bezpečnostnú frázu, ktorú poznáte len vy, keďže sa používa na ochranu vašich údajov. V záujme bezpečnosti by ste nemali heslo k účtu používať opakovane.", - "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ľúč.", "Connecting…": "Pripájanie…", "Scan QR code": "Skenovať QR kód", "Select '%(scanQRCode)s'": "Vyberte '%(scanQRCode)s'", @@ -1550,15 +1247,9 @@ "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…", - "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…", - "Set a new account password…": "Nastaviť nové heslo k účtu…", "Starting export process…": "Spustenie procesu exportu…", - "Secure Backup successful": "Bezpečné zálohovanie bolo úspešné", - "Your keys are now being backed up from this device.": "Kľúče sa teraz zálohujú z tohto zariadenia.", "Loading polls": "Načítavanie ankiet", "Ended a poll": "Ukončil anketu", "Due to decryption errors, some votes may not be counted": "Z dôvodu chýb v dešifrovaní sa niektoré hlasy nemusia započítať", @@ -1596,60 +1287,17 @@ "Start DM anyway": "Spustiť priamu správu aj tak", "Start DM anyway and never warn me again": "Spustiť priamu správu aj tak a nikdy ma už nevarovať", "Unable to find profiles for the Matrix IDs listed below - would you like to start a DM anyway?": "Nie je možné nájsť používateľské profily pre Matrix ID zobrazené nižšie - chcete aj tak začať priamu správu?", - "Formatting": "Formátovanie", - "Upload custom sound": "Nahrať vlastný zvuk", "Search all rooms": "Vyhľadávať vo všetkých miestnostiach", "Search this room": "Vyhľadávať v tejto miestnosti", - "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)", "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á", "Waiting for users to join %(brand)s": "Čaká sa na používateľov, kým sa pripoja k aplikácii %(brand)s", - "You do not have permission to invite users": "Nemáte oprávnenie pozývať používateľov", "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", - "Receive an email summary of missed notifications": "Prijímajte e-mailový súhrn zmeškaných oznámení", - "Select which emails you want to send summaries to. Manage your emails in .": "Vyberte e-maily, na ktoré chcete odosielať súhrny. Spravujte svoje e-maily v .", - "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": "Aktualizácia:Zjednodušili sme nastavenia oznámení, aby ste ľahšie našli možnosti nastavenia. Niektoré vlastné nastavenia, ktoré ste si vybrali v minulosti, sa tu nezobrazujú, ale sú stále aktívne. Ak budete pokračovať, niektoré vaše nastavenia sa môžu zmeniť. Zistiť viac", - "Mentions and Keywords": "Zmienky a kľúčové slová", - "Other things we think you might be interested in:": "Ďalšie veci, ktoré by vás mohli zaujímať:", - "Show a badge when keywords are used in a room.": "Zobraziť odznak pri použití kľúčových slov v miestnosti.", - "Email summary": "Emailový súhrn", - "People, Mentions and Keywords": "Ľudia, zmienky a kľúčové slová", - "Mentions and Keywords only": "Iba zmienky a kľúčové slová", - "Show message preview in desktop notification": "Zobraziť náhľad správy v oznámení na pracovnej ploche", - "I want to be notified for (Default Setting)": "Chcem byť upozornený na (Predvolené nastavenie)", - "This setting will be applied by default to all your rooms.": "Toto nastavenie sa predvolene použije pre všetky vaše miestnosti.", - "Play a sound for": "Prehrať zvuk pre", - "Applied by default to all rooms on all devices.": "Predvolene sa používa na všetky miestnosti na všetkých zariadeniach.", - "Audio and Video calls": "Zvukové a video hovory", - "Invited to a room": "Pozvaný do miestnosti", - "New room activity, upgrades and status messages occur": "Objavujú sa nové aktivity v miestnosti, aktualizácie a správy o stave", - "Messages sent by bots": "Správy odosielané robotmi", - "Unable to find user by email": "Nie je možné nájsť používateľa podľa e-mailu", "Messages here are end-to-end encrypted. Verify %(displayName)s in their profile - tap on their profile picture.": "Správy sú tu end-to-end šifrované. Overte %(displayName)s v ich profile - ťuknite na ich profilový obrázok.", "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.": "Správy v tejto miestnosti sú šifrované od vás až k príjemcovi. Keď sa ľudia pridajú, môžete ich overiť v ich profile, stačí len ťuknúť na ich profilový obrázok.", "Upgrade room": "Aktualizovať miestnosť", - "Notify when someone mentions using @room": "Upozorniť, keď sa niekto zmieni použitím @miestnosť", - "Notify when someone mentions using @displayname or %(mxid)s": "Upozorniť, keď sa niekto zmieni použitím @zobrazovanemeno alebo %(mxid)s", - "Notify when someone uses a keyword": "Upozorniť, keď niekto použije kľúčové slovo", - "Enter keywords here, or use for spelling variations or nicknames": "Zadajte sem kľúčové slová alebo ich použite pre pravopisné varianty alebo prezývky", - "Quick Actions": "Rýchle akcie", - "Mark all messages as read": "Označiť všetky správy ako prečítané", - "Reset to default settings": "Obnoviť predvolené nastavenia", - "Great! This passphrase looks strong enough": "Skvelé! Táto bezpečnostná fráza vyzerá dostatočne silná", - "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Exportovaný súbor umožní každému, kto si ho môže prečítať, dešifrovať všetky zašifrované správy, ktoré môžete vidieť, preto by ste mali dbať na jeho zabezpečenie. Na pomoc by ste mali nižšie zadať jedinečnú prístupovú frázu, ktorá sa použije len na zašifrovanie exportovaných údajov. Údaje bude možné importovať len pomocou rovnakej prístupovej frázy.", "Other spaces you know": "Ďalšie priestory, ktoré poznáte", - "Request access": "Požiadať o prístup", - "Request to join sent": "Žiadosť o pripojenie odoslaná", - "Ask to join %(roomName)s?": "Požiadať o pripojenie do %(roomName)s?", - "Ask to join?": "Požiadať o pripojenie?", - "You need to be granted access to this room in order to view or participate in the conversation. You can send a request to join below.": "Ak si chcete pozrieť konverzáciu alebo sa do nej zapojiť, musíte mať do tejto miestnosti povolený prístup. Žiadosť o pripojenie môžete poslať nižšie.", - "Cancel request": "Zrušiť žiadosť", "Failed to query public rooms": "Nepodarilo sa vyhľadať verejné miestnosti", - "Message (optional)": "Správa (voliteľné)", - "Your request to join is pending.": "Vaša žiadosť o pripojenie čaká na vybavenie.", "common": { "about": "Informácie", "analytics": "Analytické údaje", @@ -1755,7 +1403,18 @@ "saving": "Ukladanie…", "profile": "Profil", "display_name": "Zobrazované meno", - "user_avatar": "Obrázok v profile" + "user_avatar": "Obrázok v profile", + "authentication": "Overenie", + "public_room": "Verejná miestnosť", + "video_room": "Video miestnosť", + "public_space": "Verejný priestor", + "private_space": "Súkromný priestor", + "private_room": "Súkromná miestnosť", + "rooms": "Miestnosti", + "low_priority": "Nízka priorita", + "historical": "Historické", + "go_to_settings": "Otvoriť nastavenia", + "setup_secure_messages": "Nastavenie zabezpečených správ" }, "action": { "continue": "Pokračovať", @@ -1861,7 +1520,16 @@ "unban": "Povoliť vstup", "click_to_copy": "Kliknutím skopírujete", "hide_advanced": "Skryť pokročilé možnosti", - "show_advanced": "Ukázať pokročilé možnosti" + "show_advanced": "Ukázať pokročilé možnosti", + "unignore": "Prestať ignorovať", + "start_new_chat": "Spustiť novú konverzáciu", + "invite_to_space": "Pozvať do priestoru", + "add_people": "Pridať ľudí", + "explore_rooms": "Preskúmať miestnosti", + "new_room": "Nová miestnosť", + "new_video_room": "Nová video miestnosť", + "add_existing_room": "Pridať existujúcu miestnosť", + "explore_public_rooms": "Preskúmajte verejné miestnosti" }, "a11y": { "user_menu": "Používateľské menu", @@ -1874,7 +1542,8 @@ "one": "1 neprečítaná správa." }, "unread_messages": "Neprečítané správy.", - "jump_first_invite": "Prejsť na prvú pozvánku." + "jump_first_invite": "Prejsť na prvú pozvánku.", + "room_name": "Miestnosť %(name)s" }, "labs": { "video_rooms": "Video miestnosti", @@ -2066,7 +1735,22 @@ "space_a11y": "Automatické dopĺňanie priestoru", "user_description": "Používatelia", "user_a11y": "Automatické dopĺňanie používateľov" - } + }, + "room_upgraded_link": "Konverzácia pokračuje tu.", + "room_upgraded_notice": "Táto miestnosť bola nahradená a nie je viac aktívna.", + "no_perms_notice": "Nemáte povolenie posielať do tejto miestnosti", + "send_button_voice_message": "Odoslať hlasovú správu", + "close_sticker_picker": "Skryť nálepky", + "voice_message_button": "Hlasová správa", + "poll_button_no_perms_title": "Vyžaduje sa povolenie", + "poll_button_no_perms_description": "Nemáte povolenie spúšťať ankety v tejto miestnosti.", + "poll_button": "Anketa", + "mode_plain": "Skryť formátovanie", + "mode_rich_text": "Zobraziť formátovanie", + "formatting_toolbar_label": "Formátovanie", + "format_italics": "Kurzíva", + "format_insert_link": "Vložiť odkaz", + "replying_title": "Odpoveď" }, "Link": "Odkaz", "Code": "Kód", @@ -2246,7 +1930,32 @@ "error_title": "Nie je možné povoliť oznámenia", "error_updating": "Pri aktualizácii vašich predvolieb oznámení došlo k chybe. Skúste prosím prepnúť možnosť znova.", "push_targets": "Ciele oznámení", - "error_loading": "Pri načítaní nastavení oznámení došlo k chybe." + "error_loading": "Pri načítaní nastavení oznámení došlo k chybe.", + "email_section": "Emailový súhrn", + "email_description": "Prijímajte e-mailový súhrn zmeškaných oznámení", + "email_select": "Vyberte e-maily, na ktoré chcete odosielať súhrny. Spravujte svoje e-maily v .", + "people_mentions_keywords": "Ľudia, zmienky a kľúčové slová", + "mentions_keywords_only": "Iba zmienky a kľúčové slová", + "labs_notice_prompt": "Aktualizácia:Zjednodušili sme nastavenia oznámení, aby ste ľahšie našli možnosti nastavenia. Niektoré vlastné nastavenia, ktoré ste si vybrali v minulosti, sa tu nezobrazujú, ale sú stále aktívne. Ak budete pokračovať, niektoré vaše nastavenia sa môžu zmeniť. Zistiť viac", + "desktop_notification_message_preview": "Zobraziť náhľad správy v oznámení na pracovnej ploche", + "default_setting_section": "Chcem byť upozornený na (Predvolené nastavenie)", + "default_setting_description": "Toto nastavenie sa predvolene použije pre všetky vaše miestnosti.", + "play_sound_for_section": "Prehrať zvuk pre", + "play_sound_for_description": "Predvolene sa používa na všetky miestnosti na všetkých zariadeniach.", + "mentions_keywords": "Zmienky a kľúčové slová", + "voip": "Zvukové a video hovory", + "other_section": "Ďalšie veci, ktoré by vás mohli zaujímať:", + "invites": "Pozvaný do miestnosti", + "room_activity": "Objavujú sa nové aktivity v miestnosti, aktualizácie a správy o stave", + "notices": "Správy odosielané robotmi", + "keywords": "Zobraziť odznak pri použití kľúčových slov v miestnosti.", + "notify_at_room": "Upozorniť, keď sa niekto zmieni použitím @miestnosť", + "notify_mention": "Upozorniť, keď sa niekto zmieni použitím @zobrazovanemeno alebo %(mxid)s", + "notify_keyword": "Upozorniť, keď niekto použije kľúčové slovo", + "keywords_prompt": "Zadajte sem kľúčové slová alebo ich použite pre pravopisné varianty alebo prezývky", + "quick_actions_section": "Rýchle akcie", + "quick_actions_mark_all_read": "Označiť všetky správy ako prečítané", + "quick_actions_reset": "Obnoviť predvolené nastavenia" }, "appearance": { "layout_irc": "IRC (experimentálne)", @@ -2284,7 +1993,19 @@ "echo_cancellation": "Potlačenie ozveny", "noise_suppression": "Potlačenie hluku", "enable_fallback_ice_server": "Povoliť náhradnú službu hovorov asistenčného servera (%(server)s)", - "enable_fallback_ice_server_description": "Platí len v prípade, ak váš domovský server takúto možnosť neponúka. Vaša IP adresa bude počas hovoru zdieľaná." + "enable_fallback_ice_server_description": "Platí len v prípade, ak váš domovský server takúto možnosť neponúka. Vaša IP adresa bude počas hovoru zdieľaná.", + "missing_permissions_prompt": "Ak vám chýbajú povolenia na médiá, kliknite na tlačidlo nižšie na ich vyžiadanie.", + "request_permissions": "Požiadať o povolenia pristupovať k médiám", + "audio_output": "Výstup zvuku", + "audio_output_empty": "Neboli rozpoznané žiadne zariadenia pre výstup zvuku", + "audio_input_empty": "Neboli rozpoznané žiadne mikrofóny", + "video_input_empty": "Neboli rozpoznané žiadne kamery", + "title": "Zvuk a video", + "voice_section": "Nastavenia hlasu", + "voice_agc": "Automaticky upraviť hlasitosť mikrofónu", + "video_section": "Nastavenia videa", + "voice_processing": "Spracovanie hlasu", + "connection_section": "Pripojenie" }, "send_read_receipts_unsupported": "Váš server nepodporuje vypnutie odosielania potvrdení o prečítaní.", "security": { @@ -2357,7 +2078,11 @@ "key_backup_in_progress": "Zálohovanie %(sessionsRemaining)s kľúčov…", "key_backup_complete": "Všetky kľúče sú zálohované", "key_backup_algorithm": "Algoritmus:", - "key_backup_inactive_warning": "Vaše kľúče nie sú zálohované z tejto relácie." + "key_backup_inactive_warning": "Vaše kľúče nie sú zálohované z tejto relácie.", + "key_backup_active_version_none": "Žiadne", + "ignore_users_empty": "Nemáte žiadnych ignorovaných používateľov.", + "ignore_users_section": "Ignorovaní používatelia", + "e2ee_default_disabled_warning": "Správca vášho servera predvolene vypol end-to-end šifrovanie v súkromných miestnostiach a v priamych správach." }, "preferences": { "room_list_heading": "Zoznam miestností", @@ -2477,7 +2202,8 @@ "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í?" }, - "other_sessions_subsection_description": "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_subsection_description": "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.", + "error_pusher_state": "Nepodarilo sa nastaviť stav push oznámení" }, "general": { "oidc_manage_button": "Spravovať účet", @@ -2499,7 +2225,46 @@ "add_msisdn_dialog_title": "Pridať telefónne číslo", "name_placeholder": "Žiadne zobrazované meno", "error_saving_profile_title": "Nepodarilo sa uložiť váš profil", - "error_saving_profile": "Operáciu nebolo možné dokončiť" + "error_saving_profile": "Operáciu nebolo možné dokončiť", + "error_password_change_unknown": "Neznáma chyba pri zmene hesla (%(stringifiedError)s)", + "error_password_change_403": "Nepodarilo sa zmeniť heslo. Zadali ste správne heslo?", + "error_password_change_http": "%(errorMessage)s (HTTP stav %(httpStatus)s)", + "error_password_change_title": "Chyba pri zmene hesla", + "password_change_success": "Vaše heslo bolo úspešne zmenené.", + "emails_heading": "Emailové adresy", + "msisdns_heading": "Telefónne čísla", + "password_change_section": "Nastaviť nové heslo k účtu…", + "external_account_management": "Údaje o vašom účte sú spravované samostatne na adrese %(hostname)s.", + "discovery_needs_terms": "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.", + "deactivate_section": "Deaktivovať účet", + "account_management_section": "Správa účtu", + "deactivate_warning": "Deaktivácia účtu je trvalý úkon — buďte opatrní!", + "discovery_section": "Objavovanie", + "error_revoke_email_discovery": "Nepodarilo sa zrušiť zdieľanie emailovej adresy", + "error_share_email_discovery": "Nepodarilo sa zdieľať emailovú adresu", + "email_not_verified": "Vaša emailová adresa nebola zatiaľ overená", + "email_verification_instructions": "Pre overenie kliknite na odkaz v emaile, ktorý ste dostali, a potom znova kliknite pokračovať.", + "error_email_verification": "Nie je možné overiť emailovú adresu.", + "discovery_email_verification_instructions": "Overte odkaz vo vašej emailovej schránke", + "discovery_email_empty": "Možnosti nastavenia verejného profilu sa objavia po pridaní e-mailovej adresy vyššie.", + "error_revoke_msisdn_discovery": "Nepodarilo sa zrušiť zdieľanie telefónneho čísla", + "error_share_msisdn_discovery": "Nepodarilo sa zdieľanie telefónneho čísla", + "error_msisdn_verification": "Nie je možné overiť telefónne číslo.", + "incorrect_msisdn_verification": "Nesprávny overovací kód", + "msisdn_verification_instructions": "Zadajte prosím overovací kód zaslaný prostredníctvom SMS.", + "msisdn_verification_field_label": "Overovací kód", + "discovery_msisdn_empty": "Možnosti nastavenia verejného profilu sa objavia po pridaní telefónneho čísla vyššie.", + "error_set_name": "Nepodarilo sa nastaviť zobrazované meno", + "error_remove_3pid": "Nie je možné odstrániť kontaktné informácie", + "remove_email_prompt": "Odstrániť adresu %(email)s?", + "error_invalid_email": "Nesprávna emailová adresa", + "error_invalid_email_detail": "Toto nevyzerá ako platná e-mailová adresa", + "error_add_email": "Nie je možné pridať emailovú adresu", + "add_email_instructions": "Poslali sme vám email, aby sme mohli overiť vašu adresu. Postupujte podľa odoslaných inštrukcií a potom kliknite na nižšie zobrazené tlačidlo.", + "email_address_label": "Emailová adresa", + "remove_msisdn_prompt": "Odstrániť číslo %(phone)s?", + "add_msisdn_instructions": "SMSka vám bola zaslaná na +%(msisdn)s. Zadajte prosím overovací kód, ktorý obsahuje.", + "msisdn_label": "Telefónne číslo" }, "sidebar": { "title": "Bočný panel", @@ -2512,6 +2277,58 @@ "metaspaces_orphans_description": "Zoskupte všetky miestnosti, ktoré nie sú súčasťou priestoru, na jednom mieste.", "metaspaces_home_all_rooms_description": "Zobrazte všetky miestnosti v časti Domov, aj keď sú v priestore.", "metaspaces_home_all_rooms": "Zobraziť všetky miestnosti" + }, + "key_backup": { + "backup_in_progress": "Zálohovanie kľúčov máte aktívne (prvé zálohovanie môže trvať niekoľko minút).", + "backup_starting": "Začína sa zálohovanie…", + "backup_success": "Úspech!", + "create_title": "Vytvoriť zálohu kľúča", + "cannot_create_backup": "Nie je možné vytvoriť zálohu šifrovacích kľúčov", + "setup_secure_backup": { + "generate_security_key_title": "Vygenerovať bezpečnostný kľúč", + "generate_security_key_description": "Vygenerujeme vám bezpečnostný kľúč, ktorý si uložte na bezpečné miesto, napríklad do správcu hesiel alebo do trezoru.", + "enter_phrase_title": "Zadajte bezpečnostnú frázu", + "description": "Zabezpečte sa pred stratou šifrovaných správ a údajov zálohovaním šifrovacích kľúčov na vašom serveri.", + "requires_password_confirmation": "Na potvrdenie aktualizácie zadajte heslo svojho účtu:", + "requires_key_restore": "Obnovte zálohu kľúča a aktualizujte šifrovanie", + "requires_server_authentication": "Na potvrdenie aktualizácie sa budete musieť overiť na serveri.", + "session_upgrade_description": "Aktualizujte túto reláciu, aby mohla overovať ostatné relácie, udeľovať im prístup k zašifrovaným správam a označovať ich ako dôveryhodné pre ostatných používateľov.", + "enter_phrase_description": "Zadajte bezpečnostnú frázu, ktorú poznáte len vy, keďže sa používa na ochranu vašich údajov. V záujme bezpečnosti by ste nemali heslo k účtu používať opakovane.", + "phrase_strong_enough": "Skvelé! Táto bezpečnostná fráza vyzerá dostatočne silná.", + "pass_phrase_match_success": "Zhoda!", + "use_different_passphrase": "Použiť inú prístupovú frázu?", + "pass_phrase_match_failed": "To sa nezhoduje.", + "set_phrase_again": "Vráťte sa späť a nastavte to znovu.", + "enter_phrase_to_confirm": "Zadajte svoju bezpečnostnú frázu znova, aby ste ju potvrdili.", + "confirm_security_phrase": "Potvrďte svoju bezpečnostnú frázu", + "security_key_safety_reminder": "Bezpečnostný kľúč uložte na bezpečné miesto, napríklad do správcu hesiel alebo trezora, pretože slúži na ochranu zašifrovaných údajov.", + "download_or_copy": "%(downloadButton)s alebo %(copyButton)s", + "backup_setup_success_description": "Kľúče sa teraz zálohujú z tohto zariadenia.", + "backup_setup_success_title": "Bezpečné zálohovanie bolo úspešné", + "secret_storage_query_failure": "Nie je možné vykonať dopyt na stav tajného úložiska", + "cancel_warning": "Ak to teraz zrušíte, môžete prísť o zašifrované správy a údaje, ak stratíte prístup k svojim prihlasovacím údajom.", + "settings_reminder": "Bezpečné zálohovanie a správu kľúčov môžete nastaviť aj v Nastaveniach.", + "title_upgrade_encryption": "Aktualizujte svoje šifrovanie", + "title_set_phrase": "Nastaviť bezpečnostnú frázu", + "title_confirm_phrase": "Potvrdiť bezpečnostnú frázu", + "title_save_key": "Uložte svoj bezpečnostný kľúč", + "unable_to_setup": "Nie je možné nastaviť tajné úložisko", + "use_phrase_only_you_know": "Použite tajnú frázu, ktorú poznáte len vy, a prípadne uložte si bezpečnostný kľúč, ktorý môžete použiť na zálohovanie." + } + }, + "key_export_import": { + "export_title": "Exportovať kľúče miestností", + "export_description_1": "Tento proces vás prevedie exportom kľúčov určených na dešifrovanie správ, ktoré ste dostali v šifrovaných miestnostiach do lokálneho súboru. Tieto kľúče zo súboru môžete neskôr importovať do iného Matrix klienta, aby ste v ňom mohli dešifrovať vaše šifrované správy.", + "export_description_2": "Exportovaný súbor umožní každému, kto si ho môže prečítať, dešifrovať všetky zašifrované správy, ktoré môžete vidieť, preto by ste mali dbať na jeho zabezpečenie. Na pomoc by ste mali nižšie zadať jedinečnú prístupovú frázu, ktorá sa použije len na zašifrovanie exportovaných údajov. Údaje bude možné importovať len pomocou rovnakej prístupovej frázy.", + "enter_passphrase": "Zadajte prístupovú frázu", + "phrase_strong_enough": "Skvelé! Táto bezpečnostná fráza vyzerá dostatočne silná", + "confirm_passphrase": "Potvrďte prístupovú frázu", + "phrase_cannot_be_empty": "Prístupová fráza nesmie byť prázdna", + "phrase_must_match": "Prístupové frázy sa musia zhodovať", + "import_title": "Importovať kľúče miestností", + "import_description_1": "Tento proces vás prevedie importom šifrovacích kľúčov, ktoré ste si v minulosti exportovali v inom Matrix klientovi. Po úspešnom importe budete v tomto klientovi môcť dešifrovať všetky správy, ktoré ste mohli dešifrovať v spomínanom klientovi.", + "import_description_2": "Exportovaný súbor bude chránený prístupovou frázou. Tu by ste mali zadať prístupovú frázu, aby ste súbor dešifrovali.", + "file_to_import": "Importovať zo súboru" } }, "devtools": { @@ -3023,7 +2840,19 @@ "collapse_reply_thread": "Zbaliť vlákno odpovedí", "view_related_event": "Zobraziť súvisiacu udalosť", "report": "Nahlásiť" - } + }, + "url_preview": { + "show_n_more": { + "one": "Zobraziť %(count)s ďalší náhľad", + "other": "Zobraziť %(count)s ďalších náhľadov" + }, + "close": "Zatvoriť náhľad" + }, + "read_receipt_title": { + "one": "Videl %(count)s človek", + "other": "Videlo %(count)s ľudí" + }, + "read_receipts_label": "Potvrdenia o prečítaní" }, "slash_command": { "spoiler": "Odošle danú správu ako spojler", @@ -3290,7 +3119,14 @@ "permissions_section_description_room": "Vyberte role potrebné na zmenu rôznych častí miestnosti", "add_privileged_user_heading": "Pridať oprávnených používateľov", "add_privileged_user_description": "Prideliť jednému alebo viacerým používateľom v tejto miestnosti viac oprávnení", - "add_privileged_user_filter_placeholder": "Vyhľadať používateľov v tejto miestnosti…" + "add_privileged_user_filter_placeholder": "Vyhľadať používateľov v tejto miestnosti…", + "error_unbanning": "Nepodarilo sa povoliť vstup", + "banned_by": "Vstup zakázal %(displayName)s", + "ban_reason": "Dôvod", + "error_changing_pl_reqs_title": "Chyba pri zmene požiadavky na úroveň oprávnenia", + "error_changing_pl_reqs_description": "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_pl_title": "Chyba pri zmene úrovne oprávnenia", + "error_changing_pl_description": "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." }, "security": { "strict_encryption": "Nikdy neposielať šifrované správy neovereným reláciám v tejto miestnosti z tejto relácie", @@ -3345,7 +3181,9 @@ "join_rule_upgrade_updating_spaces": { "one": "Aktualizácia priestoru...", "other": "Aktualizácia priestorov... (%(progress)s z %(count)s)" - } + }, + "error_join_rule_change_title": "Nepodarilo sa aktualizovať pravidlá pripojenia", + "error_join_rule_change_unknown": "Neznáme zlyhanie" }, "general": { "publish_toggle": "Uverejniť túto miestnosť v adresári miestností na serveri %(domain)s?", @@ -3359,7 +3197,9 @@ "error_save_space_settings": "Nepodarilo sa uložiť nastavenia priestoru.", "description_space": "Upravte nastavenia týkajúce sa vášho priestoru.", "save": "Uložiť zmeny", - "leave_space": "Opustiť priestor" + "leave_space": "Opustiť priestor", + "aliases_section": "Adresy miestnosti", + "other_section": "Ďalšie" }, "advanced": { "unfederated": "Táto miestnosť nie je prístupná zo vzdialených Matrix serverov", @@ -3370,7 +3210,9 @@ "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:" + "room_version": "Verzia miestnosti:", + "information_section_space": "Informácie o priestore", + "information_section_room": "Informácie o miestnosti" }, "delete_avatar_label": "Vymazať obrázok", "upload_avatar_label": "Nahrať obrázok", @@ -3384,11 +3226,32 @@ "history_visibility_anyone_space": "Prehľad priestoru", "history_visibility_anyone_space_description": "Umožnite ľuďom prezrieť si váš priestor predtým, ako sa k vám pripoja.", "history_visibility_anyone_space_recommendation": "Odporúča sa pre verejné priestory.", - "guest_access_label": "Zapnúť prístup pre hostí" + "guest_access_label": "Zapnúť prístup pre hostí", + "alias_section": "Adresa" }, "access": { "title": "Prístup", "description_space": "Určite, kto môže zobrazovať a pripájať sa k %(spaceName)s." + }, + "bridges": { + "description": "Táto miestnosť premosťuje správy s nasledujúcimi platformami. Viac informácií", + "empty": "Táto miestnosť nepremosťuje správy so žiadnymi platformami. Viac informácií", + "title": "Premostenia" + }, + "notifications": { + "uploaded_sound": "Nahratý zvuk", + "settings_link": "Dostávajte oznámenia podľa nastavenia v nastaveniach", + "sounds_section": "Zvuky", + "notification_sound": "Zvuk oznámenia", + "custom_sound_prompt": "Nastaviť vlastný zvuk", + "upload_sound_label": "Nahrať vlastný zvuk", + "browse_button": "Prechádzať" + }, + "voip": { + "enable_element_call_label": "Zapnúť %(brand)s ako ďalšiu možnosť volania v tejto miestnosti", + "enable_element_call_caption": "%(brand)s je end-to-end šifrovaný, ale v súčasnosti je obmedzený pre menší počet používateľov.", + "enable_element_call_no_permissions_tooltip": "Nemáte dostatočné oprávnenia na to, aby ste toto mohli zmeniť.", + "call_type_section": "Typ hovoru" } }, "encryption": { @@ -3423,7 +3286,19 @@ "unverified_session_toast_accept": "Áno, bol som to ja", "request_toast_detail": "%(deviceId)s z %(ip)s", "request_toast_decline_counter": "Ignorovať (%(counter)s)", - "request_toast_accept": "Overiť reláciu" + "request_toast_accept": "Overiť reláciu", + "no_key_or_device": "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.", + "reset_proceed_prompt": "Pokračovať v obnovení", + "verify_using_key_or_phrase": "Overiť pomocou bezpečnostného kľúča alebo frázy", + "verify_using_key": "Overenie bezpečnostným kľúčom", + "verify_using_device": "Overiť pomocou iného zariadenia", + "verification_description": "Overte svoju totožnosť, aby ste mali prístup k zašifrovaným správam a potvrdili svoju totožnosť ostatným.", + "verification_success_with_backup": "Vaše nové zariadenie je teraz overené. Má prístup k vašim zašifrovaným správam a ostatní používatelia ho budú považovať za dôveryhodné.", + "verification_success_without_backup": "Vaše nové zariadenie je teraz overené. Ostatní používatelia ho budú vidieť ako dôveryhodné.", + "verification_skip_warning": "Bez overenia nebudete mať prístup ku všetkým svojim správam a pre ostatných sa môžete javiť ako nedôveryhodní.", + "verify_later": "Overím to neskôr", + "verify_reset_warning_1": "Vynulovanie overovacích kľúčov sa nedá vrátiť späť. Po vynulovaní nebudete mať prístup k starým zašifrovaným správam a všetci priatelia, ktorí vás predtým overili, uvidia bezpečnostné upozornenia, kým sa u nich znovu neoveríte.", + "verify_reset_warning_2": "Pokračujte prosím iba vtedy, ak ste si istí, že ste stratili všetky ostatné zariadenia a váš bezpečnostný kľúč." }, "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.", @@ -3444,7 +3319,19 @@ "cross_signing_ready_no_backup": "Krížové podpisovanie je pripravené, ale kľúče nie sú zálohované.", "cross_signing_untrusted": "Váš účet má v tajnom úložisku krížovú podpisovú totožnosť, ale táto relácia jej ešte nedôveruje.", "cross_signing_not_ready": "Krížové podpisovanie nie je nastavené.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Nový spôsob obnovy", + "description_1": "Bola zistená nová bezpečnostná fráza a kľúč pre zabezpečené správy.", + "description_2": "Táto relácia šifruje históriu pomocou novej metódy obnovy.", + "warning": "Ak ste si nenastavili nový spôsob obnovenia, je možné, že útočník sa pokúša dostať k vášmu účtu. Radšej si ihneď zmeňte vaše heslo a nastavte si nový spôsob obnovenia v Nastaveniach." + }, + "recovery_method_removed": { + "title": "Odstránený spôsob obnovenia", + "description_1": "Táto relácia zistila, že vaša bezpečnostná fráza a kľúč pre zabezpečené správy boli odstránené.", + "description_2": "Ak ste to urobili omylom, môžete v tejto relácii nastaviť Zabezpečené správy, ktoré znovu zašifrujú históriu správ tejto relácie pomocou novej metódy obnovy.", + "warning": "Ak ste neodstránili spôsob obnovenia vy, je možné, že útočník sa pokúša dostať k vášmu účtu. Radšej si ihneď zmeňte vaše heslo a nastavte si nový spôsob obnovenia v Nastaveniach." + } }, "emoji": { "category_frequently_used": "Často používané", @@ -3626,7 +3513,11 @@ "autodiscovery_unexpected_error_is": "Neočakávaná chyba pri zisťovaní nastavení servera totožností", "autodiscovery_hs_incompatible": "Váš domovský server je príliš starý a nepodporuje minimálnu požadovanú verziu API. Obráťte sa na vlastníka servera alebo aktualizujte svoj server.", "incorrect_credentials_detail": "Všimnite si: Práve sa prihlasujete na server %(hs)s, nie na server matrix.org.", - "create_account_title": "Vytvoriť účet" + "create_account_title": "Vytvoriť účet", + "failed_soft_logout_homeserver": "Opätovná autentifikácia zlyhala kvôli problému domovského servera", + "soft_logout_subheading": "Zmazať osobné dáta", + "soft_logout_warning": "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.", + "forgot_password_send_email": "Poslať e-mail" }, "room_list": { "sort_unread_first": "Najprv ukázať miestnosti s neprečítanými správami", @@ -3643,7 +3534,23 @@ "notification_options": "Možnosti oznámenia", "failed_set_dm_tag": "Nepodarilo sa nastaviť značku priamej správy", "failed_remove_tag": "Z miestnosti sa nepodarilo odstrániť značku %(tagName)s", - "failed_add_tag": "Miestnosti sa nepodarilo pridať značku %(tagName)s" + "failed_add_tag": "Miestnosti sa nepodarilo pridať značku %(tagName)s", + "breadcrumbs_label": "Nedávno navštívené miestnosti", + "breadcrumbs_empty": "Žiadne nedávno navštívené miestnosti", + "add_room_label": "Pridať miestnosť", + "suggested_rooms_heading": "Navrhované miestnosti", + "add_space_label": "Pridať priestor", + "join_public_room_label": "Pripojiť sa k verejnej miestnosti", + "joining_rooms_status": { + "other": "Momentálne ste pripojení k %(count)s miestnostiam", + "one": "Momentálne ste pripojení k %(count)s miestnosti" + }, + "redacting_messages_status": { + "one": "V súčasnosti sa odstraňujú správy v %(count)s miestnosti", + "other": "V súčasnosti sa odstraňujú správy v %(count)s miestnostiach" + }, + "space_menu_label": "%(spaceName)s ponuka", + "home_menu_label": "Možnosti domovskej obrazovky" }, "report_content": { "missing_reason": "Vyplňte prosím, prečo podávate hlásenie.", @@ -3901,7 +3808,8 @@ "search_children": "Hľadať %(spaceName)s", "invite_link": "Zdieľať odkaz na pozvánku", "invite": "Pozvať ľudí", - "invite_description": "Pozvať pomocou e-mailu alebo používateľského mena" + "invite_description": "Pozvať pomocou e-mailu alebo používateľského mena", + "invite_this_space": "Pozvať do tohto priestoru" }, "location_sharing": { "MapStyleUrlNotConfigured": "Tento domovský server nie je nastavený na zobrazovanie máp.", @@ -3957,7 +3865,8 @@ "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" + "lists_new_label": "ID miestnosti alebo adresa zoznamu zákazov", + "rules_empty": "Žiadne" }, "create_space": { "name_required": "Zadajte prosím názov priestoru", @@ -4059,8 +3968,80 @@ "forget": "Zabudnúť miestnosť", "mark_read": "Označiť ako prečítané", "notifications_default": "Rovnaké ako predvolené nastavenie", - "notifications_mute": "Stlmiť miestnosť" - } + "notifications_mute": "Stlmiť miestnosť", + "title": "Možnosti miestnosti" + }, + "invite_this_room": "Pozvať do tejto miestnosti", + "header": { + "video_call_button_jitsi": "Videohovor (Jitsi)", + "video_call_button_ec": "Videohovor (%(brand)s)", + "video_call_ec_layout_freedom": "Sloboda", + "video_call_ec_layout_spotlight": "Stredobod", + "video_call_ec_change_layout": "Zmeniť rozloženie", + "forget_room_button": "Zabudnúť miestnosť", + "hide_widgets_button": "Skryť widgety", + "show_widgets_button": "Zobraziť widgety", + "close_call_button": "Zavrieť hovor", + "video_room_view_chat_button": "Zobraziť časovú os konverzácie" + }, + "error_3pid_invite_email_lookup": "Nie je možné nájsť používateľa podľa e-mailu", + "joining_space": "Pripájanie sa do priestoru …", + "joining_room": "Pripájanie do miestnosti …", + "joining": "Pripájanie…", + "rejecting": "Odmietnutie pozvania …", + "join_title": "Pripojte sa k miestnosti a zúčastnite sa", + "join_title_account": "Pripojte sa ku konverzácii pomocou účtu", + "join_button_account": "Zaregistrovať sa", + "loading_preview": "Načítavanie náhľadu", + "kicked_from_room_by": "Boli ste odstránení z %(roomName)s používateľom %(memberName)s", + "kicked_by": "Odstránil vás %(memberName)s", + "kick_reason": "Dôvod: %(reason)s", + "forget_space": "Zabudnúť tento priestor", + "forget_room": "Zabudnúť túto miestnosť", + "rejoin_button": "Znovu sa pripojiť", + "banned_from_room_by": "Boli ste zakázaný v %(roomName)s používateľom %(memberName)s", + "banned_by": "%(memberName)s vám zakázal prístup", + "3pid_invite_error_title_room": "Niečo sa pokazilo s vašou pozvánkou do miestnosti %(roomName)s", + "3pid_invite_error_title": "Niečo sa pokazilo s vašou pozvánkou.", + "3pid_invite_error_description": "Pri pokuse o overenie vašej pozvánky bola vrátená chyba (%(errcode)s). Túto informáciu môžete skúsiť odovzdať osobe, ktorá vás pozvala.", + "3pid_invite_error_invite_subtitle": "Môžete sa k nemu pripojiť len s funkčnou pozvánkou.", + "3pid_invite_error_invite_action": "Skúsiť sa pripojiť aj tak", + "3pid_invite_error_public_subtitle": "Stále sa môžete pripojiť tu.", + "join_the_discussion": "Pripojiť sa k diskusii", + "3pid_invite_email_not_found_account_room": "Táto pozvánka do %(roomName)s bola odoslaná na %(email)s, ktorý nie je spojený s vaším účtom", + "3pid_invite_email_not_found_account": "Táto pozvánka bola odoslaná na %(email)s, ktorý nie je spojený s vaším účtom", + "link_email_to_receive_3pid_invite": "Prepojte tento e-mail so svojím účtom v Nastaveniach, aby ste mohli dostávať pozvánky priamo v aplikácii %(brand)s.", + "invite_sent_to_email_room": "Táto pozvánka do %(roomName)s bola odoslaná na %(email)s", + "invite_sent_to_email": "Táto pozvánka bola odoslaná na %(email)s", + "3pid_invite_no_is_subtitle": "Použite server totožností v Nastaveniach na prijímanie pozvánok priamo v %(brand)s.", + "invite_email_mismatch_suggestion": "Ak chcete dostávať pozvánky priamo v %(brand)s, zdieľajte tento e-mail v Nastaveniach.", + "dm_invite_title": "Chcete konverzovať s %(user)s?", + "dm_invite_subtitle": " chce konverzovať", + "dm_invite_action": "Začať konverzáciu", + "invite_title": "Chcete sa pripojiť k %(roomName)s?", + "invite_subtitle": " vás pozval/a", + "invite_reject_ignore": "Odmietnuť a ignorovať používateľa", + "peek_join_prompt": "Zobrazujete náhľad %(roomName)s. Chcete sa k nej pripojiť?", + "no_peek_join_prompt": "Nie je možné zobraziť náhľad miestnosti %(roomName)s. Chcete sa k nej pripojiť?", + "no_peek_no_name_join_prompt": "Nie je tu žiadny náhľad, chcete sa pripojiť?", + "not_found_title_name": "%(roomName)s neexistuje.", + "not_found_title": "Táto miestnosť alebo priestor neexistuje.", + "not_found_subtitle": "Ste si istí, že ste na správnom mieste?", + "inaccessible_name": "%(roomName)s nie je momentálne prístupná.", + "inaccessible": "Táto miestnosť alebo priestor nie je momentálne prístupná.", + "inaccessible_subtitle_1": "Skúste to neskôr alebo požiadajte správcu miestnosti alebo priestoru, aby skontroloval, či máte prístup.", + "inaccessible_subtitle_2": "Pri pokuse o prístup do miestnosti alebo priestoru bolo vrátené %(errcode)s. Ak si myslíte, že sa vám táto správa zobrazuje chybne, odošlite hlásenie o chybe.", + "knock_prompt_name": "Požiadať o pripojenie do %(roomName)s?", + "knock_prompt": "Požiadať o pripojenie?", + "knock_subtitle": "Ak si chcete pozrieť konverzáciu alebo sa do nej zapojiť, musíte mať do tejto miestnosti povolený prístup. Žiadosť o pripojenie môžete poslať nižšie.", + "knock_message_field_placeholder": "Správa (voliteľné)", + "knock_send_action": "Požiadať o prístup", + "knock_sent": "Žiadosť o pripojenie odoslaná", + "knock_sent_subtitle": "Vaša žiadosť o pripojenie čaká na vybavenie.", + "knock_cancel_action": "Zrušiť žiadosť", + "join_failed_needs_invite": "Na zobrazenie %(roomName)s potrebujete pozvánku", + "view_failed_enable_video_rooms": "Ak ich chcete zobraziť, povoľte najprv video miestnosti v laboratóriách", + "join_failed_enable_video_rooms": "Ak sa chcete pripojiť, povoľte najprv video miestnosti v laboratóriách" }, "file_panel": { "guest_note": "Aby ste mohli použiť túto vlastnosť, musíte byť zaregistrovaný", @@ -4212,7 +4193,15 @@ "keyword_new": "Nové kľúčové slovo", "class_global": "Celosystémové", "class_other": "Ďalšie", - "mentions_keywords": "Zmienky a kľúčové slová" + "mentions_keywords": "Zmienky a kľúčové slová", + "default": "Predvolené", + "all_messages": "Všetky správy", + "all_messages_description": "Dostávajte upozornenia na každú správu", + "mentions_and_keywords": "@zmienky a kľúčové slová", + "mentions_and_keywords_description": "Dostávajte upozornenia len na zmienky a kľúčové slová nastavené vo vašich nastaveniach", + "mute_description": "Nebudete dostávať žiadne oznámenia", + "email_pusher_app_display_name": "Emailové oznámenia", + "message_didnt_send": "Správa sa neodoslala. Kliknite pre informácie." }, "mobile_guide": { "toast_title": "Použite aplikáciu pre lepší zážitok", @@ -4238,6 +4227,44 @@ "integration_manager": { "connecting": "Pripájanie k správcovi integrácie…", "error_connecting_heading": "Nie je možné sa pripojiť k integračnému serveru", - "error_connecting": "Integračný server je offline, alebo nemôže pristupovať k domovskému serveru." + "error_connecting": "Integračný server je offline, alebo nemôže pristupovať k domovskému serveru.", + "use_im_default": "Na správu botov, widgetov a balíkov nálepiek použite správcu integrácie (%(serverName)s).", + "use_im": "Na správu botov, widgetov a balíkov nálepiek použite správcu integrácie.", + "manage_title": "Spravovať integrácie", + "explainer": "Správcovia integrácie dostávajú konfiguračné údaje a môžu vo vašom mene upravovať widgety, posielať pozvánky do miestnosti a nastavovať úrovne oprávnení." + }, + "identity_server": { + "url_not_https": "URL adresa servera totožností musí byť HTTPS", + "error_invalid": "Nie je platný server totožností (kód stavu %(code)s)", + "error_connection": "Nepodarilo sa pripojiť k serveru totožností", + "checking": "Kontrola servera", + "change": "Zmeniť server totožností", + "change_prompt": "Naozaj si želáte odpojiť od servera totožností a pripojiť sa namiesto toho k serveru ?", + "error_invalid_or_terms": "Neprijali ste Podmienky poskytovania služby alebo to nie je správny server.", + "no_terms": "Zadaný server totožností nezverejňuje žiadne podmienky poskytovania služieb.", + "disconnect": "Odpojiť server totožností", + "disconnect_server": "Naozaj sa chcete odpojiť od servera totožností ?", + "disconnect_offline_warning": "Pred odpojením by ste mali odstrániť vaše osobné údaje zo servera totožností . Žiaľ, server totožnosti momentálne nie je dostupný a nie je možné sa k nemu pripojiť.", + "suggestions": "Mali by ste:", + "suggestions_1": "Skontrolovať rozšírenia inštalované vo webovom prehliadači, ktoré by mohli blokovať prístup k serveru totožností (napr. rozšírenie Privacy Badger)", + "suggestions_2": "Kontaktovať správcu servera totožností ", + "suggestions_3": "Počkať a skúsiť znovu neskôr", + "disconnect_anyway": "Napriek tomu sa odpojiť", + "disconnect_personal_data_warning_1": "Stále zdieľate svoje osobné údaje na serveri totožností .", + "disconnect_personal_data_warning_2": "Odporúčame, aby ste ešte pred odpojením sa zo servera totožností odstránili vašu emailovú adresu a telefónne číslo.", + "url": "Server totožností (%(server)s)", + "description_connected": "Momentálne na vyhľadávanie kontaktov a na možnosť byť nájdení kontaktmi ktorých poznáte používate . Zmeniť server totožností môžete nižšie.", + "change_server_prompt": "Ak nechcete na vyhľadávanie kontaktov a možnosť byť nájdení používať , zadajte adresu servera totožností nižšie.", + "description_disconnected": "Momentálne nepoužívate žiaden server totožností. Ak chcete vyhľadávať kontakty a zároveň umožniť ostatným vašim kontaktom, aby mohli nájsť vás, nastavte si server totožností nižšie.", + "disconnect_warning": "Ak sa odpojíte od servera totožností, vaše kontakty vás nebudú môcť nájsť a ani vy nebudete môcť pozývať používateľov zadaním emailovej adresy a telefónneho čísla.", + "description_optional": "Používanie servera totožností je voliteľné. Ak sa rozhodnete, že nebudete používať server totožností, nebudú vás vaši známi môcť nájsť a ani vy nebudete môcť pozývať používateľov zadaním emailovej adresy alebo telefónneho čísla.", + "do_not_use": "Nepoužívať server totožností", + "url_field_label": "Zadať nový server totožností" + }, + "member_list": { + "invite_button_no_perms_tooltip": "Nemáte oprávnenie pozývať používateľov", + "invited_list_heading": "Pozvaní", + "filter_placeholder": "Filtrovať členov v miestnosti", + "power_label": "%(userName)s (oprávnenie %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/sl.json b/src/i18n/strings/sl.json index d6fed8948c..d6f681a1db 100644 --- a/src/i18n/strings/sl.json +++ b/src/i18n/strings/sl.json @@ -1,5 +1,4 @@ { - "Explore rooms": "Raziščite sobe", "%(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", @@ -37,7 +36,8 @@ "confirm": "Potrdi", "dismiss": "Opusti", "sign_in": "Prijava", - "change": "Sprememba" + "change": "Sprememba", + "explore_rooms": "Raziščite sobe" }, "time": { "hours_minutes_seconds_left": "Preostalo je %(hours)s ur, %(minutes)s minut %(seconds)s sekund", diff --git a/src/i18n/strings/sq.json b/src/i18n/strings/sq.json index 0f92989136..8c99f41468 100644 --- a/src/i18n/strings/sq.json +++ b/src/i18n/strings/sq.json @@ -24,14 +24,12 @@ "Nov": "Nën", "Dec": "Dhj", "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", - "Default": "Parazgjedhje", "Restricted": "E kufizuar", "Moderator": "Moderator", "Sunday": "E diel", "Today": "Sot", "Friday": "E premte", "Changelog": "Regjistër ndryshimesh", - "Failed to change password. Is your password correct?": "S’u arrit të ndryshohej fjalëkalimi. A është i saktë fjalëkalimi juaj?", "Failed to send logs: ": "S’u arrit të dërgoheshin regjistra: ", "This Room": "Këtë Dhomë", "Unavailable": "Jo i passhëm", @@ -45,41 +43,28 @@ "Monday": "E hënë", "Failed to forget room %(errCode)s": "S’u arrit të harrohej dhoma %(errCode)s", "Wednesday": "E mërkurë", - "All messages": "Krejt mesazhet", "unknown error code": "kod gabimi të panjohur", "Thank you!": "Faleminderit!", - "Invite to this room": "Ftojeni te kjo dhomë", "You cannot delete this message. (%(code)s)": "S’mund ta fshini këtë mesazh. (%(code)s)", "Thursday": "E enjte", "Logs sent": "Regjistrat u dërguan", "Yesterday": "Dje", - "Rooms": "Dhoma", "PM": "PM", "AM": "AM", - "Reason": "Arsye", - "Incorrect verification code": "Kod verifikimi i pasaktë", - "Authentication": "Mirëfilltësim", "not specified": "e papërcaktuar", "This room has no local addresses": "Kjo dhomë s’ka adresë vendore", "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ë.", - "Unignore": "Shpërfille", "Admin Tools": "Mjete Përgjegjësi", "and %(count)s others...": { "other": "dhe %(count)s të tjerë…", "one": "dhe një tjetër…" }, - "Filter room members": "Filtroni anëtarë dhome", - "You do not have permission to post to this room": "S’keni leje të postoni në këtë dhomë", "%(duration)ss": "%(duration)ss", "%(duration)sm": "%(duration)sm", "%(duration)sh": "%(duration)sh", "%(duration)sd": "%(duration)sd", "Join Room": "Hyni në dhomë", - "Forget room": "Harroje dhomën", - "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", "Decrypt %(text)s": "Shfshehtëzoje %(text)s", "Add an Integration": "Shtoni një Integrim", "Email address": "Adresë email", @@ -91,10 +76,7 @@ "Custom level": "Nivel vetjak", "In reply to ": "Në Përgjigje të ", "Confirm Removal": "Ripohoni Heqjen", - "Deactivate Account": "Çaktivizoje Llogarinë", "An error has occurred.": "Ndodhi një gabim.", - "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", "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ë?", @@ -107,36 +89,16 @@ "one": "Po ngarkohet %(filename)s dhe %(count)s tjetër" }, "Uploading %(filename)s": "Po ngarkohet %(filename)s", - "No Microphones detected": "S’u pikasën Mikrofona", - "No Webcams detected": "S’u pikasën kamera", "Return to login screen": "Kthehuni te skena e hyrjeve", "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", - "Export room keys": "Eksporto kyçe dhome", - "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.": "Ky proces ju lejon të eksportoni te një kartelë vendore kyçet për mesazhe që keni marrë në dhoma të fshehtëzuara. Mandej do të jeni në gjendje ta importoni kartelën te një tjetër klient Matrix në të ardhmen, që kështu ai klient të jetë në gjendje t’i fshehtëzojë këto mesazhe.", - "Enter passphrase": "Jepni frazëkalimin", - "Confirm passphrase": "Ripohoni frazëkalimin", - "Import room keys": "Importo kyçe dhome", - "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.": "Ky proces ju lejon të importoni kyçe fshehtëzimi që keni eksportuar më parë nga një tjetër klient Matrix. Mandej do të jeni në gjendje të shfshehtëzoni çfarëdo mesazhesh që mund të shfshehtëzojë ai klient tjetër.", - "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Kartela e eksportit është e mbrojtur me një frazëkalim. Që të shfshehtëzoni kartelën, duhet ta jepni frazëkalimin këtu.", "Failed to ban user": "S’u arrit të dëbohej përdoruesi", "Failed to mute user": "S’u arrit t’i hiqej zëri përdoruesit", - "Invited": "I ftuar", - "Replying": "Po përgjigjet", - "Failed to unban": "S’u arrit t’i hiqej dëbimi", "Jump to first unread message.": "Hidhu te mesazhi i parë i palexuar.", "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", - "Unable to verify email address.": "S’arrihet të verifikohet adresë email.", "Failed to reject invitation": "S’u arrit të hidhej poshtë ftesa", "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", - "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)", "(~%(count)s results)": { "other": "(~%(count)s përfundime)", "one": "(~%(count)s përfundim)" @@ -150,16 +112,13 @@ }, "Connectivity to the server has been lost.": "Humbi lidhja me shërbyesin.", "A new password must be entered.": "Duhet dhënë një fjalëkalim i ri.", - "%(roomName)s is not accessible at this time.": "Te %(roomName)s s’hyhet dot tani.", "Error decrypting attachment": "Gabim në shfshehtëzim bashkëngjitjeje", "Invalid file%(extra)s": "Kartelë e pavlefshme%(extra)s", "You seem to be uploading files, are you sure you want to quit?": "Duket se jeni duke ngarkuar kartela, jeni i sigurt se doni të dilet?", "Add some now": "Shtohen ca tani", "Clear cache and resync": "Spastro fshehtinën dhe rinjëkohëso", "Clear Storage and Sign Out": "Spastro Depon dhe Dil", - "Permission Required": "Lypset Leje", "This event could not be displayed": "Ky akt s’u shfaq dot", - "The conversation continues here.": "Biseda vazhdon këtu.", "Only room administrators will see this warning": "Këtë sinjalizim mund ta shohin vetëm përgjegjësit e dhomës", "Incompatible local cache": "Fshehtinë vendore e papërputhshme", "Updating %(brand)s": "%(brand)s-i po përditësohet", @@ -170,7 +129,6 @@ "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", "Failed to reject invite": "S’u arrit të hidhet tej ftesa", - "This room has been replaced and is no longer active.": "Kjo dhomë është zëvendësuar dhe s’është më aktive.", "Share room": "Ndani dhomë me të tjerë", "You don't currently have any stickerpacks enabled": "Hëpërhë, s’keni të aktivizuar ndonjë pako ngjitësesh", "Upgrade this room to version %(version)s": "Përmirësojeni këtë dhomë me versionin %(version)s", @@ -178,7 +136,6 @@ "Share Room Message": "Ndani Me të Tjerë Mesazh Dhome", "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", - "Audio Output": "Sinjal Audio", "Demote yourself?": "Të zhgradohet vetvetja?", "Demote": "Zhgradoje", "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.", @@ -203,15 +160,9 @@ "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.": "Mesazhi juaj s’u dërgua, ngaqë ky shërbyes Home ka mbërritur në Kufirin Mujor të Përdoruesve Aktivë. Ju lutemi, që të vazhdoni ta përdorni këtë shërbim, lidhuni me përgjegjësin e shërbimit tuaj.", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Mesazhi juaj s’u dërgua, ngaqë ky shërbyes Home ka tejkaluar kufirin e një burimi. Ju lutemi, që të vazhdoni ta përdorni këtë shërbim, lidhuni me përgjegjësin e shërbimit tuaj.", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "U provua të ngarkohej një pikë e caktuar në kronologjinë e kësaj dhome, por nuk keni leje për ta parë mesazhin në fjalë.", - "No Audio Outputs detected": "S’u pikasën Sinjale Audio Në Dalje", - "Historical": "Të dikurshme", "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", - "That matches!": "U përputhën!", - "That doesn't match.": "S’përputhen.", - "Go back to set it again.": "Shkoni mbrapsht që ta ricaktoni.", - "Unable to create key backup": "S’arrihet të krijohet kopjeruajtje kyçesh", "Unable to load backup status": "S’arrihet të ngarkohet gjendje kopjeruajtjeje", "Unable to restore backup": "S’arrihet të rikthehet kopjeruajtje", "No backup found!": "S’u gjet kopjeruajtje!", @@ -219,29 +170,11 @@ "Invalid homeserver discovery response": "Përgjigje e pavlefshme zbulimi shërbyesi Home", "Set up": "Rregulloje", "Invalid identity server discovery response": "Përgjigje e pavlefshme zbulimi identiteti shërbyesi", - "New Recovery Method": "Metodë e Re Rimarrjesh", - "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.": "Nëse metodën e re të rimarrjeve s’e keni caktuar 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.", - "Set up Secure Messages": "Rregulloni Mesazhi të Sigurt", - "Go to Settings": "Kalo te Rregullimet", "Unable to load commit detail: %(msg)s": "S’arrihet të ngarkohen hollësi depozitimi: %(msg)s", "The following users may not exist": "Përdoruesit vijues mund të mos ekzistojnë", "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ë", - "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", - "Unable to verify phone number.": "S’arrihet të verifikohet numër telefoni.", - "Verification code": "Kod verifikimi", - "Phone Number": "Numër Telefoni", - "Room information": "Të dhëna dhome", - "Room Addresses": "Adresa Dhomash", - "Email addresses": "Adresa email", - "Phone numbers": "Numra telefonash", - "Account management": "Administrim llogarish", - "Ignored users": "Përdorues të shpërfillur", - "Missing media permissions, click the button below to request.": "Mungojnë leje mediash, klikoni mbi butonin më poshtë që të kërkohen.", - "Request media permissions": "Kërko leje mediash", - "Voice & Video": "Zë & Video", "Share Link to User": "Ndajeni Lidhjen për te Përdoruesi", "Main address": "Adresë kryesore", "Room avatar": "Avatar dhome", @@ -252,8 +185,6 @@ "Email (optional)": "Email (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", - "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.", "Dog": "Qen", "Cat": "Mace", "Lion": "Luan", @@ -324,25 +255,12 @@ "You'll lose access to your encrypted messages": "Do të humbni hyrje te mesazhet tuaj të fshehtëzuar", "Are you sure you want to sign out?": "Jeni i sigurt se doni të dilni?", "Warning: you should only set up key backup from a trusted computer.": "Kujdes: duhet të ujdisni kopjeruajtje kyçesh vetëm nga një kompjuter i besuar.", - "Your keys are being backed up (the first backup could take a few minutes).": "Kyçet tuaj po kopjeruhen (kopjeruajtja e parë mund të hajë disa minuta).", - "Success!": "Sukses!", "Scissors": "Gërshërë", "Error updating main address": "Gabim gjatë përditësimit të adresës kryesore", "There was an error updating the room's main address. It may not be allowed by the server or a temporary failure occurred.": "Pati një gabim në përditësimin e adresës kryesore të dhomës. Mund të mos lejohet nga shërbyesi ose mund të ketë ndodhur një gabim i përkohshëm.", "Room Settings - %(roomName)s": "Rregullime Dhome - %(roomName)s", "Could not load user profile": "S’u ngarkua dot profili i përdoruesit", "Power level": "Shkallë pushteti", - "Join the conversation with an account": "Merrni pjesë në bisedë me një llogari", - "Sign Up": "Regjistrohuni", - "Reason: %(reason)s": "Arsye: %(reason)s", - "Forget this room": "Harroje këtë dhomë", - "Re-join": "Rihyni", - "You were banned from %(roomName)s by %(memberName)s": "Jeni dëbuar prej %(roomName)s nga %(memberName)s", - "Join the discussion": "Merrni pjesë në diskutim", - "Try to join anyway": "Provoni të merrni pjesë, sido qoftë", - "Do you want to chat with %(user)s?": "Doni të bisedoni me %(user)s?", - "Do you want to join %(roomName)s?": "Doni të bëni pjesë te %(roomName)s?", - " invited you": "Ju ftoi ", "This room has already been upgraded.": "Kjo dhomë është përmirësuar tashmë.", "Failed to revoke invite": "S’u arrit të shfuqizohej ftesa", "Revoke invite": "Shfuqizoje ftesën", @@ -361,14 +279,9 @@ "Upload Error": "Gabim Ngarkimi", "Remember my selection for this widget": "Mbaje mend përzgjedhjen time për këtë widget", "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", "Invalid base_url for m.homeserver": "Parametër base_url i pavlefshëm për m.homeserver", "Homeserver URL does not appear to be a valid Matrix homeserver": "URL-ja e shërbyesit Home s’duket të jetë një shërbyes Home i vlefshëm", - "Something went wrong with your invite to %(roomName)s": "Diç shkoi ters me ftesën tuaj për te %(roomName)s", - "You can only join it with a working invite.": "Mund të merrni pjesë në të vetëm me një ftesë funksionale.", - "You're previewing %(roomName)s. Want to join it?": "Po parashihni %(roomName)s. Doni të bëni pjesë në të?", - "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s s’mund të parashihet. Doni të merrni pjesë në të?", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Përmirësimi i kësaj dhome do të asgjësojë instancën e tanishme të dhomës dhe do të krijojë një dhomë të përmirësuar me të njëjtin emër.", "This room is running room version , which this homeserver has marked as unstable.": "Kjo dhomë gjendet nën versionin e dhomës, të cilit shërbyesi Home i ka vënë shenjë si i paqëndrueshëm.", "Could not revoke the invite. The server may be experiencing a temporary problem or you do not have sufficient permissions to revoke the invite.": "S’u shfuqizua dot ftesa. Shërbyesi mund të jetë duke kaluar një problem të përkohshëm ose s’keni leje të mjaftueshme për të shfuqizuar ftesën.", @@ -381,11 +294,6 @@ "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.", "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", - "Sounds": "Tinguj", - "Notification sound": "Tingull njoftimi", - "Set a new custom sound": "Caktoni një tingull të ri vetjak", - "Browse": "Shfletoni", "Upload all": "Ngarkoji krejt", "Edited at %(date)s. Click to view edits.": "Përpunuar më %(date)s. Klikoni që të shihni përpunimet.", "Message edits": "Përpunime mesazhi", @@ -394,59 +302,18 @@ "Your homeserver doesn't seem to support this feature.": "Shërbyesi juaj Home nuk duket se e mbulon këtë veçori.", "Clear all data": "Spastro krejt të dhënat", "Deactivate account": "Çaktivizoje llogarinë", - "Unable to revoke sharing for email address": "S’arrihet të shfuqizohet ndarja për këtë adresë email", - "Unable to share email address": "S’arrihet të ndahet adresë email", - "Unable to revoke sharing for phone number": "S’arrihet të shfuqizohet ndarja për numrin e telefonit", - "Unable to share phone number": "S’arrihet të ndahet numër telefoni", - "Please enter verification code sent via text.": "Ju lutemi, jepni kod verifikimi të dërguar përmes teksti.", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Te +%(msisdn)s u dërgua një mesazh tekst. Ju lutemi, jepni kodin e verifikimit që përmban.", "Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Ju lutemi, na tregoni ç’shkoi keq ose, akoma më mirë, krijoni në GitHub një çështje që përshkruan problemin.", "Removing…": "Po hiqet…", "Share User": "Ndani Përdorues", "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", - "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", - "Checking server": "Po kontrollohet shërbyesi", - "Disconnect from the identity server ?": "Të shkëputet prej shërbyesit të identiteteve ?", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Jeni duke përdorur për të zbuluar dhe për t’u zbuluar nga kontakte ekzistues që njihni. Shërbyesin tuaj të identiteteve mund ta ndryshoni më poshtë.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "S’po përdorni ndonjë shërbyes identitetesh. Që të zbuloni dhe të jeni i zbulueshëm nga kontakte ekzistues që njihni, shtoni një të tillë më poshtë.", - "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.": "Shkëputja prej shërbyesit tuaj të identiteteve do të thotë se s’do të jeni i zbulueshëm nga përdorues të tjerë dhe s’do të jeni në gjendje të ftoni të tjerë përmes email-i apo telefoni.", - "Discovery options will appear once you have added an email above.": "Mundësitë e zbulimit do të shfaqen sapo të keni shtuar më sipër një email.", - "Discovery options will appear once you have added a phone number above.": "Mundësitë e zbulimit do të shfaqen sapo të keni shtuar më sipër një numër telefoni.", - "The identity server you have chosen does not have any terms of service.": "Shërbyesi i identiteteve që keni zgjedhur nuk ka ndonjë kusht shërbimi.", - "Terms of service not accepted or the identity server is invalid.": "S’janë pranuar kushtet e shërbimit ose shërbyesi i identiteteve është i pavlefshëm.", - "Enter a new identity server": "Jepni një shërbyes të ri identitetesh", - "Remove %(email)s?": "Të hiqet %(email)s?", - "Remove %(phone)s?": "Të hiqet %(phone)s?", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Nëse s’doni të përdoret për të zbuluar dhe për të qenë i zbulueshëm nga kontakte ekzistuese që njihni, jepni më poshtë një tjetër shërbyes identitetesh.", - "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.": "Përdorimi i një shërbyesi identitetesh është opsional. Nëse zgjidhni të mos përdoret një shërbyes identitetesh, s’do të jeni i zbulueshëm nga përdorues të tjerë dhe s’do të jeni në gjendje të ftoni të tjerë me anë email-esh apo telefoni.", - "Do not use an identity server": "Mos përdor shërbyes identitetesh", - "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "Pajtohuni me Kushtet e Shërbimit të shërbyesit të identiteteve (%(serverName)s) që të lejoni veten të jetë e zbulueshme me anë adrese email ose numri telefoni.", - "Discovery": "Zbulueshmëri", "Use an identity server to invite by email. Use the default (%(defaultIdentityServerName)s) or manage in Settings.": "Përdorni një shërbyes identitetesh për të ftuar me email. Përdorni parazgjedhjen (%(defaultIdentityServerName)s) ose administrojeni që nga Rregullimet.", "Use an identity server to invite by email. Manage in Settings.": "Përdorni një shërbyes identitetesh për të ftuar me email. Administrojeni që nga Rregullimet.", "Deactivate user?": "Të çaktivizohet përdoruesi?", "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?": "Çaktivizimi i këtij përdoruesi do të sjellë nxjerrjen e tij nga llogaria përkatëse dhe do të pengojë rihyrjen e tij. Veç kësaj, do të braktisë krejt dhomat ku ndodhet. Ky veprim s’mund të prapësohet. Jeni i sigurt se doni të çaktivizohet ky përdorues?", "Deactivate user": "Çaktivizoje përdoruesin", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Kjo ftesë për %(roomName)s u dërgua te %(email)s që s’është i përshoqëruar me llogarinë tuaj", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Që të merrni ftesa drejt e në %(brand)s, lidheni këtë email me llogarinë tuaj, te Rregullimet.", - "This invite to %(roomName)s was sent to %(email)s": "Kjo ftesë për %(roomName)s u dërgua te %(email)s", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Që të merrni ftesa drejt e në %(brand)s, përdorni një shërbyes identitetesh, te Rregullimet.", - "Share this email in Settings to receive invites directly in %(brand)s.": "Që të merrni ftesa drejt e te %(brand)s, ndajeni me të tjerët këtë email, te Rregullimet.", - "Error changing power level": "Gabim në ndryshimin e shkallës së pushtetit", - "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Ndodhi një gabim gjatë ndryshimit të shkallës së pushtetit të përdoruesit. Sigurohuni se keni leje të mjaftueshme dhe riprovoni.", - "Italics": "Të pjerrëta", - "Change identity server": "Ndryshoni shërbyes identitetesh", - "Disconnect from the identity server and connect to instead?": "Të shkëputet më mirë nga shërbyesi i identiteteve dhe të lidhet me ?", - "Disconnect identity server": "Shkëpute shërbyesin e identiteteve", - "You are still sharing your personal data on the identity server .": "Ende ndani të dhëna tuajat personale në shërbyesin e identiteteve .", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Këshillojmë që të hiqni prej shërbyesit të identiteteve adresat tuaj email dhe numrat tuaj të telefonave përpara se të bëni shkëputjen.", - "Disconnect anyway": "Shkëputu, sido qoftë", - "Error changing power level requirement": "Gabim në ndryshimin e domosdoshmërisë për shkallë pushteti", - "An error occurred changing the room's power level requirements. Ensure you have sufficient permissions and try again.": "Ndodhi një gabim gjatë ndryshimit të domosdoshmërive për shkallë pushteti në dhomë. Sigurohuni se keni leje të mjaftueshme dhe riprovoni.", "No recent messages by %(user)s found": "S’u gjetën mesazhe së fundi nga %(user)s", "Try scrolling up in the timeline to see if there are any earlier ones.": "Provoni të ngjiteni sipër në rrjedhën kohore, që të shihni nëse ka patur të tillë më herët.", "Remove recent messages by %(user)s": "Hiq mesazhe së fundi nga %(user)s", @@ -456,19 +323,9 @@ "one": "Hiq 1 mesazh" }, "Remove recent messages": "Hiq mesazhe së fundi", - "Explore rooms": "Eksploroni dhoma", - "Verify the link in your inbox": "Verifikoni lidhjen te mesazhet tuaj", "e.g. my-room": "p.sh., dhoma-ime", "Close dialog": "Mbylle dialogun", - "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.", - "You should:": "Duhet:", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "të kontrolloni shtojcat e shfletuesit tuaj për çfarëdo që mund të bllokojë shërbyesin e identiteteve (bie fjala, Privacy Badger)", - "contact the administrators of identity server ": "të lidheni me përgjegjësit e shërbyesit të identiteteve ", - "wait and try again later": "të prisni dhe të riprovoni më vonë", - "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ë", - "Room %(name)s": "Dhoma %(name)s", "Failed to deactivate user": "S’u arrit të çaktivizohet përdorues", "This client does not support end-to-end encryption.": "Ky klient nuk mbulon fshehtëzim skaj-më-skaj.", "Messages in this room are not end-to-end encrypted.": "Mesazhet në këtë dhomë nuk janë të fshehtëzuara skaj-më-skaj.", @@ -483,24 +340,18 @@ "%(name)s wants to verify": "%(name)s dëshiron të verifikojë", "You sent a verification request": "Dërguat një kërkesë verifikimi", "Cancel search": "Anulo kërkimin", - "None": "Asnjë", "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.", - "Manage integrations": "Administroni integrime", "Failed to connect to integration manager": "S’u arrit të lidhet te përgjegjës integrimesh", "Integrations are disabled": "Integrimet janë të çaktivizuara", "Integrations not allowed": "Integrimet s’lejohen", "Verification Request": "Kërkesë Verifikimi", "Unencrypted": "Të pafshehtëzuara", - " wants to chat": " dëshiron të bisedojë", - "Start chatting": "Filloni të bisedoni", "Upgrade private room": "Përmirëso dhomë private", "Upgrade public room": "Përmirëso dhomë publike", "Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "Përmirësimi i një dhome është një veprim i thelluar dhe zakonisht rekomandohet kur një dhomë është e papërdorshme, për shkak të metash, veçorish që i mungojnë ose cenueshmëri sigurie.", "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.": "Kjo zakonisht prek vetëm mënyrën se si përpunohet dhoma te shërbyesi. Nëse keni probleme me %(brand)s-in, ju lutemi, njoftoni një të metë.", "You'll upgrade this room from to .": "Do ta përmirësoni këtë dhomë nga .", - "Unable to set up secret storage": "S’u arrit të ujdiset depozitë e fshehtë", - "Close preview": "Mbylle paraparjen", "Hide verified sessions": "Fshih sesione të verifikuar", "%(count)s verified sessions": { "other": "%(count)s sesione të verifikuar", @@ -513,7 +364,6 @@ "Country Dropdown": "Menu Hapmbyll Vendesh", "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", "Verify User": "Verifikoni Përdoruesin", "For extra security, verify this user by checking a one-time code on both of your devices.": "Për siguri ekstra, verifikojeni këtë përdorues duke kontrolluar në të dyja pajisjet tuaja një kod njëpërdorimsh.", "Start Verification": "Fillo Verifikimin", @@ -521,12 +371,7 @@ "We couldn't invite those users. Please check the users you want to invite and try again.": "S’i ftuam dot këta përdorues. Ju lutemi, kontrolloni përdoruesit që doni të ftoni dhe riprovoni.", "Failed to find the following users": "S’u arrit të gjendeshin përdoruesit vijues", "The following users might not exist or are invalid, and cannot be invited: %(csvNames)s": "Përdoruesit vijues mund të mos ekzistojnë ose janë të pavlefshëm, dhe s’mund të ftohen: %(csvNames)s", - "Enter your account password to confirm the upgrade:": "Që të ripohohet përmirësimi, jepni fjalëkalimin e llogarisë tuaj:", - "You'll need to authenticate with the server to confirm the upgrade.": "Do t’ju duhet të bëni mirëfilltësimin me shërbyesin që të ripohohet përmirësimi.", - "Upgrade your encryption": "Përmirësoni fshehtëzimin tuaj", "This backup is trusted because it has been restored on this session": "Kjo kopjeruajtje është e besuar, ngaqë është rikthyer në këtë sesion", - "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.", "You have not verified this user.": "S’e keni verifikuar këtë përdorues.", "You have verified this user. This user has verified all of their sessions.": "E keni verifikuar këtë përdorues. Ky përdorues ka verifikuar krejt sesionet e veta.", @@ -557,11 +402,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.", - "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", - "This session is encrypting history using the new recovery method.": "Ky sesion e fshehtëzon historikun duke përdorur metodë të re rimarrjesh.", - "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.": "Nëse këtë e keni bërë pa dashje, mund të ujdisni Mesazhe të Sigurt në këtë sesion, gjë që do të sjellë rifshehtëzimin e historikut të mesazheve të sesionit me një metodë të re rimarrjesh.", "Destroy cross-signing keys?": "Të shkatërrohen kyçet cross-signing?", "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.": "Fshirja e kyçeve cross-signing është e përhershme. Cilido që keni verifikuar me to, do të shohë një sinjalizim sigurie. Thuajse e sigurt që s’keni pse ta bëni një gjë të tillë, veç në paçi humbur çdo pajisje prej nga mund të bëni cross-sign.", "Clear cross-signing keys": "Spastro kyçe cross-signing", @@ -628,7 +468,6 @@ "%(completed)s of %(total)s keys restored": "U rikthyen %(completed)s nga %(total)s kyçe", "Keys restored": "Kyçet u rikthyen", "Successfully restored %(sessionCount)s keys": "U rikthyen me sukses %(sessionCount)s kyçe", - "Unable to query secret storage status": "S’u arrit të merret gjendje depozite të fshehtë", "You've successfully verified your device!": "E verifikuat me sukses pajisjen tuaj!", "To continue, use Single Sign On to prove your identity.": "Që të vazhdohet, përdorni Hyrje Njëshe, që të provoni identitetin tuaj.", "Confirm to continue": "Ripohojeni që të vazhdohet", @@ -648,28 +487,15 @@ "This address is available to use": "Kjo adresë është e lirë për përdorim", "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?", - "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", - "No recently visited rooms": "S’ka dhoma të vizituara së fundi", "Message preview": "Paraparje mesazhi", - "Room options": "Mundësi dhome", "Looks good!": "Mirë duket!", "The authenticity of this encrypted message can't be guaranteed on this device.": "Mirëfilltësia e këtij mesazhi të fshehtëzuar s’mund të garantohet në këtë pajisje.", "Wrong file type": "Lloj i gabuar kartele", "Security Phrase": "Frazë Sigurie", "Security Key": "Kyç Sigurie", "Use your Security Key to continue.": "Që të vazhdohet përdorni Kyçin tuaj të Sigurisë.", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Mbrohuni kundër humbjes së hyrjes në mesazhe & të dhëna të fshehtëzuara duke kopjeruajtur kyçe fshehtëzimi në shërbyesin tuaj.", - "Generate a Security Key": "Prodhoni një Kyç Sigurie", - "Enter a Security Phrase": "Jepni një Frazë Sigurie", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Jepni një frazë të fshehtë që e dini vetëm ju, dhe, në daçi, ruani një Kyç Sigurie për ta përdorur për kopjeruajtje.", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Nëse e anuloni tani, mund të humbni mesazhe & të dhëna të fshehtëzuara, nëse humbni hyrjen te kredencialet tuaja të hyrjeve.", - "You can also set up Secure Backup & manage your keys in Settings.": "Mundeni edhe të ujdisni Kopjeruajtje të Sigurt & administroni kyçet tuaj që nga Rregullimet.", - "Set a Security Phrase": "Caktoni një Frazë Sigurie", - "Confirm Security Phrase": "Ripohoni Frazë Sigurie", - "Save your Security Key": "Ruani Kyçin tuaj të Sigurisë", "This room is public": "Kjo dhomë është publike", "Edited at %(date)s": "Përpunuar më %(date)s", "Click to view edits": "Klikoni që të shihni përpunime", @@ -684,7 +510,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", - "Explore public rooms": "Eksploroni dhoma publike", "Preparing to download logs": "Po bëhet gati për shkarkim regjistrash", "Not encrypted": "Jo e fshehtëzuar", "Room settings": "Rregullime dhome", @@ -709,8 +534,6 @@ "You can only pin up to %(count)s widgets": { "other": "Mundeni të fiksoni deri në %(count)s widget-e" }, - "Show Widgets": "Shfaqi Widget-et", - "Hide Widgets": "Fshihi Widget-et", "Data on this screen is shared with %(widgetDomain)s": "Të dhënat në këtë skenë ndahen me %(widgetDomain)s", "Modal Widget": "Widget Modal", "Invite someone using their name, email address, username (like ) or share this room.": "Ftoni dikë duke përdorur emrin e tij, adresën email, emrin e përdoruesit (bie fjala, ) ose ndani me të këtë dhomë.", @@ -978,11 +801,7 @@ "A call can only be transferred to a single user.": "Një thirrje mund të shpërngulet vetëm te një përdorues.", "Open dial pad": "Hap butona numrash", "Dial pad": "Butona numrash", - "A new Security Phrase and key for Secure Messages have been detected.": "Janë pikasur një Frazë e re Sigurie dhe kyç i ri për Mesazhe të Sigurt.", "If you've forgotten your Security Key you can ": "Nëse keni harruar Kyçin tuaj të Sigurisë, mund të ", - "Confirm your Security Phrase": "Ripohoni Frazën tuaj të Sigurisë", - "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Ky sesion ka pikasur se Fraza e Sigurisë dhe kyçi juaj për Mesazhe të Sigurt janë hequr.", - "Great! This Security Phrase looks strong enough.": "Bukur! Kjo Frazë Sigurie duket goxha e fuqishme.", "Access your secure message history and set up secure messaging by entering your Security Key.": "Hyni te historiku i mesazheve tuaj të siguruar dhe rregulloni shkëmbim mesazhesh të sigurt duke dhënë Kyçin tuaj të Sigurisë.", "Not a valid Security Key": "Kyç Sigurie jo i vlefshëm", "This looks like a valid Security Key!": "Ky duket si Kyç i vlefshëm Sigurie!", @@ -1001,7 +820,6 @@ "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", "Set my room layout for everyone": "Ujdise skemën e dhomës time për këdo", - "Recently visited rooms": "Dhoma të vizituara së fundi", "%(count)s members": { "one": "%(count)s anëtar", "other": "%(count)s anëtarë" @@ -1014,14 +832,9 @@ "Create a new room": "Krijoni dhomë të re", "Space selection": "Përzgjedhje hapësire", "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.": "S’do të jeni në gjendje ta zhbëni këtë ndryshim, teksa zhgradoni veten, nëse jeni përdoruesi i fundit i privilegjuar te hapësira, s’do të jetë e mundur të rifitoni privilegjet.", - "Suggested Rooms": "Roma të Këshilluara", - "Add existing room": "Shtoni dhomë ekzistuese", - "Invite to this space": "Ftoni në këtë hapësirë", "Your message was sent": "Mesazhi juaj u dërgua", "Leave space": "Braktiseni hapësirën", "Create a space": "Krijoni një hapësirë", - "Private space": "Hapësirë private", - "Public space": "Hapësirë publike", " 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", @@ -1035,7 +848,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.": "Kjo zakonisht prek vetëm mënyrën se si përpunohet dhoma te shërbyesi. Nëse keni probleme me %(brand)s-in, ju lutemi, njoftoni një të metë.", "Invite to %(roomName)s": "Ftojeni te %(roomName)s", "Edit devices": "Përpunoni pajisje", - "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.", "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.", @@ -1063,8 +875,6 @@ "other": "Shihni krejt %(count)s anëtarët" }, "Failed to send": "S’u arrit të dërgohet", - "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", "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.", @@ -1081,10 +891,6 @@ "No microphone found": "S’u gjet mikrofon", "We were unable to access your microphone. Please check your browser settings and try again.": "S’qemë në gjendje të përdorim mikrofonin tuaj. Ju lutemi, kontrolloni rregullimet e shfletuesit tuaj dhe riprovoni.", "Unable to access your microphone": "S’arrihet të përdoret mikrofoni juaj", - "Currently joining %(count)s rooms": { - "one": "Aktualisht duke hyrë në %(count)s dhomë", - "other": "Aktualisht duke hyrë në %(count)s dhoma" - }, "Or send invite link": "Ose dërgoni një lidhje ftese", "Some suggestions may be hidden for privacy.": "Disa sugjerime mund të jenë fshehur, për arsye privatësie.", "Search for rooms or people": "Kërkoni për dhoma ose persona", @@ -1099,23 +905,10 @@ "Published addresses can be used by anyone on any server to join your room.": "Adresat e publikuara mund të përdoren nga cilido, në cilindo shërbyes, për të hyrë në dhomën tuaj.", "Published addresses can be used by anyone on any server to join your space.": "Adresat e publikuara mund të përdoren nga cilido, në cilindo shërbyes, për të hyrë në hapësirën tuaj.", "This space has no local addresses": "Kjo hapësirë s’ka adresa vendore", - "Space information": "Hollësi hapësire", - "Address": "Adresë", "Unnamed audio": "Audio pa emër", "Sent": "U dërgua", "Error processing audio message": "Gabim në përpunim mesazhi audio", - "Show %(count)s other previews": { - "one": "Shfaq %(count)s paraparje tjetër", - "other": "Shfaq %(count)s paraparje të tjera" - }, "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "%(brand)s-i juaj nuk ju lejon të përdorni një përgjegjës integrimesh për të bërë këtë. Ju lutemi, lidhuni me përgjegjësin.", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Përgjegjësit e integrimeve marrin të dhëna formësimi, dhe mund të ndryshojnë widget-e, të dërgojnë ftesa dhome, dhe të caktojnë shkallë pushteti në emër tuajin.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Përdorni një përgjegjës integrimesh që të administroni robotë, widget-e dhe paketa ngjitësish.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Përdorni një përgjegjës integrimesh (%(serverName)s) që të administroni robotë, widget-e dhe paketa ngjitësish.", - "Identity server (%(server)s)": "Shërbyes identitetesh (%(server)s)", - "Could not connect to identity server": "S’u lidh dot te shërbyes identitetesh", - "Not a valid identity server (status code %(code)s)": "Shërbyes identitetesh i pavlefshëm (kod gjendjeje %(code)s)", - "Identity server URL must be HTTPS": "URL-ja e shërbyesit të identiteteve duhet të jetë HTTPS", "Unable to copy a link to the room to the clipboard.": "S’arrihet të kopjohet në të papastër një lidhje për te dhoma.", "Unable to copy room link": "S’arrihet të kopjohet lidhja e dhomës", "User Directory": "Drejtori Përdoruesi", @@ -1135,9 +928,7 @@ "Search spaces": "Kërkoni në hapësira", "Decide which spaces can access this room. If a space is selected, its members can find and join .": "Vendosni se prej cilave hapësira mund të hyhet në këtë dhomë. Nëse përzgjidhet një hapësirë, anëtarët e saj do të mund ta gjejnë dhe hyjnë te .", "Select spaces": "Përzgjidhni hapësira", - "Public room": "Dhomë publike", "You're removing all spaces. Access will default to invite only": "Po hiqni krejt hapësirat. Hyrja do të kthehet te parazgjedhja, pra vetëm me ftesa", - "Add space": "Shtoni hapësirë", "Leave %(spaceName)s": "Braktise %(spaceName)s", "You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "Jeni përgjegjësi i vetëm i disa dhomave apo hapësirave që dëshironi t’i braktisni. Braktisja e tyre do t’i lërë pa ndonjë përgjegjës.", "You're the only admin of this space. Leaving it will mean no one has control over it.": "Jeni përgjegjësi i vetëm i kësaj hapësire. Braktisja e saj do të thotë se askush s’ka kontroll mbi të.", @@ -1166,9 +957,6 @@ "Thumbs up": "Thumbs up", "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", - "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ë?", "You are about to leave .": "Ju ndan një hap nga braktisja e .", @@ -1178,10 +966,6 @@ "MB": "MB", "In reply to this message": "Në përgjigje të këtij mesazhi", "Export chat": "Eksportoni fjalosje", - "I'll verify later": "Do ta verifikoj më vonë", - "Verify with Security Key": "Verifikoje me Kyç Sigurie", - "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ë", "Downloading": "Shkarkim", "They won't be able to access whatever you're not an admin of.": "S’do të jenë në gjendje të hyjnë kudo qoftë ku s’jeni përgjegjës.", @@ -1189,8 +973,6 @@ "Unban them from specific things I'm able to": "Hiqua dëbimin prej gjërash të caktuara ku mundem ta bëj këtë", "Ban them from everything I'm able to": "Dëboji prej gjithçkaje ku mundem ta bëj këtë", "Unban them from everything I'm able to": "Hiqua dëbimin prej gjithçkaje ku mundem ta bëj këtë", - "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.": "Rikthimi te parazgjedhjet i kyçeve tuaj të verifikimit s’mund të zhbëhet. Pas rikthimit te parazgjedhjet, s’do të mund të hyni dot te mesazhe të dikurshëm të fshehtëzuar dhe, cilido shok që ju ka verifikuar më parë, do të shohë një sinjalizim sigurie deri sa të ribëni verifikimin me ta.", - "Proceed with reset": "Vazhdo me rikthimin te parazgjedhjet", "Really reset verification keys?": "Të kthehen vërtet te parazgjedhjet kyçet e verifikimit?", "Ban from %(roomName)s": "Dëboje prej %(roomName)s", "Unban from %(roomName)s": "Hiqja dëbimin prej %(roomName)s", @@ -1203,29 +985,18 @@ "View in room": "Shiheni në dhomë", "Enter your Security Phrase or to continue.": "Që të vazhdohet, jepni Frazën tuaj të Sigurisë, ose .", "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.", - "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Do të prodhojmë për ju një Kyç Sigurie që ta depozitoni diku në një vend të parrezik, bie fjala, në një përgjegjës fjalëkalimesh, ose në një kasafortë.", "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", "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ë", "Yours, or the other users' internet connection": "Lidhja internet e juaja, ose e përdoruesve të tjerë", "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.", - "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", "Reply in thread": "Përgjigjuni te rrjedha", "Forget": "Harroje", "Files": "Kartela", - "You won't get any notifications": "S’do të merrni ndonjë njoftim", - "Get notified only with mentions and keywords as set up in your settings": "Merrni njoftime vetëm për përmendje dhe fjalëkyçe që keni ujdisur te rregullimet tuaja", - "@mentions & keywords": "@përmendje & fjalëkyçe", - "Get notified for every message": "Merrni njoftim për çdo mesazh", - "Get notifications as set up in your settings": "Merrni njoftime siç i keni ujdisur te rregullimet tuaj", "Reset event store": "Riktheje te parazgjedhjet arkivin e akteve", "You most likely do not want to reset your event index store": "Gjasat janë të mos doni të riktheni te parazgjedhjet arkivin e indeksimit të akteve", "Reset event store?": "Të rikthehet te parazgjedhjet arkivi i akteve?", @@ -1252,12 +1023,6 @@ "Messaging": "Shkëmbim mesazhes", "Spaces you know that contain this space": "Hapësira që e dini se përmbajnë këtë hapësirë", "Chat": "Fjalosje", - "Home options": "Mundësi kreu", - "%(spaceName)s menu": "Menu %(spaceName)s", - "Join public room": "Hyni në dhomë publike", - "Add people": "Shtoni njerëz", - "Invite to space": "Ftoni në hapësirë", - "Start new chat": "Filloni fjalosje të re", "Recently viewed": "Parë së fundi", "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.": "Jeni i sigurt se doni të përfundohet ky pyetësor? Kjo do të shfaqë rezultatet përfundimtare të pyetësorit dhe do të ndalë votimin nga njerëzit.", "End Poll": "Përfundoje Pyetësorin", @@ -1289,9 +1054,6 @@ "This address had invalid server or is already in use": "Kjo adresë kishte një shërbyes të pavlefshëm ose është e përdorur tashmë", "Missing room name or separator e.g. (my-room:domain.org)": "Mungon emër ose ndarës dhome, p.sh. (dhoma-ime:përkatësi.org)", "Missing domain separator e.g. (:domain.org)": "Mungon ndarë përkatësie, p.sh. (:domain.org)", - "Your new device is now verified. Other users will see it as trusted.": "Pajisja juaj e re tani është e verifikuar. Përdorues të tjerë do ta shohin si të besuar.", - "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Pajisja juaj e re tani është e verifikuar. Ajo ka hyrje te mesazhet tuaja të fshehtëzuara dhe përdorues të tjerë do ta shohin si të besuar.", - "Verify with another device": "Verifikojeni me pajisje tjetër", "Device verified": "Pajisja u verifikua", "Verify this device": "Verifikoni këtë pajisje", "Unable to verify this device": "S’arrihet të verifikohet kjo pajisje", @@ -1306,7 +1068,6 @@ "Remove them from specific things I'm able to": "Hiqi prej gjërash të caktuara ku mundem ta bëj këtë", "Remove them from everything I'm able to": "Hiqi prej gjithçkaje ku mundem ta bëj këtë", "Remove from %(roomName)s": "Hiqe nga %(roomName)s", - "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", "Pick a date to jump to": "Zgjidhni një datë ku të kalohet", @@ -1315,9 +1076,6 @@ "This address does not point at this room": "Kjo adresë nuk shpie te kjo dhomë", "Wait!": "Daleni!", "Location": "Vendndodhje", - "Poll": "Pyetësor", - "Voice Message": "Mesazh Zanor", - "Hide stickers": "Fshihi ngjitësit", "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", @@ -1346,34 +1104,13 @@ "other": "Ju ndan një hap nga heqja e %(count)s mesazheve nga %(user)s. Kjo do t’i heqë përgjithnjë për këdo te biseda. Doni të vazhdohet?", "one": "Ju ndan një hap nga heqja e %(count)s mesazheve nga %(user)s. Kjo do t’i heqë përgjithnjë, për këdo në bisedë. Doni të vazhdohet?" }, - "Currently removing messages in %(count)s rooms": { - "one": "Aktualisht po hiqen mesazhe në %(count)s dhomë", - "other": "Aktualisht po hiqen mesazhe në %(count)s dhoma" - }, "Unsent": "Të padërguar", "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.": "Që të bëni hyrjen te shërbyes të tjerë Matrix, duke specifikuar një URL të një shërbyesi Home tjetër, mund të përdorni mundësitë vetjake për shërbyesin. Kjo ju lejon të përdorni %(brand)s në një tjetër shërbyes Home me një llogari Matrix ekzistuese.", - "%(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 erdhi teksa provohej të hyhej në dhomë ose hapësirë. Nëse mendoni se po e shihni gabimisht këtë mesazh, ju lutemi, parashtroni një njoftim të mete.", - "Try again later, or ask a room or space admin to check if you have access.": "Riprovoni më vonë, ose kërkojini një përgjegjësi dhome apo hapësire të kontrollojë nëse keni apo jo hyrje.", - "This room or space is not accessible at this time.": "Te kjo dhomë ose hapësirë s’hyhet dot tani.", - "Are you sure you're at the right place?": "Jeni i sigurt se jeni në vendin e duhur?", - "This room or space does not exist.": "Kjo dhomë ose hapësirë s’ekziston.", - "There's no preview, would you like to join?": "S’ka paraparje, doo të donit të merrnit pjesë?", - "This invite was sent to %(email)s": "Kjo ftesë u dërgua për %(email)s", - "This invite was sent to %(email)s which is not associated with your account": "Kjo ftesë u dërgua për %(email)s, që s’është i përshoqëruar me llogarinë tuaj", - "You can still join here.": "Mundeni prapëseprapë të hyni këtu.", - "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.": "U mor si përgjigje një gabim (%(errcode)s), teksa provohej të kontrollohej vlefshmëria e ftesës tuaj. Mund të provonit t’i kaloni këto hollësi personit që ju ftoi.", - "Something went wrong with your invite.": "Diç shkoi ters me ftesën tuaj.", - "You were banned by %(memberName)s": "U dëbuat nga %(memberName)s", - "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", "An error occurred while stopping your live location, please try again": "Ndodhi një gabim teksa ndalej dhënia aty për aty e vendndodhjes tuaj, ju lutemi, riprovoni", "%(count)s participants": { "one": "1 pjesëmarrës", "other": "%(count)s pjesëmarrës" }, - "New video room": "Dhomë e re me video", - "New room": "Dhomë e re", "%(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.", @@ -1423,20 +1160,9 @@ "Disinvite from room": "Hiqi ftesën për këtë dhomë", "Remove from space": "Hiqe prej hapësire", "Disinvite from space": "Hiqi ftesën për këtë hapësirë", - "Joining…": "Po hyhet…", "Show Labs settings": "Shfaq rregullime për Labs", - "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", - "Read receipts": "Dëftesa leximi", - "Seen by %(count)s people": { - "one": "Parë nga %(count)s person", - "other": "Parë nga %(count)s vetë" - }, "%(members)s and %(last)s": "%(members)s dhe %(last)s", "%(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.", "Explore public spaces in the new search dialog": "Eksploroni hapësira publike te dialogu i ri i kërkimeve", "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.", @@ -1455,14 +1181,10 @@ "You need to have the right permissions in order to share locations in this room.": "Që të mund të jepni në këtë dhomë vendndodhje, lypset të keni lejet e duhura.", "You don't have permission to share locations": "S’keni leje të jepni vendndodhje", "Messages in this chat will be end-to-end encrypted.": "Mesazhet në këtë fjalosje do të jenë të fshehtëzuar skaj-më-skaj.", - "To join, please enable video rooms in Labs first": "Për t’u bërë pjesë, ju lutemi, së pari aktivizoni te Labs dhoma me video", - "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", "Completing set up of your new device": "Po plotësohet ujdisja e pajisjes tuaj të re", "Devices connected": "Pajisje të lidhura", "%(name)s started a video call": "%(name)s nisni një thirrje video", - "Video call (%(brand)s)": "Thirrje video (%(brand)s)", "Waiting for device to sign in": "Po pritet që të bëhet hyrja te pajisja", "Review and approve the sign in": "Shqyrtoni dhe miratojeni hyrjen", "Start at the sign in screen": "Filloja në skenën e hyrjes", @@ -1480,27 +1202,14 @@ "Manually verify by text": "Verifikojeni dorazi përmes teksti", "Video call ended": "Thirrja video përfundoi", "Room info": "Hollësi dhome", - "View chat timeline": "Shihni rrjedhë kohore fjalosjeje", - "Close call": "Mbylli krejt", - "Spotlight": "Projektor", - "Freedom": "Liri", - "Video call (Jitsi)": "Thirrje me video (Jitsi)", - "Show formatting": "Shfaq formatim", - "Call type": "Lloj thirrjeje", - "You do not have sufficient permissions to change this.": "S’keni leje të mjaftueshme që të ndryshoni këtë.", "View List": "Shihni Listën", "View list": "Shihni listën", - "Hide formatting": "Fshihe formatimin", - "%(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", "You're in": "Kaq qe", "toggle event": "shfaqe/fshihe aktin", - "%(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ë", - "Send email": "Dërgo email", "Sign out of all devices": "Dilni nga llogaria në krejt pajisjet", "Confirm new password": "Ripohoni fjalëkalimin e ri", "Too many attempts in a short time. Retry after %(timeout)s.": "Shumë përpjekje brenda një kohe të shkurtër. Riprovoni pas %(timeout)s.", @@ -1510,16 +1219,9 @@ "Input devices": "Pajisje input-i", "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", - "Connection": "Lidhje", - "Voice processing": "Përpunim zërash", - "Video settings": "Rregullime video", - "Automatically adjust the microphone volume": "Rregullo automatikisht volumin e mikrofonit", - "Voice settings": "Rregullime zëri", "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: ", - "Change layout": "Ndryshoni skemë", "Unable to decrypt message": "S’arrihet të shfshehtëzohet mesazhi", "This message could not be decrypted": "Ky mesazh s’u shfshehtëzua dot", " in %(room)s": " në %(room)s", @@ -1530,15 +1232,8 @@ "Edit link": "Përpunoni lidhje", "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", - "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", - "Secure Backup successful": "Kopjeruajtje e Sigurt e susksesshme", - "Your keys are now being backed up from this device.": "Kyçet tuaj tani po kopjeruhen nga kjo pajisje.", - "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.": "Jepni një Frazë Sigurie që e dini vetëm ju, ngaqë përdoret për të mbrojtur të dhënat tuaja. Që të jeni të sigurt, s’duhet të ripërdorni fjalëkalimin e llogarisë tuaj.", - "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ë.", "Connecting…": "Po lidhet…", "Scan QR code": "Skanoni kodin QR", "Select '%(scanQRCode)s'": "Përzgjidhni “%(scanQRCode)s”", @@ -1550,12 +1245,8 @@ "Waiting for partner to confirm…": "Po pritet ripohimi nga partneri…", "Adding…": "Po shtohet…", "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…", - "Set a new account password…": "Caktoni një fjalëkalim të ri llogarie…", "Starting export process…": "Po niset procesi i eksportimit…", "Loading polls": "Po ngarkohen pyetësorë", "Enable '%(manageIntegrations)s' in Settings to do this.": "Që të bëni këtë, aktivizoni '%(manageIntegrations)s' te Rregullimet.", @@ -1596,14 +1287,8 @@ "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ë?", "Search all rooms": "Kërko në krejt dhomat", "Search this room": "Kërko në këtë dhomë", - "Formatting": "Formatim", - "Upload custom sound": "Ngarkoni tingull vetjak", - "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)", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "Pasi përdoruesit e ftuar të kenë ardhur në %(brand)s, do të jeni në gjendje të bisedoni dhe dhoma do të jetë e fshehtëzuar skaj-më-skaj", "Waiting for users to join %(brand)s": "Po pritet që përdorues të vijnë në %(brand)s", - "You do not have permission to invite users": "S’keni leje të ftoni përdorues", "common": { "about": "Mbi", "analytics": "Analiza", @@ -1709,7 +1394,18 @@ "saving": "Po ruhet…", "profile": "Profil", "display_name": "Emër Në Ekran", - "user_avatar": "Foto profili" + "user_avatar": "Foto profili", + "authentication": "Mirëfilltësim", + "public_room": "Dhomë publike", + "video_room": "Dhomë me video", + "public_space": "Hapësirë publike", + "private_space": "Hapësirë private", + "private_room": "Dhomë private", + "rooms": "Dhoma", + "low_priority": "Me përparësi të ulët", + "historical": "Të dikurshme", + "go_to_settings": "Kalo te Rregullimet", + "setup_secure_messages": "Rregulloni Mesazhi të Sigurt" }, "action": { "continue": "Vazhdo", @@ -1814,7 +1510,16 @@ "unban": "Hiqja dëbimin", "click_to_copy": "Klikoni që të kopjohet", "hide_advanced": "Fshihi të mëtejshmet", - "show_advanced": "Shfaqi të mëtejshmet" + "show_advanced": "Shfaqi të mëtejshmet", + "unignore": "Shpërfille", + "start_new_chat": "Filloni fjalosje të re", + "invite_to_space": "Ftoni në hapësirë", + "add_people": "Shtoni njerëz", + "explore_rooms": "Eksploroni dhoma", + "new_room": "Dhomë e re", + "new_video_room": "Dhomë e re me video", + "add_existing_room": "Shtoni dhomë ekzistuese", + "explore_public_rooms": "Eksploroni dhoma publike" }, "a11y": { "user_menu": "Menu përdoruesi", @@ -1827,7 +1532,8 @@ "one": "1 mesazh i palexuar." }, "unread_messages": "Mesazhe të palexuar.", - "jump_first_invite": "Hidhu te ftesa e parë." + "jump_first_invite": "Hidhu te ftesa e parë.", + "room_name": "Dhoma %(name)s" }, "labs": { "video_rooms": "Dhoma me video", @@ -2009,7 +1715,22 @@ "space_a11y": "Vetëplotësim Hapësire", "user_description": "Përdorues", "user_a11y": "Vetëplotësim Përdoruesish" - } + }, + "room_upgraded_link": "Biseda vazhdon këtu.", + "room_upgraded_notice": "Kjo dhomë është zëvendësuar dhe s’është më aktive.", + "no_perms_notice": "S’keni leje të postoni në këtë dhomë", + "send_button_voice_message": "Dërgoni mesazh zanor", + "close_sticker_picker": "Fshihi ngjitësit", + "voice_message_button": "Mesazh Zanor", + "poll_button_no_perms_title": "Lypset Leje", + "poll_button_no_perms_description": "S’keni leje të nisni anketime në këtë dhomë.", + "poll_button": "Pyetësor", + "mode_plain": "Fshihe formatimin", + "mode_rich_text": "Shfaq formatim", + "formatting_toolbar_label": "Formatim", + "format_italics": "Të pjerrëta", + "format_insert_link": "Futni lidhje", + "replying_title": "Po përgjigjet" }, "Link": "Lidhje", "Code": "Kod", @@ -2224,7 +1945,19 @@ "auto_gain_control": "Kontroll i automatizuar gain-i", "echo_cancellation": "Anulim jehonash", "noise_suppression": "Mbytje zhurmash", - "enable_fallback_ice_server_description": "Vlen vetëm nëse shërbyes juaj Home nuk ofron një të tillë. Adresa juaj IP mund t’u zbulohet të tjerëve gjatë thirrjes." + "enable_fallback_ice_server_description": "Vlen vetëm nëse shërbyes juaj Home nuk ofron një të tillë. Adresa juaj IP mund t’u zbulohet të tjerëve gjatë thirrjes.", + "missing_permissions_prompt": "Mungojnë leje mediash, klikoni mbi butonin më poshtë që të kërkohen.", + "request_permissions": "Kërko leje mediash", + "audio_output": "Sinjal Audio", + "audio_output_empty": "S’u pikasën Sinjale Audio Në Dalje", + "audio_input_empty": "S’u pikasën Mikrofona", + "video_input_empty": "S’u pikasën kamera", + "title": "Zë & Video", + "voice_section": "Rregullime zëri", + "voice_agc": "Rregullo automatikisht volumin e mikrofonit", + "video_section": "Rregullime video", + "voice_processing": "Përpunim zërash", + "connection_section": "Lidhje" }, "send_read_receipts_unsupported": "Shërbyesi juaj nuk mbulon çaktivizimin e dërgimit të dëftesave të leximit.", "security": { @@ -2297,7 +2030,11 @@ "key_backup_in_progress": "Po kopjeruhen kyçet për %(sessionsRemaining)s…", "key_backup_complete": "U kopjeruajtën krejt kyçet", "key_backup_algorithm": "Algoritëm:", - "key_backup_inactive_warning": "Kyçet tuaj nuk po kopjeruhen nga ky sesion." + "key_backup_inactive_warning": "Kyçet tuaj nuk po kopjeruhen nga ky sesion.", + "key_backup_active_version_none": "Asnjë", + "ignore_users_empty": "S’keni përdorues të shpërfillur.", + "ignore_users_section": "Përdorues të shpërfillur", + "e2ee_default_disabled_warning": "Përgjegjësi i shërbyesit tuaj ka çaktivizuar fshehtëzimin skaj-më-skaj, si parazgjedhje, në dhoma private & Mesazhe të Drejtpërdrejtë." }, "preferences": { "room_list_heading": "Listë dhomash", @@ -2417,7 +2154,8 @@ "one": "Jeni i sigurt se doni të dilet nga %(count)s session?", "other": "Jeni i sigurt se doni të dilet nga %(count)s sessione?" }, - "other_sessions_subsection_description": "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_subsection_description": "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ë.", + "error_pusher_state": "S’u arrit të ujdisej gjendja e shërbimit të njoftimeve push" }, "general": { "oidc_manage_button": "Administroni llogari", @@ -2438,7 +2176,46 @@ "add_msisdn_dialog_title": "Shtoni Numër Telefoni", "name_placeholder": "S’ka emër shfaqjeje", "error_saving_profile_title": "S’u arrit të ruhej profili juaj", - "error_saving_profile": "Veprimi s’u plotësua dot" + "error_saving_profile": "Veprimi s’u plotësua dot", + "error_password_change_unknown": "Gabim i panjohur ndryshimi fjalëkalimi (%(stringifiedError)s)", + "error_password_change_403": "S’u arrit të ndryshohej fjalëkalimi. A është i saktë fjalëkalimi juaj?", + "error_password_change_http": "%(errorMessage)s (gjendje HTTP %(httpStatus)s)", + "error_password_change_title": "Gabim në ndryshim fjalëkalimi", + "password_change_success": "Fjalëkalimi juaj u ndryshua me sukses.", + "emails_heading": "Adresa email", + "msisdns_heading": "Numra telefonash", + "password_change_section": "Caktoni një fjalëkalim të ri llogarie…", + "external_account_management": "Hollësitë e llogarisë tuaj administrohen ndarazi te %(hostname)s.", + "discovery_needs_terms": "Pajtohuni me Kushtet e Shërbimit të shërbyesit të identiteteve (%(serverName)s) që të lejoni veten të jetë e zbulueshme me anë adrese email ose numri telefoni.", + "deactivate_section": "Çaktivizoje Llogarinë", + "account_management_section": "Administrim llogarish", + "deactivate_warning": "Çaktivizimi i llogarisë tuaj është një veprim i pakthyeshëm - hapni sytë!", + "discovery_section": "Zbulueshmëri", + "error_revoke_email_discovery": "S’arrihet të shfuqizohet ndarja për këtë adresë email", + "error_share_email_discovery": "S’arrihet të ndahet adresë email", + "email_not_verified": "Adresa juaj email s’është verifikuar ende", + "email_verification_instructions": "Për verifkim, klikoni lidhjen te email që morët dhe mandej vazhdoni sërish.", + "error_email_verification": "S’arrihet të verifikohet adresë email.", + "discovery_email_verification_instructions": "Verifikoni lidhjen te mesazhet tuaj", + "discovery_email_empty": "Mundësitë e zbulimit do të shfaqen sapo të keni shtuar më sipër një email.", + "error_revoke_msisdn_discovery": "S’arrihet të shfuqizohet ndarja për numrin e telefonit", + "error_share_msisdn_discovery": "S’arrihet të ndahet numër telefoni", + "error_msisdn_verification": "S’arrihet të verifikohet numër telefoni.", + "incorrect_msisdn_verification": "Kod verifikimi i pasaktë", + "msisdn_verification_instructions": "Ju lutemi, jepni kod verifikimi të dërguar përmes teksti.", + "msisdn_verification_field_label": "Kod verifikimi", + "discovery_msisdn_empty": "Mundësitë e zbulimit do të shfaqen sapo të keni shtuar më sipër një numër telefoni.", + "error_set_name": "S’u arrit të caktohej emër ekrani", + "error_remove_3pid": "S’arrihet të hiqen të dhëna kontakti", + "remove_email_prompt": "Të hiqet %(email)s?", + "error_invalid_email": "Adresë Email e Pavlefshme", + "error_invalid_email_detail": "Kjo s’duket se është adresë email e vlefshme", + "error_add_email": "S’arrihet të shtohet adresë email", + "add_email_instructions": "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_label": "Adresë Email", + "remove_msisdn_prompt": "Të hiqet %(phone)s?", + "add_msisdn_instructions": "Te +%(msisdn)s u dërgua një mesazh tekst. Ju lutemi, jepni kodin e verifikimit që përmban.", + "msisdn_label": "Numër Telefoni" }, "sidebar": { "title": "Anështyllë", @@ -2451,6 +2228,56 @@ "metaspaces_orphans_description": "Gruponi në një vend krejt dhomat tuaja që s’janë pjesë e një hapësire.", "metaspaces_home_all_rooms_description": "Shfaqni krejt dhomat tuaja te Kreu, edhe nëse gjenden në një hapësirë.", "metaspaces_home_all_rooms": "Shfaq krejt dhomat" + }, + "key_backup": { + "backup_in_progress": "Kyçet tuaj po kopjeruhen (kopjeruajtja e parë mund të hajë disa minuta).", + "backup_starting": "Po fillohet kopjeruajtje…", + "backup_success": "Sukses!", + "create_title": "Krijo kopjeruajtje kyçesh", + "cannot_create_backup": "S’arrihet të krijohet kopjeruajtje kyçesh", + "setup_secure_backup": { + "generate_security_key_title": "Prodhoni një Kyç Sigurie", + "generate_security_key_description": "Do të prodhojmë për ju një Kyç Sigurie që ta depozitoni diku në një vend të parrezik, bie fjala, në një përgjegjës fjalëkalimesh, ose në një kasafortë.", + "enter_phrase_title": "Jepni një Frazë Sigurie", + "description": "Mbrohuni kundër humbjes së hyrjes në mesazhe & të dhëna të fshehtëzuara duke kopjeruajtur kyçe fshehtëzimi në shërbyesin tuaj.", + "requires_password_confirmation": "Që të ripohohet përmirësimi, jepni fjalëkalimin e llogarisë tuaj:", + "requires_key_restore": "Që të përmirësoni fshehtëzimin tuaj, riktheni kopjeruajtjen e kyçeve tuaj", + "requires_server_authentication": "Do t’ju duhet të bëni mirëfilltësimin me shërbyesin që të ripohohet përmirësimi.", + "session_upgrade_description": "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ë.", + "enter_phrase_description": "Jepni një Frazë Sigurie që e dini vetëm ju, ngaqë përdoret për të mbrojtur të dhënat tuaja. Që të jeni të sigurt, s’duhet të ripërdorni fjalëkalimin e llogarisë tuaj.", + "phrase_strong_enough": "Bukur! Kjo Frazë Sigurie duket goxha e fuqishme.", + "pass_phrase_match_success": "U përputhën!", + "use_different_passphrase": "Të përdoret një frazëkalim tjetër?", + "pass_phrase_match_failed": "S’përputhen.", + "set_phrase_again": "Shkoni mbrapsht që ta ricaktoni.", + "enter_phrase_to_confirm": "Jepni Frazën tuaj të Sigurisë edhe një herë, për ta ripohuar.", + "confirm_security_phrase": "Ripohoni Frazën tuaj të Sigurisë", + "security_key_safety_reminder": "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.", + "download_or_copy": "%(downloadButton)s ose %(copyButton)s", + "backup_setup_success_description": "Kyçet tuaj tani po kopjeruhen nga kjo pajisje.", + "backup_setup_success_title": "Kopjeruajtje e Sigurt e susksesshme", + "secret_storage_query_failure": "S’u arrit të merret gjendje depozite të fshehtë", + "cancel_warning": "Nëse e anuloni tani, mund të humbni mesazhe & të dhëna të fshehtëzuara, nëse humbni hyrjen te kredencialet tuaja të hyrjeve.", + "settings_reminder": "Mundeni edhe të ujdisni Kopjeruajtje të Sigurt & administroni kyçet tuaj që nga Rregullimet.", + "title_upgrade_encryption": "Përmirësoni fshehtëzimin tuaj", + "title_set_phrase": "Caktoni një Frazë Sigurie", + "title_confirm_phrase": "Ripohoni Frazë Sigurie", + "title_save_key": "Ruani Kyçin tuaj të Sigurisë", + "unable_to_setup": "S’u arrit të ujdiset depozitë e fshehtë", + "use_phrase_only_you_know": "Jepni një frazë të fshehtë që e dini vetëm ju, dhe, në daçi, ruani një Kyç Sigurie për ta përdorur për kopjeruajtje." + } + }, + "key_export_import": { + "export_title": "Eksporto kyçe dhome", + "export_description_1": "Ky proces ju lejon të eksportoni te një kartelë vendore kyçet për mesazhe që keni marrë në dhoma të fshehtëzuara. Mandej do të jeni në gjendje ta importoni kartelën te një tjetër klient Matrix në të ardhmen, që kështu ai klient të jetë në gjendje t’i fshehtëzojë këto mesazhe.", + "enter_passphrase": "Jepni frazëkalimin", + "confirm_passphrase": "Ripohoni frazëkalimin", + "phrase_cannot_be_empty": "Frazëkalimi s’mund të jetë i zbrazët", + "phrase_must_match": "Frazëkalimet duhet të përputhen", + "import_title": "Importo kyçe dhome", + "import_description_1": "Ky proces ju lejon të importoni kyçe fshehtëzimi që keni eksportuar më parë nga një tjetër klient Matrix. Mandej do të jeni në gjendje të shfshehtëzoni çfarëdo mesazhesh që mund të shfshehtëzojë ai klient tjetër.", + "import_description_2": "Kartela e eksportit është e mbrojtur me një frazëkalim. Që të shfshehtëzoni kartelën, duhet ta jepni frazëkalimin këtu.", + "file_to_import": "Kartelë për importim" } }, "devtools": { @@ -2941,7 +2768,19 @@ "collapse_reply_thread": "Tkurre rrjedhën e përgjigjeve", "view_related_event": "Shihni veprimtari të afërt", "report": "Raportoje" - } + }, + "url_preview": { + "show_n_more": { + "one": "Shfaq %(count)s paraparje tjetër", + "other": "Shfaq %(count)s paraparje të tjera" + }, + "close": "Mbylle paraparjen" + }, + "read_receipt_title": { + "one": "Parë nga %(count)s person", + "other": "Parë nga %(count)s vetë" + }, + "read_receipts_label": "Dëftesa leximi" }, "slash_command": { "spoiler": "E dërgon mesazhin e dhënë si spoiler", @@ -3202,7 +3041,14 @@ "permissions_section_description_room": "Përzgjidhni rolet e domosdoshme për të ndryshuar anë të ndryshme të dhomës", "add_privileged_user_heading": "Shtoni përdorues të privilegjuar", "add_privileged_user_description": "Jepini një ose disa përdoruesve më tepër privilegje në këtë dhomë", - "add_privileged_user_filter_placeholder": "Kërkoni për përdorues në këtë dhomë…" + "add_privileged_user_filter_placeholder": "Kërkoni për përdorues në këtë dhomë…", + "error_unbanning": "S’u arrit t’i hiqej dëbimi", + "banned_by": "Dëbuar nga %(displayName)s", + "ban_reason": "Arsye", + "error_changing_pl_reqs_title": "Gabim në ndryshimin e domosdoshmërisë për shkallë pushteti", + "error_changing_pl_reqs_description": "Ndodhi një gabim gjatë ndryshimit të domosdoshmërive për shkallë pushteti në dhomë. Sigurohuni se keni leje të mjaftueshme dhe riprovoni.", + "error_changing_pl_title": "Gabim në ndryshimin e shkallës së pushtetit", + "error_changing_pl_description": "Ndodhi një gabim gjatë ndryshimit të shkallës së pushtetit të përdoruesit. Sigurohuni se keni leje të mjaftueshme dhe riprovoni." }, "security": { "strict_encryption": "Mos dërgo kurrë prej këtij sesioni mesazhe të fshehtëzuar te sesione të paverifikuar në këtë dhomë", @@ -3254,7 +3100,9 @@ "join_rule_upgrade_updating_spaces": { "one": "Po përditësohet hapësirë…", "other": "Po përditësohen hapësira… (%(progress)s nga %(count)s) gjithsej" - } + }, + "error_join_rule_change_title": "S’u arrit të përditësohen rregulla hyrjeje", + "error_join_rule_change_unknown": "Dështim i panjohur" }, "general": { "publish_toggle": "Të bëhet publike kjo dhomë te drejtoria e dhomave %(domain)s?", @@ -3268,7 +3116,9 @@ "error_save_space_settings": "S’u arrit të ruhen rregullime hapësire.", "description_space": "Përpunoni rregullime që lidhen me hapësirën tuaj.", "save": "Ruaji Ndryshimet", - "leave_space": "Braktiseni Hapësirën" + "leave_space": "Braktiseni Hapësirën", + "aliases_section": "Adresa Dhomash", + "other_section": "Tjetër" }, "advanced": { "unfederated": "Kjo dhomë nuk është e përdorshme nga shërbyes Matrix të largët", @@ -3279,7 +3129,9 @@ "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:" + "room_version": "Version dhome:", + "information_section_space": "Hollësi hapësire", + "information_section_room": "Të dhëna dhome" }, "delete_avatar_label": "Fshije avatarin", "upload_avatar_label": "Ngarkoni avatar", @@ -3293,11 +3145,32 @@ "history_visibility_anyone_space": "Parashiheni Hapësirën", "history_visibility_anyone_space_description": "Lejojini personat të parashohin hapësirën tuaj para se të hyjnë në të.", "history_visibility_anyone_space_recommendation": "E rekomanduar për hapësira publike.", - "guest_access_label": "Lejo hyrje si vizitor" + "guest_access_label": "Lejo hyrje si vizitor", + "alias_section": "Adresë" }, "access": { "title": "Hyrje", "description_space": "Vendosni se cilët mund të shohin dhe marrin pjesë te %(spaceName)s." + }, + "bridges": { + "description": "Kjo dhomë i kalon mesazhet te platformat vijuese. Mësoni më tepër.", + "empty": "Kjo dhomë s’kalon mesazhe në ndonjë platformë. Mësoni më tepër.", + "title": "Ura" + }, + "notifications": { + "uploaded_sound": "U ngarkua tingull", + "settings_link": "Merrni njoftime siç i keni ujdisur te rregullimet tuaj", + "sounds_section": "Tinguj", + "notification_sound": "Tingull njoftimi", + "custom_sound_prompt": "Caktoni një tingull të ri vetjak", + "upload_sound_label": "Ngarkoni tingull vetjak", + "browse_button": "Shfletoni" + }, + "voip": { + "enable_element_call_label": "Aktivizojeni %(brand)s si një mundësi shtesë thirrjesh në këtë dhomë", + "enable_element_call_caption": "%(brand)s është i fshehtëzuar skaj-më-skaj, por aktualisht është i kufizuar në numra më të vegjël përdoruesish.", + "enable_element_call_no_permissions_tooltip": "S’keni leje të mjaftueshme që të ndryshoni këtë.", + "call_type_section": "Lloj thirrjeje" } }, "encryption": { @@ -3332,7 +3205,19 @@ "unverified_session_toast_accept": "Po, unë qeshë", "request_toast_detail": "%(deviceId)s prej %(ip)s", "request_toast_decline_counter": "Shpërfill (%(counter)s)", - "request_toast_accept": "Verifiko Sesion" + "request_toast_accept": "Verifiko Sesion", + "no_key_or_device": "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.", + "reset_proceed_prompt": "Vazhdo me rikthimin te parazgjedhjet", + "verify_using_key_or_phrase": "Verifikojeni me Kyç ose Frazë Sigurie", + "verify_using_key": "Verifikoje me Kyç Sigurie", + "verify_using_device": "Verifikojeni me pajisje tjetër", + "verification_description": "Verifikoni identitetin tuaj që të hyhet në mesazhe të fshehtëzuar dhe t’u provoni të tjerëve identitetin tuaj.", + "verification_success_with_backup": "Pajisja juaj e re tani është e verifikuar. Ajo ka hyrje te mesazhet tuaja të fshehtëzuara dhe përdorues të tjerë do ta shohin si të besuar.", + "verification_success_without_backup": "Pajisja juaj e re tani është e verifikuar. Përdorues të tjerë do ta shohin si të besuar.", + "verification_skip_warning": "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.", + "verify_later": "Do ta verifikoj më vonë", + "verify_reset_warning_1": "Rikthimi te parazgjedhjet i kyçeve tuaj të verifikimit s’mund të zhbëhet. Pas rikthimit te parazgjedhjet, s’do të mund të hyni dot te mesazhe të dikurshëm të fshehtëzuar dhe, cilido shok që ju ka verifikuar më parë, do të shohë një sinjalizim sigurie deri sa të ribëni verifikimin me ta.", + "verify_reset_warning_2": "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ë." }, "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.", @@ -3353,7 +3238,19 @@ "cross_signing_ready_no_backup": "“Cross-signing” është gati, por kyçet s’janë koperuajtur.", "cross_signing_untrusted": "Llogaria juaj ka një identitet cross-signing në depozitë të fshehtë, por s’është ende i besuar në këtë sesion.", "cross_signing_not_ready": "“Cross-signing” s’është ujdisur.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Metodë e Re Rimarrjesh", + "description_1": "Janë pikasur një Frazë e re Sigurie dhe kyç i ri për Mesazhe të Sigurt.", + "description_2": "Ky sesion e fshehtëzon historikun duke përdorur metodë të re rimarrjesh.", + "warning": "Nëse metodën e re të rimarrjeve s’e keni caktuar 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." + }, + "recovery_method_removed": { + "title": "U hoq Metodë Rimarrje", + "description_1": "Ky sesion ka pikasur se Fraza e Sigurisë dhe kyçi juaj për Mesazhe të Sigurt janë hequr.", + "description_2": "Nëse këtë e keni bërë pa dashje, mund të ujdisni Mesazhe të Sigurt në këtë sesion, gjë që do të sjellë rifshehtëzimin e historikut të mesazheve të sesionit me një metodë të re rimarrjesh.", + "warning": "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." + } }, "emoji": { "category_frequently_used": "Përdorur Shpesh", @@ -3532,7 +3429,11 @@ "autodiscovery_unexpected_error_hs": "Gabim i papritur gjatë ftillimit të formësimit të shërbyesit Home", "autodiscovery_unexpected_error_is": "Gabim i papritur teksa ftillohej formësimi i shërbyesit të identiteteve", "incorrect_credentials_detail": "Ju lutemi, kini parasysh se jeni futur te shërbyesi %(hs)s, jo te matrix.org.", - "create_account_title": "Krijoni llogari" + "create_account_title": "Krijoni llogari", + "failed_soft_logout_homeserver": "S’u arrit të ribëhej mirëfilltësimi, për shkak të një problemi me shërbyesin Home", + "soft_logout_subheading": "Spastro të dhëna personale", + "soft_logout_warning": "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.", + "forgot_password_send_email": "Dërgo email" }, "room_list": { "sort_unread_first": "Së pari shfaq dhoma me mesazhe të palexuar", @@ -3549,7 +3450,23 @@ "notification_options": "Mundësi njoftimesh", "failed_set_dm_tag": "S’u arrit të caktohej etiketa e fjalosjes së drejtpërdrejtë", "failed_remove_tag": "S’u arrit të hiqej etiketa %(tagName)s nga dhoma", - "failed_add_tag": "S’u arrit të shtohej në dhomë etiketa %(tagName)s" + "failed_add_tag": "S’u arrit të shtohej në dhomë etiketa %(tagName)s", + "breadcrumbs_label": "Dhoma të vizituara së fundi", + "breadcrumbs_empty": "S’ka dhoma të vizituara së fundi", + "add_room_label": "Shtoni dhomë", + "suggested_rooms_heading": "Roma të Këshilluara", + "add_space_label": "Shtoni hapësirë", + "join_public_room_label": "Hyni në dhomë publike", + "joining_rooms_status": { + "one": "Aktualisht duke hyrë në %(count)s dhomë", + "other": "Aktualisht duke hyrë në %(count)s dhoma" + }, + "redacting_messages_status": { + "one": "Aktualisht po hiqen mesazhe në %(count)s dhomë", + "other": "Aktualisht po hiqen mesazhe në %(count)s dhoma" + }, + "space_menu_label": "Menu %(spaceName)s", + "home_menu_label": "Mundësi kreu" }, "report_content": { "missing_reason": "Ju lutemi, plotësoni arsyen pse po raportoni.", @@ -3802,7 +3719,8 @@ "search_children": "Kërko te %(spaceName)s", "invite_link": "Jepuni lidhje ftese", "invite": "Ftoni njerëz", - "invite_description": "Ftoni përmes email-i ose emri përdoruesi" + "invite_description": "Ftoni përmes email-i ose emri përdoruesi", + "invite_this_space": "Ftoni në këtë hapësirë" }, "location_sharing": { "MapStyleUrlNotConfigured": "Ky shërbyes Home s’është formësuar të shfaqë harta.", @@ -3856,7 +3774,8 @@ "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" + "lists_new_label": "ID dhome ose adresë prej liste ndalimi", + "rules_empty": "Asnjë" }, "create_space": { "name_required": "Ju lutemi, jepni një emër për hapësirën", @@ -3956,8 +3875,71 @@ "forget": "Harroje Dhomën", "mark_read": "Vëri shenjë si të lexuar", "notifications_default": "Kërko përputhje me rregullimin parazgjedhje", - "notifications_mute": "Heshtoni dhomën" - } + "notifications_mute": "Heshtoni dhomën", + "title": "Mundësi dhome" + }, + "invite_this_room": "Ftojeni te kjo dhomë", + "header": { + "video_call_button_jitsi": "Thirrje me video (Jitsi)", + "video_call_button_ec": "Thirrje video (%(brand)s)", + "video_call_ec_layout_freedom": "Liri", + "video_call_ec_layout_spotlight": "Projektor", + "video_call_ec_change_layout": "Ndryshoni skemë", + "forget_room_button": "Harroje dhomën", + "hide_widgets_button": "Fshihi Widget-et", + "show_widgets_button": "Shfaqi Widget-et", + "close_call_button": "Mbylli krejt", + "video_room_view_chat_button": "Shihni rrjedhë kohore fjalosjeje" + }, + "joining_space": "Po hyhet në hapësirë…", + "joining_room": "Po hyhet në dhomë…", + "joining": "Po hyhet…", + "rejecting": "Po hidhet poshtë ftesa…", + "join_title": "Që të merrni pjesë, hyni në dhomë", + "join_title_account": "Merrni pjesë në bisedë me një llogari", + "join_button_account": "Regjistrohuni", + "loading_preview": "Po ngarkohet paraparje", + "kicked_from_room_by": "U hoqët %(roomName)s nga %(memberName)s", + "kicked_by": "U hoqët nga %(memberName)s", + "kick_reason": "Arsye: %(reason)s", + "forget_space": "Harroje këtë hapësirë", + "forget_room": "Harroje këtë dhomë", + "rejoin_button": "Rihyni", + "banned_from_room_by": "Jeni dëbuar prej %(roomName)s nga %(memberName)s", + "banned_by": "U dëbuat nga %(memberName)s", + "3pid_invite_error_title_room": "Diç shkoi ters me ftesën tuaj për te %(roomName)s", + "3pid_invite_error_title": "Diç shkoi ters me ftesën tuaj.", + "3pid_invite_error_description": "U mor si përgjigje një gabim (%(errcode)s), teksa provohej të kontrollohej vlefshmëria e ftesës tuaj. Mund të provonit t’i kaloni këto hollësi personit që ju ftoi.", + "3pid_invite_error_invite_subtitle": "Mund të merrni pjesë në të vetëm me një ftesë funksionale.", + "3pid_invite_error_invite_action": "Provoni të merrni pjesë, sido qoftë", + "3pid_invite_error_public_subtitle": "Mundeni prapëseprapë të hyni këtu.", + "join_the_discussion": "Merrni pjesë në diskutim", + "3pid_invite_email_not_found_account_room": "Kjo ftesë për %(roomName)s u dërgua te %(email)s që s’është i përshoqëruar me llogarinë tuaj", + "3pid_invite_email_not_found_account": "Kjo ftesë u dërgua për %(email)s, që s’është i përshoqëruar me llogarinë tuaj", + "link_email_to_receive_3pid_invite": "Që të merrni ftesa drejt e në %(brand)s, lidheni këtë email me llogarinë tuaj, te Rregullimet.", + "invite_sent_to_email_room": "Kjo ftesë për %(roomName)s u dërgua te %(email)s", + "invite_sent_to_email": "Kjo ftesë u dërgua për %(email)s", + "3pid_invite_no_is_subtitle": "Që të merrni ftesa drejt e në %(brand)s, përdorni një shërbyes identitetesh, te Rregullimet.", + "invite_email_mismatch_suggestion": "Që të merrni ftesa drejt e te %(brand)s, ndajeni me të tjerët këtë email, te Rregullimet.", + "dm_invite_title": "Doni të bisedoni me %(user)s?", + "dm_invite_subtitle": " dëshiron të bisedojë", + "dm_invite_action": "Filloni të bisedoni", + "invite_title": "Doni të bëni pjesë te %(roomName)s?", + "invite_subtitle": "Ju ftoi ", + "invite_reject_ignore": "Hidhe poshtë & Shpërfille përdoruesin", + "peek_join_prompt": "Po parashihni %(roomName)s. Doni të bëni pjesë në të?", + "no_peek_join_prompt": "%(roomName)s s’mund të parashihet. Doni të merrni pjesë në të?", + "no_peek_no_name_join_prompt": "S’ka paraparje, doo të donit të merrnit pjesë?", + "not_found_title_name": "%(roomName)s s’ekziston.", + "not_found_title": "Kjo dhomë ose hapësirë s’ekziston.", + "not_found_subtitle": "Jeni i sigurt se jeni në vendin e duhur?", + "inaccessible_name": "Te %(roomName)s s’hyhet dot tani.", + "inaccessible": "Te kjo dhomë ose hapësirë s’hyhet dot tani.", + "inaccessible_subtitle_1": "Riprovoni më vonë, ose kërkojini një përgjegjësi dhome apo hapësire të kontrollojë nëse keni apo jo hyrje.", + "inaccessible_subtitle_2": "%(errcode)s erdhi teksa provohej të hyhej në dhomë ose hapësirë. Nëse mendoni se po e shihni gabimisht këtë mesazh, ju lutemi, parashtroni një njoftim të mete.", + "join_failed_needs_invite": "Që të shihni %(roomName)s, ju duhet një ftesë", + "view_failed_enable_video_rooms": "Për të parë, ju lutemi, së pari aktivizoni te Labs dhoma me video", + "join_failed_enable_video_rooms": "Për t’u bërë pjesë, ju lutemi, së pari aktivizoni te Labs dhoma me video" }, "file_panel": { "guest_note": "Që të përdorni këtë funksion, duhet të regjistroheni", @@ -4105,7 +4087,14 @@ "keyword_new": "Fjalëkyç i ri", "class_global": "Global", "class_other": "Tjetër", - "mentions_keywords": "Përmendje & fjalëkyçe" + "mentions_keywords": "Përmendje & fjalëkyçe", + "default": "Parazgjedhje", + "all_messages": "Krejt mesazhet", + "all_messages_description": "Merrni njoftim për çdo mesazh", + "mentions_and_keywords": "@përmendje & fjalëkyçe", + "mentions_and_keywords_description": "Merrni njoftime vetëm për përmendje dhe fjalëkyçe që keni ujdisur te rregullimet tuaja", + "mute_description": "S’do të merrni ndonjë njoftim", + "message_didnt_send": "Mesazhi s’u dërgua. Klikoni për hollësi." }, "mobile_guide": { "toast_title": "Për një punim më të mirë, përdorni aplikacionin", @@ -4131,6 +4120,44 @@ "integration_manager": { "connecting": "Po lidhet me përgjegjës integrimesh…", "error_connecting_heading": "S’lidhet dot te përgjegjës integrimesh", - "error_connecting": "Përgjegjësi i integrimeve s’është në linjë ose s’kap dot shërbyesin tuaj Home." + "error_connecting": "Përgjegjësi i integrimeve s’është në linjë ose s’kap dot shërbyesin tuaj Home.", + "use_im_default": "Përdorni një përgjegjës integrimesh (%(serverName)s) që të administroni robotë, widget-e dhe paketa ngjitësish.", + "use_im": "Përdorni një përgjegjës integrimesh që të administroni robotë, widget-e dhe paketa ngjitësish.", + "manage_title": "Administroni integrime", + "explainer": "Përgjegjësit e integrimeve marrin të dhëna formësimi, dhe mund të ndryshojnë widget-e, të dërgojnë ftesa dhome, dhe të caktojnë shkallë pushteti në emër tuajin." + }, + "identity_server": { + "url_not_https": "URL-ja e shërbyesit të identiteteve duhet të jetë HTTPS", + "error_invalid": "Shërbyes identitetesh i pavlefshëm (kod gjendjeje %(code)s)", + "error_connection": "S’u lidh dot te shërbyes identitetesh", + "checking": "Po kontrollohet shërbyesi", + "change": "Ndryshoni shërbyes identitetesh", + "change_prompt": "Të shkëputet më mirë nga shërbyesi i identiteteve dhe të lidhet me ?", + "error_invalid_or_terms": "S’janë pranuar kushtet e shërbimit ose shërbyesi i identiteteve është i pavlefshëm.", + "no_terms": "Shërbyesi i identiteteve që keni zgjedhur nuk ka ndonjë kusht shërbimi.", + "disconnect": "Shkëpute shërbyesin e identiteteve", + "disconnect_server": "Të shkëputet prej shërbyesit të identiteteve ?", + "disconnect_offline_warning": "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.", + "suggestions": "Duhet:", + "suggestions_1": "të kontrolloni shtojcat e shfletuesit tuaj për çfarëdo që mund të bllokojë shërbyesin e identiteteve (bie fjala, Privacy Badger)", + "suggestions_2": "të lidheni me përgjegjësit e shërbyesit të identiteteve ", + "suggestions_3": "të prisni dhe të riprovoni më vonë", + "disconnect_anyway": "Shkëputu, sido qoftë", + "disconnect_personal_data_warning_1": "Ende ndani të dhëna tuajat personale në shërbyesin e identiteteve .", + "disconnect_personal_data_warning_2": "Këshillojmë që të hiqni prej shërbyesit të identiteteve adresat tuaj email dhe numrat tuaj të telefonave përpara se të bëni shkëputjen.", + "url": "Shërbyes identitetesh (%(server)s)", + "description_connected": "Jeni duke përdorur për të zbuluar dhe për t’u zbuluar nga kontakte ekzistues që njihni. Shërbyesin tuaj të identiteteve mund ta ndryshoni më poshtë.", + "change_server_prompt": "Nëse s’doni të përdoret për të zbuluar dhe për të qenë i zbulueshëm nga kontakte ekzistuese që njihni, jepni më poshtë një tjetër shërbyes identitetesh.", + "description_disconnected": "S’po përdorni ndonjë shërbyes identitetesh. Që të zbuloni dhe të jeni i zbulueshëm nga kontakte ekzistues që njihni, shtoni një të tillë më poshtë.", + "disconnect_warning": "Shkëputja prej shërbyesit tuaj të identiteteve do të thotë se s’do të jeni i zbulueshëm nga përdorues të tjerë dhe s’do të jeni në gjendje të ftoni të tjerë përmes email-i apo telefoni.", + "description_optional": "Përdorimi i një shërbyesi identitetesh është opsional. Nëse zgjidhni të mos përdoret një shërbyes identitetesh, s’do të jeni i zbulueshëm nga përdorues të tjerë dhe s’do të jeni në gjendje të ftoni të tjerë me anë email-esh apo telefoni.", + "do_not_use": "Mos përdor shërbyes identitetesh", + "url_field_label": "Jepni një shërbyes të ri identitetesh" + }, + "member_list": { + "invite_button_no_perms_tooltip": "S’keni leje të ftoni përdorues", + "invited_list_heading": "I ftuar", + "filter_placeholder": "Filtroni anëtarë dhome", + "power_label": "%(userName)s (pushtet %(powerLevelNumber)si)" } } diff --git a/src/i18n/strings/sr.json b/src/i18n/strings/sr.json index 9b7fdd07d3..27e623f07a 100644 --- a/src/i18n/strings/sr.json +++ b/src/i18n/strings/sr.json @@ -24,50 +24,31 @@ "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s", - "Default": "Подразумевано", "Restricted": "Ограничено", "Moderator": "Модератор", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", - "Reason": "Разлог", "Send": "Пошаљи", - "Incorrect verification code": "Нетачни потврдни код", - "Authentication": "Идентификација", - "Failed to set display name": "Нисам успео да поставим приказно име", "Failed to ban user": "Неуспех при забрањивању приступа кориснику", "Failed to mute user": "Неуспех при пригушивању корисника", "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.": "Нећете моћи да опозовете ове промене јер себи смањујете овлашћења. Ако сте последњи овлашћени корисник у соби, немогуће је да поново добијете овлашћења.", "Are you sure?": "Да ли сте сигурни?", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Нећете моћи да опозовете ову измену јер унапређујете корисника тако да има исти ниво снаге као и ви.", - "Unignore": "Не занемаруј више", "Jump to read receipt": "Скочи на потврду о прочитаности", "Admin Tools": "Админ алатке", "and %(count)s others...": { "other": "и %(count)s других...", "one": "и још један други..." }, - "Invited": "Позван", - "Filter room members": "Филтрирај чланове собе", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (снага %(powerLevelNumber)s)", - "You do not have permission to post to this room": "Немате овлашћење за писање у овој соби", "%(duration)ss": "%(duration)sс", "%(duration)sm": "%(duration)sм", "%(duration)sh": "%(duration)sч", "%(duration)sd": "%(duration)sд", - "Replying": "Одговара", "Unnamed room": "Неименована соба", "(~%(count)s results)": { "other": "(~%(count)s резултата)", "one": "(~%(count)s резултат)" }, "Join Room": "Приступи соби", - "Forget room": "Заборави собу", - "Rooms": "Собе", - "Low priority": "Ниска важност", - "Historical": "Историја", - "%(roomName)s does not exist.": "Соба %(roomName)s не постоји.", - "%(roomName)s is not accessible at this time.": "Соба %(roomName)s није доступна у овом тренутку.", - "Failed to unban": "Нисам успео да скинем забрану", - "Banned by %(displayName)s": "Приступ забранио %(displayName)s", "unknown error code": "непознати код грешке", "Failed to forget room %(errCode)s": "Нисам успео да заборавим собу %(errCode)s", "Jump to first unread message.": "Скочи на прву непрочитану поруку.", @@ -93,16 +74,11 @@ "other": "И %(count)s других..." }, "Confirm Removal": "Потврди уклањање", - "Deactivate Account": "Деактивирај налог", "An error has occurred.": "Догодила се грешка.", "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, ваша сесија може бити некомпатибилна са овим издањем. Затворите овај прозор и вратите се на новије издање.", - "Invalid Email Address": "Неисправна мејл адреса", - "This doesn't appear to be a valid email address": "Ово не изгледа као исправна адреса е-поште", "Verification Pending": "Чека се на проверу", "Please check your email and click on the link it contains. Once this is done, click continue.": "Проверите ваш мејл и кликните на везу унутар њега. Када ово урадите, кликните на дугме „настави“.", - "Unable to add email address": "Не могу да додам мејл адресу", - "Unable to verify email address.": "Не могу да проверим мејл адресу.", "This will allow you to reset your password and receive notifications.": "Ово омогућава поновно постављање лозинке и примање обавештења.", "Reject invitation": "Одбиј позивницу", "Are you sure you want to reject the invitation?": "Да ли сте сигурни да желите одбити позивницу?", @@ -126,24 +102,10 @@ "one": "Отпремам датотеку %(filename)s и %(count)s других датотека" }, "Uploading %(filename)s": "Отпремам датотеку %(filename)s", - "Failed to change password. Is your password correct?": "Нисам успео да променим лозинку. Да ли је ваша лозинка тачна?", - "Unable to remove contact information": "Не могу да уклоним контакт податке", - "No Microphones detected": "Нема уочених микрофона", - "No Webcams detected": "Нема уочених веб камера", "A new password must be entered.": "Морате унети нову лозинку.", "New passwords must match each other.": "Нове лозинке се морају подударати.", "Return to login screen": "Врати ме на екран за пријаву", "Session ID": "ИД сесије", - "Passphrases must match": "Фразе се морају подударати", - "Passphrase must not be empty": "Фразе не смеју бити празне", - "Export room keys": "Извези кључеве собе", - "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.": "Ова радња вам омогућава да извезете кључеве за примљене поруке у шифрованим собама у локалну датотеку. Онда ћете моћи да увезете датотеку у други Матрикс клијент, у будућности, тако да ће тај клијент моћи да дешифрује ове поруке.", - "Enter passphrase": "Унеси фразу", - "Confirm passphrase": "Потврди фразу", - "Import room keys": "Увези кључеве собе", - "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.": "Извезена датотека ће бити заштићена са фразом. Требало би да унесете фразу овде, да бисте дешифровали датотеку.", - "File to import": "Датотека за увоз", "Sunday": "Недеља", "Today": "Данас", "Friday": "Петак", @@ -157,8 +119,6 @@ "Monday": "Понедељак", "All Rooms": "Све собе", "Wednesday": "Среда", - "All messages": "Све поруке", - "Invite to this room": "Позови у ову собу", "You cannot delete this message. (%(code)s)": "Не можете обрисати ову поруку. (%(code)s)", "Thursday": "Четвртак", "Yesterday": "Јуче", @@ -179,9 +139,6 @@ "Share User": "Подели корисника", "Share Room Message": "Подели поруку у соби", "Link to selected message": "Веза ка изабраној поруци", - "No Audio Outputs detected": "Нема уочених излаза звука", - "Audio Output": "Излаз звука", - "Permission Required": "Неопходна је дозвола", "This event could not be displayed": "Овај догађај не може бити приказан", "Demote yourself?": "Рашчињавате себе?", "Demote": "Рашчини", @@ -189,20 +146,9 @@ "Email (optional)": "Мејл (изборно)", "Are you sure you want to sign out?": "Заиста желите да се одјавите?", "Show more": "Прикажи више", - "Email addresses": "Мејл адресе", - "Phone numbers": "Бројеви телефона", - "Discovery": "Откриће", - "None": "Ништа", - "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": "Е-адреса", - "Phone Number": "Број телефона", "Encrypted by an unverified session": "Шифровано од стране непотврђене сесије", "Scroll to most recent messages": "Пребаци на најновије поруке", "Direct Messages": "Директне поруке", - "Forget this room": "Заборави ову собу", - "Start chatting": "Започни ћаскање", - "Room options": "Опције собе", "Room Name": "Назив собе", "Room Topic": "Тема собе", "Messages in this room are end-to-end encrypted.": "Поруке у овој соби су шифроване с краја на крај.", @@ -220,10 +166,6 @@ "Resend %(unsentCount)s reaction(s)": "Поново пошаљи укупно %(unsentCount)s реакција", "General failure": "Општа грешка", "Light bulb": "сијалица", - "Voice & Video": "Глас и видео", - "Unable to revoke sharing for email address": "Не могу да опозовем дељење ове мејл адресе", - "Unable to revoke sharing for phone number": "Не могу да опозовем дељење броја телефона", - "No recently visited rooms": "Нема недавно посећених соба", "Failed to revoke invite": "Неуспех при отказивању позивнице", "Revoke invite": "Откажи позивницу", "Looks good": "Изгледа добро", @@ -484,9 +426,6 @@ "Removing…": "Уклањам…", "Clear all data in this session?": "Да очистим све податке у овој сесији?", "Reason (optional)": "Разлог (опционо)", - "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.": "Ако нисте ви уклонили начин опоравка, нападач можда покушава да приступи вашем налогу. Промените своју лозинку и поставите нови начин опоравка у поставкама, одмах.", - "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.": "Ако сте то случајно учинили, безбедне поруке можете подесити у овој сесији, која ће поново шифровати историју порука сесије помоћу новог начина опоравка.", - "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Сесија је открила да су ваша безбедносна фраза и кључ за безбедне поруке уклоњени.", "Hide sessions": "Сакриј сесије", "Room settings": "Поставке собе", "Not encrypted": "Није шифровано", @@ -494,10 +433,7 @@ "Edit widgets, bridges & bots": "Уреди виџете, мостове и ботове", "Widgets": "Виџети", "Set my room layout for everyone": "Постави мој распоред собе за сваког", - "Error changing power level requirement": "Грешка при промени захтеваног нивоа снаге", - "Error changing power level": "Грешка при промени нивоа снаге", "Power level": "Ниво снаге", - "Explore rooms": "Истражи собе", "Folder": "фасцикла", "Headphones": "слушалице", "Anchor": "сидро", @@ -565,19 +501,6 @@ "Cancel search": "Откажи претрагу", "Confirm this user's session by comparing the following with their User Settings:": "Потврдите сесију овог корисника упоређивањем следећег са њиховим корисничким подешавањима:", "Confirm by comparing the following with the User Settings in your other session:": "Потврдите упоређивањем следећег са корисничким подешавањима у вашој другој сесији:", - "You can also set up Secure Backup & manage your keys in Settings.": "Такође можете да подесите Сигурносну копију и управљате својим тастерима у подешавањима.", - "Go to Settings": "Идите на подешавања", - "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.", - "Verification code": "Верификациони код", - "Please enter verification code sent via text.": "Унесите верификациони код послат путем текста.", - "Unable to verify phone number.": "Није могуће верификовати број телефона.", - "Unable to share phone number": "Није могуће делити телефонски број", - "You'll need to authenticate with the server to confirm the upgrade.": "Да бисте потврдили надоградњу, мораћете да се пријавите на серверу.", - "Restore your key backup to upgrade your encryption": "Вратите сигурносну копију кључа да бисте надоградили шифровање", - "Enter your account password to confirm the upgrade:": "Унесите лозинку за налог да бисте потврдили надоградњу:", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Заштитите од губитка приступа шифрованим порукама и подацима је подржан сигурносном копијом кључева за шифровање на серверу.", "Clear all data": "Очисти све податке", "Couldn't load page": "Учитавање странице није успело", "Sign in with SSO": "Пријавите се помоћу SSO", @@ -586,13 +509,11 @@ "This homeserver would like to make sure you are not a robot.": "Овај кућни сервер жели да се увери да нисте робот.", "End": "", "Deactivate account": "Деактивирај налог", - "Account management": "Управљање профилом", "Server name": "Име сервера", "Enter the name of a new server you want to explore.": "Унесите име новог сервера који желите да истражите.", "Add a new server": "Додајте нови сервер", "Your server": "Ваш сервер", "This room is public": "Ова соба је јавна", - "Browse": "Прегледајте", "Use the Desktop app to see all encrypted files": "Користи десктоп апликација да видиш све шифроване датотеке", "Not Trusted": "Није поуздано", "Ask this user to verify their session, or manually verify it below.": "Питајте овог корисника да потврди његову сесију или ручно да потврди у наставку.", @@ -653,7 +574,12 @@ "general": "Опште", "profile": "Профил", "display_name": "Прикажи име", - "user_avatar": "Слика профила" + "user_avatar": "Слика профила", + "authentication": "Идентификација", + "rooms": "Собе", + "low_priority": "Ниска важност", + "historical": "Историја", + "go_to_settings": "Идите на подешавања" }, "action": { "continue": "Настави", @@ -714,7 +640,9 @@ "mention": "Спомени", "submit": "Пошаљи", "unban": "Скини забрану", - "show_advanced": "Прикажи напредно" + "show_advanced": "Прикажи напредно", + "unignore": "Не занемаруј више", + "explore_rooms": "Истражи собе" }, "labs": { "pinning": "Закачене поруке", @@ -750,7 +678,10 @@ "@room_description": "Обавести све у соби", "notification_description": "Собно обавештење", "user_description": "Корисници" - } + }, + "no_perms_notice": "Немате овлашћење за писање у овој соби", + "poll_button_no_perms_title": "Неопходна је дозвола", + "replying_title": "Одговара" }, "Code": "Код", "power_level": { @@ -831,10 +762,16 @@ "bulk_options_accept_all_invites": "Прихвати све %(invitedRooms)s позивнице", "bulk_options_reject_all_invites": "Одбиј све позивнице за собе %(invitedRooms)s", "message_search_section": "Претрага порука", - "message_search_disabled": "Сигурно локално кеширајте шифроване поруке да би се појавиле у резултатима претраге." + "message_search_disabled": "Сигурно локално кеширајте шифроване поруке да би се појавиле у резултатима претраге.", + "key_backup_active_version_none": "Ништа" }, "voip": { - "mirror_local_feed": "Копирај довод локалног видеа" + "mirror_local_feed": "Копирај довод локалног видеа", + "audio_output": "Излаз звука", + "audio_output_empty": "Нема уочених излаза звука", + "audio_input_empty": "Нема уочених микрофона", + "video_input_empty": "Нема уочених веб камера", + "title": "Глас и видео" }, "sessions": { "session_id": "ИД сесије" @@ -852,7 +789,51 @@ "add_msisdn_confirm_button": "Потврда додавања броја телефона", "add_msisdn_confirm_body": "Кликните на дугме испод за потврду додавања броја телефона.", "add_msisdn_dialog_title": "Додај број телефона", - "name_placeholder": "Нема приказног имена" + "name_placeholder": "Нема приказног имена", + "error_password_change_403": "Нисам успео да променим лозинку. Да ли је ваша лозинка тачна?", + "emails_heading": "Мејл адресе", + "msisdns_heading": "Бројеви телефона", + "deactivate_section": "Деактивирај налог", + "account_management_section": "Управљање профилом", + "discovery_section": "Откриће", + "error_revoke_email_discovery": "Не могу да опозовем дељење ове мејл адресе", + "error_email_verification": "Не могу да проверим мејл адресу.", + "discovery_email_empty": "Опције откривања појавиће се након што додате мејл адресу изнад.", + "error_revoke_msisdn_discovery": "Не могу да опозовем дељење броја телефона", + "error_share_msisdn_discovery": "Није могуће делити телефонски број", + "error_msisdn_verification": "Није могуће верификовати број телефона.", + "incorrect_msisdn_verification": "Нетачни потврдни код", + "msisdn_verification_instructions": "Унесите верификациони код послат путем текста.", + "msisdn_verification_field_label": "Верификациони код", + "discovery_msisdn_empty": "Опције откривања појавиће се након што додате број телефона изнад.", + "error_set_name": "Нисам успео да поставим приказно име", + "error_remove_3pid": "Не могу да уклоним контакт податке", + "error_invalid_email": "Неисправна мејл адреса", + "error_invalid_email_detail": "Ово не изгледа као исправна адреса е-поште", + "error_add_email": "Не могу да додам мејл адресу", + "email_address_label": "Е-адреса", + "msisdn_label": "Број телефона" + }, + "key_backup": { + "setup_secure_backup": { + "description": "Заштитите од губитка приступа шифрованим порукама и подацима је подржан сигурносном копијом кључева за шифровање на серверу.", + "requires_password_confirmation": "Унесите лозинку за налог да бисте потврдили надоградњу:", + "requires_key_restore": "Вратите сигурносну копију кључа да бисте надоградили шифровање", + "requires_server_authentication": "Да бисте потврдили надоградњу, мораћете да се пријавите на серверу.", + "settings_reminder": "Такође можете да подесите Сигурносну копију и управљате својим тастерима у подешавањима." + } + }, + "key_export_import": { + "export_title": "Извези кључеве собе", + "export_description_1": "Ова радња вам омогућава да извезете кључеве за примљене поруке у шифрованим собама у локалну датотеку. Онда ћете моћи да увезете датотеку у други Матрикс клијент, у будућности, тако да ће тај клијент моћи да дешифрује ове поруке.", + "enter_passphrase": "Унеси фразу", + "confirm_passphrase": "Потврди фразу", + "phrase_cannot_be_empty": "Фразе не смеју бити празне", + "phrase_must_match": "Фразе се морају подударати", + "import_title": "Увези кључеве собе", + "import_description_1": "Ова радња вам омогућава да увезете кључеве за шифровање које сте претходно извезли из другог Матрикс клијента. Након тога ћете моћи да дешифрујете било коју поруку коју је други клијент могао да дешифрује.", + "import_description_2": "Извезена датотека ће бити заштићена са фразом. Требало би да унесете фразу овде, да бисте дешифровали датотеку.", + "file_to_import": "Датотека за увоз" } }, "devtools": { @@ -1176,7 +1157,12 @@ "muted_users_section": "Утишани корисници", "banned_users_section": "Корисници са забраном приступа", "title": "Улоге и дозволе", - "permissions_section": "Овлашћења" + "permissions_section": "Овлашћења", + "error_unbanning": "Нисам успео да скинем забрану", + "banned_by": "Приступ забранио %(displayName)s", + "ban_reason": "Разлог", + "error_changing_pl_reqs_title": "Грешка при промени захтеваног нивоа снаге", + "error_changing_pl_title": "Грешка при промени нивоа снаге" }, "security": { "enable_encryption_confirm_title": "Омогућити шифровање?", @@ -1197,12 +1183,16 @@ "default_url_previews_off": "УРЛ прегледи су подразумевано искључени за чланове ове собе.", "url_previews_section": "УРЛ прегледи", "error_save_space_settings": "Чување подешавања простора није успело.", - "description_space": "Уредите поставке које се односе на ваш простор." + "description_space": "Уредите поставке које се односе на ваш простор.", + "other_section": "Остало" }, "advanced": { "unfederated": "Ова соба није доступна са удаљених Матрикс сервера" }, - "upload_avatar_label": "Отпреми аватар" + "upload_avatar_label": "Отпреми аватар", + "notifications": { + "browse_button": "Прегледајте" + } }, "encryption": { "verification": { @@ -1225,7 +1215,12 @@ "set_up_toast_description": "Заштитите се од губитка приступа шифрованим порукама и подацима", "verify_toast_description": "Други корисници можда немају поверења у то", "cross_signing_unsupported": "Ваш домаћи сервер не подржава међу-потписивање.", - "not_supported": "<није подржано>" + "not_supported": "<није подржано>", + "recovery_method_removed": { + "description_1": "Сесија је открила да су ваша безбедносна фраза и кључ за безбедне поруке уклоњени.", + "description_2": "Ако сте то случајно учинили, безбедне поруке можете подесити у овој сесији, која ће поново шифровати историју порука сесије помоћу новог начина опоравка.", + "warning": "Ако нисте ви уклонили начин опоравка, нападач можда покушава да приступи вашем налогу. Промените своју лозинку и поставите нови начин опоравка у поставкама, одмах." + } }, "emoji": { "category_smileys_people": "Смешци и особе", @@ -1308,7 +1303,8 @@ "sublist_options": "Прикажи опције", "notification_options": "Опције обавештавања", "failed_remove_tag": "Нисам успео да скинем ознаку %(tagName)s са собе", - "failed_add_tag": "Нисам успео да додам ознаку %(tagName)s на собу" + "failed_add_tag": "Нисам успео да додам ознаку %(tagName)s на собу", + "breadcrumbs_empty": "Нема недавно посећених соба" }, "report_content": { "report_content_to_homeserver": "Пријави садржај администратору вашег домаћег сервера" @@ -1436,8 +1432,20 @@ "context_menu": { "favourite": "Омиљено", "low_priority": "Најмања важност", - "forget": "Заборави собу" - } + "forget": "Заборави собу", + "title": "Опције собе" + }, + "invite_this_room": "Позови у ову собу", + "header": { + "forget_room_button": "Заборави собу" + }, + "forget_room": "Заборави ову собу", + "link_email_to_receive_3pid_invite": "Повежите ову е-пошту са својим налогом у Подешавањима да бисте директно добијали позиве у %(brand)s.", + "3pid_invite_no_is_subtitle": "Користите сервер за идентитет у Подешавањима за директно примање позивница %(brand)s.", + "invite_email_mismatch_suggestion": "Поделите ову е-пошту у подешавањима да бисте директно добијали позиве у %(brand)s.", + "dm_invite_action": "Започни ћаскање", + "not_found_title_name": "Соба %(roomName)s не постоји.", + "inaccessible_name": "Соба %(roomName)s није доступна у овом тренутку." }, "file_panel": { "guest_note": "Морате се регистровати да бисте користили ову могућност", @@ -1463,7 +1471,8 @@ }, "labs_mjolnir": { "rules_user": "Корисничка правила", - "advanced_warning": "⚠ Ова подешавања су намењена напредним корисницима." + "advanced_warning": "⚠ Ова подешавања су намењена напредним корисницима.", + "rules_empty": "Ништа" }, "failed_load_async_component": "Не могу да учитам! Проверите повезаност и пробајте поново.", "upload_failed_generic": "Фајл „%(fileName)s“ није отпремљен.", @@ -1510,12 +1519,19 @@ "colour_none": "Ништа", "error_change_title": "Промените подешавања обавештења", "mark_all_read": "Означи све као прочитано", - "class_other": "Остало" + "class_other": "Остало", + "default": "Подразумевано", + "all_messages": "Све поруке" }, "quick_settings": { "all_settings": "Сва подешавања" }, "integration_manager": { "error_connecting_heading": "Не могу се повезати на управника уградњи" + }, + "member_list": { + "invited_list_heading": "Позван", + "filter_placeholder": "Филтрирај чланове собе", + "power_label": "%(userName)s (снага %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/sr_Latn.json b/src/i18n/strings/sr_Latn.json index e3e5365693..d79a219bb3 100644 --- a/src/i18n/strings/sr_Latn.json +++ b/src/i18n/strings/sr_Latn.json @@ -1,5 +1,4 @@ { - "Explore rooms": "Istražite sobe", "Send": "Pošalji", "Sun": "Ned", "Mon": "Pon", @@ -22,7 +21,6 @@ "Dec": "Dec", "PM": "poslepodne", "AM": "prepodne", - "Default": "Podrazumevano", "Restricted": "Ograničeno", "Moderator": "Moderator", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "", @@ -40,7 +38,8 @@ "dismiss": "Odbaci", "trust": "Vjeruj", "sign_in": "Prijavite se", - "register": "Registruj se" + "register": "Registruj se", + "explore_rooms": "Istražite sobe" }, "power_level": { "default": "Podrazumevano", @@ -147,5 +146,8 @@ "error": { "admin_contact": "Molim Vas da kontaktirate administratora kako bi ste nastavili sa korištenjem usluge.", "connection": "Postoji problem u komunikaciji sa privatnim/javnim serverom. Molim Vas pokušajte kasnije." + }, + "notifications": { + "default": "Podrazumevano" } } diff --git a/src/i18n/strings/sv.json b/src/i18n/strings/sv.json index 92a2f3667d..1ce34dcd97 100644 --- a/src/i18n/strings/sv.json +++ b/src/i18n/strings/sv.json @@ -1,7 +1,4 @@ { - "No Microphones detected": "Ingen mikrofon hittades", - "No Webcams detected": "Ingen webbkamera hittades", - "Authentication": "Autentisering", "%(items)s and %(lastItem)s": "%(items)s och %(lastItem)s", "and %(count)s others...": { "other": "och %(count)s andra…", @@ -13,45 +10,28 @@ "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?", "Custom level": "Anpassad nivå", - "Deactivate Account": "Inaktivera konto", "Decrypt %(text)s": "Avkryptera %(text)s", - "Default": "Standard", "Download %(text)s": "Ladda ner %(text)s", "Email address": "E-postadress", "Error decrypting attachment": "Fel vid avkryptering av bilagan", "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 forget room %(errCode)s": "Misslyckades att glömma bort rummet %(errCode)s", "Failed to load timeline position": "Misslyckades att hämta positionen på tidslinjen", "Failed to mute user": "Misslyckades att tysta användaren", "Failed to reject invite": "Misslyckades att avböja inbjudan", "Failed to reject invitation": "Misslyckades att avböja inbjudan", - "Failed to set display name": "Misslyckades att ange visningsnamn", - "Failed to unban": "Misslyckades att avbanna", "Admin Tools": "Admin-verktyg", - "Enter passphrase": "Ange lösenfras", - "Filter room members": "Filtrera rumsmedlemmar", - "Forget room": "Glöm bort rum", - "Historical": "Historiska", "Home": "Hem", - "Incorrect verification code": "Fel verifieringskod", - "Invalid Email Address": "Ogiltig e-postadress", "Invalid file%(extra)s": "Felaktig fil%(extra)s", - "Invited": "Inbjuden", "Join Room": "Gå med i rum", "Jump to first unread message.": "Hoppa till första olästa meddelandet.", - "Low priority": "Låg prioritet", "Moderator": "Moderator", "New passwords must match each other.": "De nya lösenorden måste matcha.", "not specified": "inte specificerad", "No more results": "Inga fler resultat", "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.", - "Reason": "Orsak", "Reject invitation": "Avböj inbjudan", "Return to login screen": "Tillbaka till inloggningsskärmen", - "%(roomName)s does not exist.": "%(roomName)s finns inte.", - "%(roomName)s is not accessible at this time.": "%(roomName)s är inte tillgängligt för tillfället.", - "Rooms": "Rum", "Search failed": "Sökning misslyckades", "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 :(", "Session ID": "Sessions-ID", @@ -95,15 +75,11 @@ "Wednesday": "onsdag", "You cannot delete this message. (%(code)s)": "Du kan inte radera det här meddelandet. (%(code)s)", "Send": "Skicka", - "All messages": "Alla meddelanden", - "Invite to this room": "Bjud in till rummet", "Thursday": "torsdag", "Yesterday": "igår", "Thank you!": "Tack!", "This room has no local addresses": "Det här rummet har inga lokala adresser", "Restricted": "Begränsad", - "Unignore": "Avignorera", - "You do not have permission to post to this room": "Du har inte behörighet att posta till detta rum", "%(duration)ss": "%(duration)ss", "%(duration)sm": "%(duration)sm", "%(duration)sh": "%(duration)sh", @@ -112,7 +88,6 @@ "other": "(~%(count)s resultat)", "one": "(~%(count)s resultat)" }, - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (behörighet %(powerLevelNumber)s)", "And %(count)s more...": { "other": "Och %(count)s till…" }, @@ -124,10 +99,7 @@ "one": "Laddar upp %(filename)s och %(count)s till" }, "Uploading %(filename)s": "Laddar upp %(filename)s", - "This doesn't appear to be a valid email address": "Det här verkar inte vara en giltig e-postadress", "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.", "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.", "%(weekDayName)s %(time)s": "%(weekDayName)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(day)s %(monthName)s %(time)s", @@ -139,14 +111,8 @@ "Sent messages will be stored until your connection has returned.": "Skickade meddelanden kommer att lagras tills anslutningen är tillbaka.", "Tried to load a specific point in this room's timeline, but you do not have permission to view the message in question.": "Försökte ladda en viss punkt i det här rummets tidslinje, men du är inte behörig att visa det aktuella meddelandet.", "Tried to load a specific point in this room's timeline, but was unable to find it.": "Försökte ladda en specifik punkt i det här rummets tidslinje, men kunde inte hitta den.", - "Unable to remove contact information": "Kunde inte ta bort kontaktuppgifter", "Delete Widget": "Radera widget", "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.", - "Export room keys": "Exportera rumsnycklar", - "Import room keys": "Importera rumsnycklar", - "File to import": "Fil att importera", - "Replying": "Svarar", - "Banned by %(displayName)s": "Bannad av %(displayName)s", "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.", "Clear Storage and Sign Out": "Rensa lagring och logga ut", "Send Logs": "Skicka loggar", @@ -155,7 +121,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.": "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.", "Jump to read receipt": "Hoppa till läskvitto", - "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.", "Confirm Removal": "Bekräfta borttagning", "collapse": "fäll ihop", "expand": "fäll ut", @@ -167,11 +132,6 @@ "Error decrypting video": "Fel vid avkryptering av video", "Add an Integration": "Lägg till 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?": "Du kommer att skickas till en tredjepartswebbplats så att du kan autentisera ditt konto för användning med %(integrationsUrl)s. Vill du fortsätta?", - "Passphrases must match": "Lösenfraser måste matcha", - "Passphrase must not be empty": "Lösenfrasen får inte vara tom", - "Confirm passphrase": "Bekräfta lösenfrasen", - "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.": "Denna process möjliggör import av krypteringsnycklar som tidigare exporterats från en annan Matrix-klient. Du kommer då kunna avkryptera alla meddelanden som den andra klienten kunde avkryptera.", - "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Den exporterade filen kommer vara skyddad med en lösenfras. Du måste ange lösenfrasen här, för att avkryptera filen.", "Share Link to User": "Dela länk till användare", "Share room": "Dela rum", "Share Room": "Dela rum", @@ -179,17 +139,12 @@ "Share User": "Dela användare", "Share Room Message": "Dela rumsmeddelande", "Link to selected message": "Länk till valt meddelande", - "No Audio Outputs detected": "Inga ljudutgångar hittades", - "Audio Output": "Ljudutgång", - "Permission Required": "Behörighet krävs", "This event could not be displayed": "Den här händelsen kunde inte visas", "Demote yourself?": "Degradera dig själv?", "Demote": "Degradera", "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.", "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.": "Ditt meddelande skickades inte eftersom hemservern har nått sin månatliga gräns för användaraktivitet. Vänligen kontakta din serviceadministratör för att fortsätta använda tjänsten.", "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Ditt meddelande skickades inte eftersom hemservern har överskridit en av sina resursgränser. Vänligen kontakta din serviceadministratör för att fortsätta använda tjänsten.", - "This room has been replaced and is no longer active.": "Detta rum har ersatts och är inte längre aktivt.", - "The conversation continues here.": "Konversationen fortsätter här.", "Only room administrators will see this warning": "Endast rumsadministratörer kommer att se denna varning", "Failed to upgrade room": "Misslyckades att uppgradera rummet", "The room upgrade could not be completed": "Rumsuppgraderingen kunde inte slutföras", @@ -264,24 +219,11 @@ "Anchor": "Ankare", "Headphones": "Hörlurar", "Folder": "Mapp", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Vi har skickat ett e-brev till dig för att verifiera din adress. Följ instruktionerna där och klicka sedan på knappen nedan.", - "Email Address": "E-postadress", - "Unable to verify phone number.": "Kunde inte verifiera telefonnumret.", - "Verification code": "Verifieringskod", - "Phone Number": "Telefonnummer", - "Email addresses": "E-postadresser", - "Phone numbers": "Telefonnummer", - "Account management": "Kontohantering", - "Voice & Video": "Röst & video", - "Room information": "Rumsinformation", - "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)", "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", - "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", "Error updating main address": "Fel vid uppdatering av huvudadress", "Room avatar": "Rumsavatar", "Room Name": "Rumsnamn", @@ -290,7 +232,6 @@ "Invite anyway and never warn me again": "Bjud in ändå och varna mig aldrig igen", "Invite anyway": "Bjud in ändå", "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", "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", @@ -330,31 +271,7 @@ }, "Cancel All": "Avbryt alla", "Upload Error": "Uppladdningsfel", - "Checking server": "Kontrollerar servern", - "Change identity server": "Byt identitetsserver", - "Disconnect from the identity server and connect to instead?": "Koppla ifrån från identitetsservern och anslut till istället?", - "Disconnect identity server": "Koppla ifrån identitetsservern", - "Disconnect from the identity server ?": "Koppla ifrån från identitetsservern ?", - "You are still sharing your personal data on the identity server .": "Du delar fortfarande dina personuppgifter på identitetsservern .", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Vi rekommenderar att du tar bort dina e-postadresser och telefonnummer från identitetsservern innan du kopplar från.", - "Disconnect anyway": "Koppla ifrån ändå", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Du använder för närvarande för att upptäcka och upptäckas av befintliga kontakter som du känner. Du kan byta din identitetsserver nedan.", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Om du inte vill använda för att upptäcka och upptäckas av befintliga kontakter som du känner, ange en annan identitetsserver nedan.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Du använder för närvarande inte en identitetsserver. Lägg till en nedan om du vill upptäcka och bli upptäckbar av befintliga kontakter som du känner.", - "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.": "Att koppla ifrån din identitetsserver betyder att du inte kan upptäckas av andra användare och att du inte kommer att kunna bjuda in andra via e-post eller telefon.", - "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.": "Att använda en identitetsserver är valfritt. Om du väljer att inte använda en identitetsserver kan du inte upptäckas av andra användare och inte heller bjuda in andra via e-post eller telefon.", - "Do not use an identity server": "Använd inte en identitetsserver", - "Enter a new identity server": "Ange en ny identitetsserver", - "Discovery": "Upptäckt", "Deactivate account": "Inaktivera konto", - "Uploaded sound": "Uppladdat ljud", - "Sounds": "Ljud", - "Notification sound": "Aviseringsljud", - "Set a new custom sound": "Ställ in ett nytt anpassat ljud", - "Discovery options will appear once you have added an email above.": "Upptäcktsalternativ kommer att visas när du har lagt till en e-postadress ovan.", - "Remove %(email)s?": "Ta bort %(email)s?", - "Remove %(phone)s?": "Ta bort %(phone)s?", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Ett SMS har skickats till +%(msisdn)s. Ange verifieringskoden som det innehåller.", "Edit message": "Redigera meddelande", "No recent messages by %(user)s found": "Inga nyliga meddelanden från %(user)s hittades", "Try scrolling up in the timeline to see if there are any earlier ones.": "Pröva att skrolla upp i tidslinjen för att se om det finns några tidigare.", @@ -368,25 +285,9 @@ "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?": "Vid inaktivering av användare loggas den ut och förhindras från att logga in igen. Den kommer dessutom att lämna alla rum den befinner sig i. Den här åtgärden kan inte ångras. Är du säker på att du vill inaktivera den här användaren?", "Deactivate user": "Inaktivera användaren", "Remove recent messages": "Ta bort nyliga meddelanden", - "Italics": "Kursiv", - "Join the conversation with an account": "Gå med i konversationen med ett konto", - "Sign Up": "Registrera dig", "Edited at %(date)s. Click to view edits.": "Redigerat vid %(date)s. Klicka för att visa redigeringar.", "edited": "redigerat", "Couldn't load page": "Kunde inte ladda sidan", - "Manage integrations": "Hantera integrationer", - "Close preview": "Stäng förhandsgranskning", - "Room %(name)s": "Rum %(name)s", - "Re-join": "Gå med igen", - "Try to join anyway": "Försök att gå med ändå", - "Join the discussion": "Gå med i diskussionen", - "Do you want to chat with %(user)s?": "Vill du chatta med %(user)s?", - " wants to chat": " vill chatta", - "Start chatting": "Börja chatta", - "Do you want to join %(roomName)s?": "Vill du gå med i %(roomName)s?", - " invited you": " bjöd in dig", - "You're previewing %(roomName)s. Want to join it?": "Du förhandsgranskar %(roomName)s. Vill du gå med i det?", - "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s kan inte förhandsgranskas. Vill du gå med i det?", "Failed to connect to integration manager": "Kunde inte ansluta till integrationshanterare", "Message Actions": "Meddelandeåtgärder", "Show image": "Visa bild", @@ -418,15 +319,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", - "Unable to revoke sharing for email address": "Kunde inte återkalla delning för e-postadress", - "Unable to share email address": "Kunde inte dela e-postadress", - "Your email address hasn't been verified yet": "Din e-postadress har inte verifierats än", - "Click the link in the email you received to verify and then click continue again.": "Klicka på länken i e-postmeddelandet för att bekräfta och klicka sedan på Fortsätt igen.", - "Verify the link in your inbox": "Verifiera länken i din inkorg", - "Unable to revoke sharing for phone number": "Kunde inte återkalla delning för telefonnummer", - "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.", "Session name": "Sessionsnamn", "Session key": "Sessionsnyckel", "Upgrade private room": "Uppgradera privat rum", @@ -448,24 +340,7 @@ "This backup is trusted because it has been restored on this session": "Den här säkerhetskopian är betrodd för att den har återställts på den här sessionen", "Back up your keys before signing out to avoid losing them.": "Säkerhetskopiera dina nycklar innan du loggar ut för att undvika att du blir av med dem.", "Start using Key Backup": "Börja använda nyckelsäkerhetskopiering", - "Terms of service not accepted or the identity server is invalid.": "Användarvillkoren accepterades inte eller identitetsservern är inte giltig.", - "The identity server you have chosen does not have any terms of service.": "Identitetsservern du har valt har inga användarvillkor.", - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Du bör ta bort din personliga information från identitetsservern innan du kopplar ifrån. Tyvärr är identitetsservern för närvarande offline eller kan inte nås.", - "You should:": "Du bör:", - "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", - "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.", - "None": "Ingen", - "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.", - "Bridges": "Bryggor", - "Browse": "Bläddra", - "Error changing power level requirement": "Fel vid ändring av behörighetskrav", - "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.", "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.", @@ -477,21 +352,6 @@ "Encrypted by a deleted session": "Krypterat av en raderad session", "The authenticity of this encrypted message can't be guaranteed on this device.": "Det krypterade meddelandets äkthet kan inte garanteras på den här enheten.", "Scroll to most recent messages": "Skrolla till de senaste meddelandena", - "No recently visited rooms": "Inga nyligen besökta rum", - "Add room": "Lägg till rum", - "Explore public rooms": "Utforska offentliga rum", - "Reason: %(reason)s": "Anledning: %(reason)s", - "Forget this room": "Glöm det här rummet", - "You were banned from %(roomName)s by %(memberName)s": "Du blev bannad från %(roomName)s av %(memberName)s", - "Something went wrong with your invite to %(roomName)s": "Någonting gick fel med din inbjudan till %(roomName)s", - "You can only join it with a working invite.": "Du kan bara gå med i det med en fungerande inbjudan.", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Denna inbjudan till %(roomName)s skickades till %(email)s vilken inte är associerad med det här kontot", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Länka den här e-postadressen med ditt konto in inställningarna för att motta inbjudningar direkt i %(brand)s.", - "This invite to %(roomName)s was sent to %(email)s": "Denna inbjudan till %(roomName)s skickades till %(email)s", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Använd en identitetsserver i inställningarna för att motta inbjudningar direkt i %(brand)s.", - "Share this email in Settings to receive invites directly in %(brand)s.": "Dela denna e-postadress i inställningarna för att motta inbjudningar direkt i %(brand)s.", - "Reject & Ignore user": "Avvisa och ignorera användare", - "Room options": "Rumsinställningar", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Att uppgradera det här rummet kommer att stänga den nuvarande instansen av rummet och skapa ett uppgraderat rum med samma namn.", "This room has already been upgraded.": "Det här rummet har redan uppgraderats.", "This room is running room version , which this homeserver has marked as unstable.": "Det här rummet kör rumsversion , vilket den här hemservern har markerat som instabil.", @@ -643,7 +503,6 @@ "This room is public": "Det här rummet är offentligt", "Country Dropdown": "Land-dropdown", "Sign in with SSO": "Logga in med SSO", - "Explore rooms": "Utforska rum", "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", @@ -652,42 +511,8 @@ "Invalid identity server discovery response": "Ogiltigt identitetsserverupptäcktssvar", "Invalid base_url for m.identity_server": "Ogiltig base_url för m.identity_server", "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", "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.", - "Generate a Security Key": "Generera en säkerhetsnyckel", - "Enter a Security Phrase": "Ange en säkerhetsfras", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Använd en hemlig fras endast du känner till, och spara valfritt en säkerhetsnyckel att använda för säkerhetskopiering.", - "Enter your account password to confirm the upgrade:": "Ange ditt kontolösenord för att bekräfta uppgraderingen:", - "Restore your key backup to upgrade your encryption": "Återställ din nyckelsäkerhetskopia för att uppgradera din kryptering", - "You'll need to authenticate with the server to confirm the upgrade.": "Du kommer behöva autentisera mot servern för att bekräfta uppgraderingen.", - "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Uppgradera den här sessionen för att låta den verifiera andra sessioner, för att ge dem åtkomst till krypterade meddelanden och markera dem som betrodda för andra användare.", - "That matches!": "Det matchar!", - "Use a different passphrase?": "Använd en annan lösenfras?", - "That doesn't match.": "Det matchar inte.", - "Go back to set it again.": "Gå tillbaka och sätt den igen.", - "Unable to query secret storage status": "Kunde inte fråga efter status på hemlig lagring", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Om du avbryter nu så kan du förlora krypterade meddelanden och data om du förlorar åtkomst till dina inloggningar.", - "You can also set up Secure Backup & manage your keys in Settings.": "Du kan även ställa in säker säkerhetskopiering och hantera dina nycklar i inställningarna.", - "Upgrade your encryption": "Uppgradera din kryptering", - "Set a Security Phrase": "Sätt en säkerhetsfras", - "Confirm Security Phrase": "Bekräfta säkerhetsfras", - "Save your Security Key": "Spara din säkerhetsnyckel", - "Unable to set up secret storage": "Kunde inte sätta upp hemlig lagring", - "Your keys are being backed up (the first backup could take a few minutes).": "Dina nycklar säkerhetskopieras (den första säkerhetskopieringen kan ta några minuter).", - "Success!": "Framgång!", - "Create key backup": "Skapa nyckelsäkerhetskopia", - "Unable to create key backup": "Kunde inte skapa nyckelsäkerhetskopia", - "New Recovery Method": "Ny återställningsmetod", - "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.": "Om du inte har ställt in den nya återställningsmetoden kan en angripare försöka komma åt ditt konto. Byt ditt kontolösenord och ställ in en ny återställningsmetod omedelbart i inställningarna.", - "This session is encrypting history using the new recovery method.": "Den här sessionen krypterar historik med den nya återställningsmetoden.", - "Go to Settings": "Gå till inställningarna", - "Set up Secure Messages": "Ställ in säkra meddelanden", - "Recovery Method Removed": "Återställningsmetod borttagen", - "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.": "Om du gjorde det av misstag kan du ställa in säkra meddelanden på den här sessionen som krypterar sessionens meddelandehistorik igen med en ny återställningsmetod.", - "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.": "Om du inte tog bort återställningsmetoden kan en angripare försöka komma åt ditt konto. Byt ditt kontolösenord och ställ in en ny återställningsmetod omedelbart i inställningarna.", "Not encrypted": "Inte krypterad", "Room settings": "Rumsinställningar", "Backup version:": "Version av säkerhetskopia:", @@ -712,8 +537,6 @@ "You can only pin up to %(count)s widgets": { "other": "Du kan bara fästa upp till %(count)s widgets" }, - "Show Widgets": "Visa widgets", - "Hide Widgets": "Dölj widgets", "Canada": "Kanada", "Cameroon": "Kamerun", "Cambodia": "Kambodja", @@ -985,10 +808,6 @@ "The widget will verify your user ID, but won't be able to perform actions for you:": "Den här widgeten kommer att verifiera ditt användar-ID, men kommer inte kunna utföra handlingar som dig:", "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", - "Great! This Security Phrase looks strong enough.": "Fantastiskt! Den här säkerhetsfrasen ser tillräckligt stark ut.", - "Confirm your Security Phrase": "Bekräfta din säkerhetsfras", - "A new Security Phrase and key for Secure Messages have been detected.": "En ny säkerhetsfras och -nyckel för säkra meddelanden har detekterats.", - "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Den här sessionen har detekterat att din säkerhetsfras och -nyckel för säkra meddelanden har tagits bort.", "Unable to access secret storage. Please verify that you entered the correct Security Phrase.": "Kan inte komma åt hemlig lagring. Vänligen verifiera att du angav rätt säkerhetsfras.", "Security Key mismatch": "Säkerhetsnyckeln matchade inte", "Backup could not be decrypted with this Security Key: please verify that you entered the correct Security Key.": "Säkerhetskopian kunde inte avkrypteras med den här säkerhetsnyckeln: vänligen verifiera att du har angett rätt säkerhetsnyckel.", @@ -1002,7 +821,6 @@ "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 ", - "Recently visited rooms": "Nyligen besökta rum", "%(count)s members": { "one": "%(count)s medlem", "other": "%(count)s medlemmar" @@ -1016,14 +834,9 @@ "Create a new room": "Skapa ett nytt rum", "Space selection": "Utrymmesval", "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.": "Du kommer inte kunna ångra den här ändringen eftersom du degraderar dig själv, och om du är den sista privilegierade användaren i utrymmet så kommer det att vara omöjligt att återfå utrymmet.", - "Suggested Rooms": "Föreslagna rum", - "Add existing room": "Lägg till existerande rum", - "Invite to this space": "Bjud in till det här utrymmet", "Your message was sent": "Ditt meddelande skickades", "Leave space": "Lämna utrymmet", "Create a space": "Skapa ett utrymme", - "Private space": "Privat utrymme", - "Public space": "Offentligt utrymme", " 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", @@ -1047,7 +860,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", - "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.", "Only do this if you have no other device to complete verification with.": "Gör detta endast om du inte har någon annan enhet att slutföra verifikationen med.", @@ -1066,8 +878,6 @@ "Some of your messages have not been sent": "Vissa av dina meddelanden har inte skickats", "Including %(commaSeparatedMembers)s": "Inklusive %(commaSeparatedMembers)s", "Failed to send": "Misslyckades att skicka", - "Enter your Security Phrase a second time to confirm it.": "Ange din säkerhetsfras igen för att bekräfta den.", - "You have no ignored users.": "Du har inga ignorerade användare.", "Search names and descriptions": "Sök namn och beskrivningar", "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.", @@ -1084,10 +894,6 @@ "No microphone found": "Ingen mikrofon hittad", "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", - "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" - }, "Or send invite link": "Eller skicka inbjudningslänk", "Some suggestions may be hidden for privacy.": "Vissa förslag kan vara dolda av sekretesskäl.", "Search for rooms or people": "Sök efter rum eller personer", @@ -1098,21 +904,8 @@ "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", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Din %(brand)s tillåter dig inte att använda en integrationshanterare för att göra detta. Vänligen kontakta en administratör.", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Integrationshanterare får konfigurationsdata och kan ändra widgetar, skicka rumsinbjudningar och ställa in behörighetsnivåer å dina vägnar.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Använd en integrationshanterare för att hantera bottar, widgets och dekalpaket.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Använd en integrationshanterare (%(serverName)s) för att hantera bottar, widgets och dekalpaket.", - "Identity server (%(server)s)": "Identitetsserver (%(server)s)", - "Could not connect to identity server": "Kunde inte ansluta till identitetsservern", - "Not a valid identity server (status code %(code)s)": "Inte en giltig identitetsserver (statuskod %(code)s)", - "Identity server URL must be HTTPS": "URL för identitetsserver måste vara HTTPS", - "Address": "Adress", - "Space information": "Utrymmesinfo", "Stop recording": "Stoppa inspelning", "Send voice message": "Skicka röstmeddelande", - "Show %(count)s other previews": { - "one": "Visa %(count)s annan förhandsgranskning", - "other": "Visa %(count)s andra förhandsgranskningar" - }, "This space has no local addresses": "Det här utrymmet har inga lokala adresser", "Error processing audio message": "Fel vid hantering av ljudmeddelande", "Decrypting": "Avkrypterar", @@ -1142,7 +935,6 @@ "Unable to copy room link": "Kunde inte kopiera rumslänken", "Error downloading audio": "Fel vid nedladdning av ljud", "Unnamed audio": "Namnlöst ljud", - "Add space": "Lägg till utrymme", "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.", @@ -1164,14 +956,10 @@ "Anyone in will be able to find and join.": "Vem som helst i kommer kunna hitta och gå med.", "Private space (invite only)": "Privat utrymme (endast inbjudan)", "Space visibility": "Utrymmessynlighet", - "Public room": "Offentligt rum", "Rooms and spaces": "Rum och utrymmen", "Results": "Resultat", "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", - "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.", "Would you like to leave the rooms in this space?": "Vill du lämna rummen i det här utrymmet?", "You are about to leave .": "Du kommer att lämna .", @@ -1197,21 +985,11 @@ "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", - "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.": "Återställning av dina verifieringsnycklar kan inte ångras. Efter återställning så kommer du inte att komma åt dina krypterade meddelanden, och alla vänner som tidigare har verifierat dig kommer att se säkerhetsvarningar tills du återverifierar med dem.", - "I'll verify later": "Jag verifierar senare", - "Verify with Security Key": "Verifiera med säkerhetsnyckel", - "Proceed with reset": "Fortsätt återställning", - "Verify with Security Key or Phrase": "Verifiera med säkerhetsnyckel eller -fras", - "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.": "Det ser ut som att du inte har någon säkerhetsnyckel eller några andra enheter du kan verifiera mot. Den här enheten kommer inte kunna komma åt gamla krypterad meddelanden. För att verifiera din identitet på den här enheten så behöver du återställa dina verifieringsnycklar.", "Skip verification for now": "Hoppa över verifiering för tillfället", "Really reset verification keys?": "Återställ verkligen verifieringsnycklar?", "Joined": "Gick med", - "Insert link": "Infoga länk", "Joining": "Går med", - "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Lagra din säkerhetsnyckel någonstans säkert, som en lösenordshanterare eller ett kassaskåp, eftersom den används för att säkra din krypterade data.", - "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.", "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.", @@ -1219,8 +997,6 @@ "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", "The homeserver the user you're verifying is connected to": "Hemservern användaren du verifierar är ansluten till", - "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.", "%(spaceName)s and %(count)s others": { "one": "%(spaceName)s och %(count)s till", "other": "%(spaceName)s och %(count)s till" @@ -1231,11 +1007,6 @@ "Moderation": "Moderering", "Messaging": "Meddelanden", "From a thread": "Från en tråd", - "You won't get any notifications": "Du får inga aviseringar", - "Get notified only with mentions and keywords as set up in your settings": "Bli endast aviserad om omnämnanden och nyckelord i enlighet med dina inställningar", - "@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", "Vote not registered": "Röst registrerades inte", "Reply in thread": "Svara i tråd", "Pick a date to jump to": "Välj ett datum att hoppa till", @@ -1255,17 +1026,7 @@ "Unpin this widget to view it in this panel": "Avfäst den här widgeten för att se den i den här panelen", "Chat": "Chatt", "To proceed, please accept the verification request on your other device.": "För att fortsätta, acceptera verifieringsförfrågan på din andra enhet.", - "You were removed from %(roomName)s by %(memberName)s": "Du togs bort från %(roomName)s av %(memberName)s", - "Home options": "Hemalternativ", - "%(spaceName)s menu": "%(spaceName)s-alternativ", - "Join public room": "Gå med i offentligt rum", - "Add people": "Lägg till personer", - "Invite to space": "Bjud in till utrymme", - "Start new chat": "Starta ny chatt", "Recently viewed": "Nyligen sedda", - "Poll": "Omröstning", - "Voice Message": "Röstmeddelanden", - "Hide stickers": "Göm dekaler", "Including you, %(commaSeparatedMembers)s": "Inklusive dig, %(commaSeparatedMembers)s", "Could not fetch location": "Kunde inte hämta plats", "Location": "Plats", @@ -1302,9 +1063,6 @@ "This address does not point at this room": "Den här adressen pekar inte på någon rum", "Missing room name or separator e.g. (my-room:domain.org)": "Rumsnamn eller -separator saknades, t.ex. (mitt-rum:domän.org)", "Missing domain separator e.g. (:domain.org)": "Domänseparator saknades, t.ex. (:domän.org)", - "Your new device is now verified. Other users will see it as trusted.": "Din nya enhet är nu verifierad. Andra användare kommer att se den som betrodd.", - "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Din nya enhet är nu verifierad. Den har åtkomst till dina krypterad meddelanden, och andra användare kommer att se den som betrodd.", - "Verify with another device": "Verifiera med annan enhet", "Device verified": "Enhet verifierad", "Verify this device": "Verifiera den här enheten", "Unable to verify this device": "Kunde inte verifiera den här enheten", @@ -1329,31 +1087,10 @@ "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", - "This invite was sent to %(email)s": "Denna inbjudan skickades till %(email)s", - "This invite was sent to %(email)s which is not associated with your account": "Denna inbjudan skickades till %(email)s vilken inte är associerad med ditt konto", - "You can still join here.": "Du kan fortfarande gå med här.", - "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.": "Ett fel (%(errcode)s) returnerades vid försök att validera din inbjudan. Du kan pröva att ge den här informationen till personen som bjöd in dig.", - "Something went wrong with your invite.": "Nånting gick fel med din inbjudan.", - "You were banned by %(memberName)s": "Du bannades av %(memberName)s", - "Forget this space": "Glöm det här utrymmet", - "You were removed by %(memberName)s": "Du togs bort av %(memberName)s", - "Loading preview": "Laddar förhandsgranskning", - "Currently removing messages in %(count)s rooms": { - "one": "Tar just nu bort meddelanden i %(count)s rum", - "other": "Tar just nu bort meddelanden i %(count)s rum" - }, - "New video room": "Nytt videorum", - "New room": "Nytt rum", "%(count)s participants": { "one": "1 deltagare", "other": "%(count)s deltagare" }, - "%(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 returnerades vid försök att komma åt rummet eller utrymmet. Om du tror att du ser det här meddelandet felaktigt, vänligen skicka en buggrapport.", - "Try again later, or ask a room or space admin to check if you have access.": "Pröva igen senare eller be en rums- eller utrymmesadministratör att kolla om du har åtkomst.", - "This room or space is not accessible at this time.": "Det är rummet eller utrymmet är inte åtkomligt för tillfället.", - "Are you sure you're at the right place?": "Är du säker på att du är på rätt ställe?", - "This room or space does not exist.": "Det här rummet eller utrymmet finns inte.", - "There's no preview, would you like to join?": "Det finns ingen förhandsgranskning, vill du gå med?", "Click": "Klicka", "Expand quotes": "Expandera citat", "Collapse quotes": "Kollapsa citat", @@ -1405,11 +1142,6 @@ "You will no longer be able to log in": "Kommer du inte längre kunna logga in", "You will not be able to reactivate your account": "Kommer du inte kunna återaktivera ditt konto", "To continue, please enter your account password:": "För att fortsätta, vänligen ange ditt kontolösenord:", - "Seen by %(count)s people": { - "one": "Sedd av %(count)s person", - "other": "Sedd av %(count)s personer" - }, - "Your password was successfully changed.": "Ditt lösenord byttes framgångsrikt.", "An error occurred while stopping your live location": "Ett fel inträffade vid delning av din realtidsposition", "%(members)s and %(last)s": "%(members)s och %(last)s", "%(members)s and more": "%(members)s och fler", @@ -1419,17 +1151,9 @@ "Input devices": "Ingångsenheter", "Open room": "Öppna rum", "Show Labs settings": "Visa experimentinställningar", - "To join, please enable video rooms in Labs first": "För att gå med, aktivera videorum i experiment först", - "To view, please enable video rooms in Labs first": "För att se, aktivera videorum i experiment först", - "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", "Unread email icon": "Oläst e-post-ikon", "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", - "Joining…": "Går med…", - "Read receipts": "Läskvitton", - "Deactivating your account is a permanent action — be careful!": "Avaktivering av ditt konto är en permanent handling — var försiktig!", "Remove search filter for %(filter)s": "Ta bort sökfilter för %(filter)s", "Start a group chat": "Starta en gruppchatt", "Other options": "Andra alternativ", @@ -1462,13 +1186,7 @@ "You need to have the right permissions in order to share locations in this room.": "Du behöver rätt behörighet för att dela platser i det här rummet.", "You don't have permission to share locations": "Du är inte behörig att dela platser", "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", - "Connection": "Anslutning", - "Voice processing": "Röstbearbetning", - "Video settings": "Videoinställningar", - "Automatically adjust the microphone volume": "Justera automatiskt mikrofonvolymen", - "Voice settings": "Röstinställningar", "%(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", @@ -1481,20 +1199,6 @@ "Room info": "Rumsinfo", "We were unable to start a chat with the other user.": "Vi kunde inte starta en chatt med den andra användaren.", "Error starting verification": "Fel vid start av verifiering", - "View chat timeline": "Visa chattidslinje", - "Close call": "Stäng samtal", - "Change layout": "Byt utseende", - "Spotlight": "Rampljus", - "Freedom": "Frihet", - "Video call (%(brand)s)": "Videosamtal (%(brand)s)", - "Video call (Jitsi)": "Videosamtal (Jitsi)", - "Show formatting": "Visa formatering", - "Hide formatting": "Dölj formatering", - "Failed to set pusher state": "Misslyckades att sätta pusharläge", - "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", "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", @@ -1517,8 +1221,6 @@ "Sign in new device": "Logga in ny enhet", "Unable to decrypt message": "Kunde inte avkryptera meddelande", "This message could not be decrypted": "Det här meddelandet kunde inte avkrypteras", - "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s eller %(copyButton)s", - "Send email": "Skicka e-brev", "Sign out of all devices": "Logga ut ur alla enheter", "Confirm new password": "Bekräfta nytt lösenord", "Too many attempts in a short time. Retry after %(timeout)s.": "För många försök under en kort tid. Pröva igen efter %(timeout)s.", @@ -1530,34 +1232,23 @@ "Edit link": "Redigera länk", " in %(room)s": " i %(room)s", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", - "Your account details are managed separately at %(hostname)s.": "Dina rumsdetaljer hanteras separat av %(hostname)s.", "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?", "Ignore %(user)s": "Ignorera %(user)s", "unknown": "okänd", "Declining…": "Nekar…", - "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.": "Varning: din personliga data (inklusive krypteringsnycklar) lagras i den här sessionen. Rensa den om du är färdig med den här sessionen, eller vill logga in i ett annat konto.", "Scan QR code": "Skanna QR-kod", "Select '%(scanQRCode)s'": "Välj '%(scanQRCode)s'", "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.", - "Secure Backup successful": "Säkerhetskopiering lyckades", - "Your keys are now being backed up from this device.": "Dina nycklar säkerhetskopieras nu från denna enhet.", - "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.", "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 …", - "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 …", "Starting export process…": "Startar exportprocessen …", "Requires your server to support the stable version of MSC3827": "Kräver att din server stöder den stabila versionen av MSC3827", "View poll": "Visa omröstning", @@ -1579,12 +1270,6 @@ "Poll history": "Omröstningshistorik", "Search all rooms": "Sök i alla rum", "Search this room": "Sök i det här rummet", - "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", - "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)", "A network error occurred while trying to find and jump to the given date. Your homeserver might be down or there was just a temporary problem with your internet connection. Please try again. If this continues, please contact your homeserver administrator.": "Ett nätverksfel uppstod vid försök att hitta och hoppa till det angivna datumet. Din hemserver kanske är nere eller så var det vara ett tillfälligt problem med din internetuppkoppling. Var god försök igen. Om detta fortsätter, kontakta din hemserveradministratör.", "We were unable to find an event looking forwards from %(dateString)s. Try choosing an earlier date.": "Vi kunde inte hitta en händelse från %(dateString)s eller senare. Pröva att välja ett tidigare datum.", "unavailable": "otillgänglig", @@ -1713,7 +1398,18 @@ "saving": "Sparar …", "profile": "Profil", "display_name": "Visningsnamn", - "user_avatar": "Profilbild" + "user_avatar": "Profilbild", + "authentication": "Autentisering", + "public_room": "Offentligt rum", + "video_room": "Videorum", + "public_space": "Offentligt utrymme", + "private_space": "Privat utrymme", + "private_room": "Privat rum", + "rooms": "Rum", + "low_priority": "Låg prioritet", + "historical": "Historiska", + "go_to_settings": "Gå till inställningarna", + "setup_secure_messages": "Ställ in säkra meddelanden" }, "action": { "continue": "Fortsätt", @@ -1818,7 +1514,16 @@ "unban": "Avblockera", "click_to_copy": "Klicka för att kopiera", "hide_advanced": "Dölj avancerat", - "show_advanced": "Visa avancerat" + "show_advanced": "Visa avancerat", + "unignore": "Avignorera", + "start_new_chat": "Starta ny chatt", + "invite_to_space": "Bjud in till utrymme", + "add_people": "Lägg till personer", + "explore_rooms": "Utforska rum", + "new_room": "Nytt rum", + "new_video_room": "Nytt videorum", + "add_existing_room": "Lägg till existerande rum", + "explore_public_rooms": "Utforska offentliga rum" }, "a11y": { "user_menu": "Användarmeny", @@ -1831,7 +1536,8 @@ "one": "1 oläst meddelande." }, "unread_messages": "Olästa meddelanden.", - "jump_first_invite": "Hoppa till första inbjudan." + "jump_first_invite": "Hoppa till första inbjudan.", + "room_name": "Rum %(name)s" }, "labs": { "video_rooms": "Videorum", @@ -2023,7 +1729,22 @@ "space_a11y": "Utrymmesautokomplettering", "user_description": "Användare", "user_a11y": "Autokomplettering av användare" - } + }, + "room_upgraded_link": "Konversationen fortsätter här.", + "room_upgraded_notice": "Detta rum har ersatts och är inte längre aktivt.", + "no_perms_notice": "Du har inte behörighet att posta till detta rum", + "send_button_voice_message": "Skicka röstmeddelande", + "close_sticker_picker": "Göm dekaler", + "voice_message_button": "Röstmeddelanden", + "poll_button_no_perms_title": "Behörighet krävs", + "poll_button_no_perms_description": "Du får inte starta omröstningar i det här rummet.", + "poll_button": "Omröstning", + "mode_plain": "Dölj formatering", + "mode_rich_text": "Visa formatering", + "formatting_toolbar_label": "Formatering", + "format_italics": "Kursiv", + "format_insert_link": "Infoga länk", + "replying_title": "Svarar" }, "Link": "Länk", "Code": "Kod", @@ -2241,7 +1962,19 @@ "echo_cancellation": "Ekoreducering", "noise_suppression": "Brusreducering", "enable_fallback_ice_server": "Tillåt reservserver för samtalsassistans (%(server)s)", - "enable_fallback_ice_server_description": "Gäller endast om din hemserver inte erbjuder en. Din IP-adress delas under samtal." + "enable_fallback_ice_server_description": "Gäller endast om din hemserver inte erbjuder en. Din IP-adress delas under samtal.", + "missing_permissions_prompt": "Saknar mediebehörigheter, klicka på knappen nedan för att begära.", + "request_permissions": "Begär mediebehörigheter", + "audio_output": "Ljudutgång", + "audio_output_empty": "Inga ljudutgångar hittades", + "audio_input_empty": "Ingen mikrofon hittades", + "video_input_empty": "Ingen webbkamera hittades", + "title": "Röst & video", + "voice_section": "Röstinställningar", + "voice_agc": "Justera automatiskt mikrofonvolymen", + "video_section": "Videoinställningar", + "voice_processing": "Röstbearbetning", + "connection_section": "Anslutning" }, "send_read_receipts_unsupported": "Din server stöder inte inaktivering av läskvitton.", "security": { @@ -2314,7 +2047,11 @@ "key_backup_in_progress": "Säkerhetskopierar %(sessionsRemaining)s nycklar …", "key_backup_complete": "Alla nycklar säkerhetskopierade", "key_backup_algorithm": "Algoritm:", - "key_backup_inactive_warning": "Dina nycklar säkerhetskopieras inte från den här sessionen." + "key_backup_inactive_warning": "Dina nycklar säkerhetskopieras inte från den här sessionen.", + "key_backup_active_version_none": "Ingen", + "ignore_users_empty": "Du har inga ignorerade användare.", + "ignore_users_section": "Ignorerade användare", + "e2ee_default_disabled_warning": "Din serveradministratör har inaktiverat totalsträckskryptering som förval för privata rum och direktmeddelanden." }, "preferences": { "room_list_heading": "Rumslista", @@ -2434,7 +2171,8 @@ "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?" }, - "other_sessions_subsection_description": "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_subsection_description": "För bäst säkerhet, verifiera dina sessioner och logga ut alla sessioner du inte känner igen eller använder längre.", + "error_pusher_state": "Misslyckades att sätta pusharläge" }, "general": { "oidc_manage_button": "Hantera konto", @@ -2456,7 +2194,46 @@ "add_msisdn_dialog_title": "Lägg till telefonnummer", "name_placeholder": "Inget visningsnamn", "error_saving_profile_title": "Misslyckades att spara din profil", - "error_saving_profile": "Operationen kunde inte slutföras" + "error_saving_profile": "Operationen kunde inte slutföras", + "error_password_change_unknown": "Okänt fel vid lösenordsändring (%(stringifiedError)s)", + "error_password_change_403": "Misslyckades att byta lösenord. Är lösenordet rätt?", + "error_password_change_http": "%(errorMessage)s (HTTP-status %(httpStatus)s)", + "error_password_change_title": "Fel vid byte av lösenord", + "password_change_success": "Ditt lösenord byttes framgångsrikt.", + "emails_heading": "E-postadresser", + "msisdns_heading": "Telefonnummer", + "password_change_section": "Sätt ett nytt kontolösenord …", + "external_account_management": "Dina rumsdetaljer hanteras separat av %(hostname)s.", + "discovery_needs_terms": "Samtyck till identitetsserverns (%(serverName)s) användarvillkor för att låta dig själv vara upptäckbar med e-postadress eller telefonnummer.", + "deactivate_section": "Inaktivera konto", + "account_management_section": "Kontohantering", + "deactivate_warning": "Avaktivering av ditt konto är en permanent handling — var försiktig!", + "discovery_section": "Upptäckt", + "error_revoke_email_discovery": "Kunde inte återkalla delning för e-postadress", + "error_share_email_discovery": "Kunde inte dela e-postadress", + "email_not_verified": "Din e-postadress har inte verifierats än", + "email_verification_instructions": "Klicka på länken i e-postmeddelandet för att bekräfta och klicka sedan på Fortsätt igen.", + "error_email_verification": "Kunde inte verifiera e-postadressen.", + "discovery_email_verification_instructions": "Verifiera länken i din inkorg", + "discovery_email_empty": "Upptäcktsalternativ kommer att visas när du har lagt till en e-postadress ovan.", + "error_revoke_msisdn_discovery": "Kunde inte återkalla delning för telefonnummer", + "error_share_msisdn_discovery": "Kunde inte dela telefonnummer", + "error_msisdn_verification": "Kunde inte verifiera telefonnumret.", + "incorrect_msisdn_verification": "Fel verifieringskod", + "msisdn_verification_instructions": "Ange verifieringskod skickad via SMS.", + "msisdn_verification_field_label": "Verifieringskod", + "discovery_msisdn_empty": "Upptäcktsalternativ kommer att visas när du har lagt till ett telefonnummer ovan.", + "error_set_name": "Misslyckades att ange visningsnamn", + "error_remove_3pid": "Kunde inte ta bort kontaktuppgifter", + "remove_email_prompt": "Ta bort %(email)s?", + "error_invalid_email": "Ogiltig e-postadress", + "error_invalid_email_detail": "Det här verkar inte vara en giltig e-postadress", + "error_add_email": "Kunde inte lägga till e-postadress", + "add_email_instructions": "Vi har skickat ett e-brev till dig för att verifiera din adress. Följ instruktionerna där och klicka sedan på knappen nedan.", + "email_address_label": "E-postadress", + "remove_msisdn_prompt": "Ta bort %(phone)s?", + "add_msisdn_instructions": "Ett SMS har skickats till +%(msisdn)s. Ange verifieringskoden som det innehåller.", + "msisdn_label": "Telefonnummer" }, "sidebar": { "title": "Sidofält", @@ -2469,6 +2246,56 @@ "metaspaces_orphans_description": "Gruppera alla dina rum som inte är en del av ett utrymme på ett ställe.", "metaspaces_home_all_rooms_description": "Visa alla dina rum i Hem, även om de är i ett utrymme.", "metaspaces_home_all_rooms": "Visa alla rum" + }, + "key_backup": { + "backup_in_progress": "Dina nycklar säkerhetskopieras (den första säkerhetskopieringen kan ta några minuter).", + "backup_starting": "Startar säkerhetskopiering …", + "backup_success": "Framgång!", + "create_title": "Skapa nyckelsäkerhetskopia", + "cannot_create_backup": "Kunde inte skapa nyckelsäkerhetskopia", + "setup_secure_backup": { + "generate_security_key_title": "Generera en säkerhetsnyckel", + "generate_security_key_description": "Vi kommer att generera en säkerhetsnyckel så du kan lagra någonstans säkert, som en lösenordshanterare eller ett kassaskåp.", + "enter_phrase_title": "Ange en säkerhetsfras", + "description": "Skydda mot att förlora åtkomst till krypterade meddelanden och data genom att säkerhetskopiera krypteringsnycklar på din server.", + "requires_password_confirmation": "Ange ditt kontolösenord för att bekräfta uppgraderingen:", + "requires_key_restore": "Återställ din nyckelsäkerhetskopia för att uppgradera din kryptering", + "requires_server_authentication": "Du kommer behöva autentisera mot servern för att bekräfta uppgraderingen.", + "session_upgrade_description": "Uppgradera den här sessionen för att låta den verifiera andra sessioner, för att ge dem åtkomst till krypterade meddelanden och markera dem som betrodda för andra användare.", + "enter_phrase_description": "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.", + "phrase_strong_enough": "Fantastiskt! Den här säkerhetsfrasen ser tillräckligt stark ut.", + "pass_phrase_match_success": "Det matchar!", + "use_different_passphrase": "Använd en annan lösenfras?", + "pass_phrase_match_failed": "Det matchar inte.", + "set_phrase_again": "Gå tillbaka och sätt den igen.", + "enter_phrase_to_confirm": "Ange din säkerhetsfras igen för att bekräfta den.", + "confirm_security_phrase": "Bekräfta din säkerhetsfras", + "security_key_safety_reminder": "Lagra din säkerhetsnyckel någonstans säkert, som en lösenordshanterare eller ett kassaskåp, eftersom den används för att säkra din krypterade data.", + "download_or_copy": "%(downloadButton)s eller %(copyButton)s", + "backup_setup_success_description": "Dina nycklar säkerhetskopieras nu från denna enhet.", + "backup_setup_success_title": "Säkerhetskopiering lyckades", + "secret_storage_query_failure": "Kunde inte fråga efter status på hemlig lagring", + "cancel_warning": "Om du avbryter nu så kan du förlora krypterade meddelanden och data om du förlorar åtkomst till dina inloggningar.", + "settings_reminder": "Du kan även ställa in säker säkerhetskopiering och hantera dina nycklar i inställningarna.", + "title_upgrade_encryption": "Uppgradera din kryptering", + "title_set_phrase": "Sätt en säkerhetsfras", + "title_confirm_phrase": "Bekräfta säkerhetsfras", + "title_save_key": "Spara din säkerhetsnyckel", + "unable_to_setup": "Kunde inte sätta upp hemlig lagring", + "use_phrase_only_you_know": "Använd en hemlig fras endast du känner till, och spara valfritt en säkerhetsnyckel att använda för säkerhetskopiering." + } + }, + "key_export_import": { + "export_title": "Exportera rumsnycklar", + "export_description_1": "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.", + "enter_passphrase": "Ange lösenfras", + "confirm_passphrase": "Bekräfta lösenfrasen", + "phrase_cannot_be_empty": "Lösenfrasen får inte vara tom", + "phrase_must_match": "Lösenfraser måste matcha", + "import_title": "Importera rumsnycklar", + "import_description_1": "Denna process möjliggör import av krypteringsnycklar som tidigare exporterats från en annan Matrix-klient. Du kommer då kunna avkryptera alla meddelanden som den andra klienten kunde avkryptera.", + "import_description_2": "Den exporterade filen kommer vara skyddad med en lösenfras. Du måste ange lösenfrasen här, för att avkryptera filen.", + "file_to_import": "Fil att importera" } }, "devtools": { @@ -2966,7 +2793,19 @@ "collapse_reply_thread": "Kollapsa svarstråd", "view_related_event": "Visa relaterade händelser", "report": "Rapportera" - } + }, + "url_preview": { + "show_n_more": { + "one": "Visa %(count)s annan förhandsgranskning", + "other": "Visa %(count)s andra förhandsgranskningar" + }, + "close": "Stäng förhandsgranskning" + }, + "read_receipt_title": { + "one": "Sedd av %(count)s person", + "other": "Sedd av %(count)s personer" + }, + "read_receipts_label": "Läskvitton" }, "slash_command": { "spoiler": "Skickar det angivna meddelandet som en spoiler", @@ -3232,7 +3071,14 @@ "permissions_section_description_room": "Välj de roller som krävs för att ändra olika delar av rummet", "add_privileged_user_heading": "Lägg till privilegierade användare", "add_privileged_user_description": "Ge en eller flera användare i det här rummet fler privilegier", - "add_privileged_user_filter_placeholder": "Sök efter användare i det här rummet…" + "add_privileged_user_filter_placeholder": "Sök efter användare i det här rummet…", + "error_unbanning": "Misslyckades att avbanna", + "banned_by": "Bannad av %(displayName)s", + "ban_reason": "Orsak", + "error_changing_pl_reqs_title": "Fel vid ändring av behörighetskrav", + "error_changing_pl_reqs_description": "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_pl_title": "Fel vid ändring av behörighetsnivå", + "error_changing_pl_description": "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." }, "security": { "strict_encryption": "Skicka aldrig krypterade meddelanden till overifierade sessioner i det här rummet från den här sessionen", @@ -3287,7 +3133,9 @@ "join_rule_upgrade_updating_spaces": { "one": "Uppdaterar utrymme…", "other": "Uppdaterar utrymmen… (%(progress)s av %(count)s)" - } + }, + "error_join_rule_change_title": "Misslyckades att uppdatera regler för att gå med", + "error_join_rule_change_unknown": "Okänt fel" }, "general": { "publish_toggle": "Publicera rummet i den offentliga rumskatalogen på %(domain)s?", @@ -3301,7 +3149,9 @@ "error_save_space_settings": "Misslyckades att spara utrymmesinställningar.", "description_space": "Redigera inställningar relaterat till ditt utrymme.", "save": "Spara ändringar", - "leave_space": "Lämna utrymmet" + "leave_space": "Lämna utrymmet", + "aliases_section": "Rumsadresser", + "other_section": "Annat" }, "advanced": { "unfederated": "Detta rum är inte tillgängligt för externa Matrix-servrar", @@ -3312,7 +3162,9 @@ "room_predecessor": "Visa äldre meddelanden i %(roomName)s.", "room_id": "Internt rums-ID", "room_version_section": "Rumsversion", - "room_version": "Rumsversion:" + "room_version": "Rumsversion:", + "information_section_space": "Utrymmesinfo", + "information_section_room": "Rumsinformation" }, "delete_avatar_label": "Radera avatar", "upload_avatar_label": "Ladda upp avatar", @@ -3326,11 +3178,32 @@ "history_visibility_anyone_space": "Förhandsgranska utrymme", "history_visibility_anyone_space_description": "Låt personer förhandsgranska ditt utrymme innan de går med.", "history_visibility_anyone_space_recommendation": "Rekommenderas för offentliga utrymmen.", - "guest_access_label": "Aktivera gäståtkomst" + "guest_access_label": "Aktivera gäståtkomst", + "alias_section": "Adress" }, "access": { "title": "Åtkomst", "description_space": "Bestäm vem kan se och gå med i %(spaceName)s." + }, + "bridges": { + "description": "Det här rummet bryggar meddelanden till följande plattformar. Lär dig mer.", + "empty": "Det här rummet bryggar inte meddelanden till några platformar. Läs mer.", + "title": "Bryggor" + }, + "notifications": { + "uploaded_sound": "Uppladdat ljud", + "settings_link": "Få aviseringar i enlighet med dina inställningar", + "sounds_section": "Ljud", + "notification_sound": "Aviseringsljud", + "custom_sound_prompt": "Ställ in ett nytt anpassat ljud", + "upload_sound_label": "Ladda upp anpassat ljud", + "browse_button": "Bläddra" + }, + "voip": { + "enable_element_call_label": "Aktivera %(brand)s som ett extra samtalsalternativ i det här rummet", + "enable_element_call_caption": "%(brand)s är totalsträckskrypterad, men är för närvarande begränsad till ett lägre antal användare.", + "enable_element_call_no_permissions_tooltip": "Du är inte behörig att ändra detta.", + "call_type_section": "Samtalstyp" } }, "encryption": { @@ -3365,7 +3238,19 @@ "unverified_session_toast_accept": "Ja, det var jag", "request_toast_detail": "%(deviceId)s från %(ip)s", "request_toast_decline_counter": "Ignorera (%(counter)s)", - "request_toast_accept": "Verifiera session" + "request_toast_accept": "Verifiera session", + "no_key_or_device": "Det ser ut som att du inte har någon säkerhetsnyckel eller några andra enheter du kan verifiera mot. Den här enheten kommer inte kunna komma åt gamla krypterad meddelanden. För att verifiera din identitet på den här enheten så behöver du återställa dina verifieringsnycklar.", + "reset_proceed_prompt": "Fortsätt återställning", + "verify_using_key_or_phrase": "Verifiera med säkerhetsnyckel eller -fras", + "verify_using_key": "Verifiera med säkerhetsnyckel", + "verify_using_device": "Verifiera med annan enhet", + "verification_description": "Verifiera din identitet för att komma åt krypterade meddelanden och bevisa din identitet för andra.", + "verification_success_with_backup": "Din nya enhet är nu verifierad. Den har åtkomst till dina krypterad meddelanden, och andra användare kommer att se den som betrodd.", + "verification_success_without_backup": "Din nya enhet är nu verifierad. Andra användare kommer att se den som betrodd.", + "verification_skip_warning": "Om du inte verifierar så kommer du inte komma åt alla dina meddelanden och visas kanske som ej betrodd för andra.", + "verify_later": "Jag verifierar senare", + "verify_reset_warning_1": "Återställning av dina verifieringsnycklar kan inte ångras. Efter återställning så kommer du inte att komma åt dina krypterade meddelanden, och alla vänner som tidigare har verifierat dig kommer att se säkerhetsvarningar tills du återverifierar med dem.", + "verify_reset_warning_2": "Fortsätt bara om du är säker på att du har förlorat alla dina övriga enheter och din säkerhetsnyckel." }, "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.", @@ -3386,7 +3271,19 @@ "cross_signing_ready_no_backup": "Korssignering är klart, men nycklarna är inte säkerhetskopierade än.", "cross_signing_untrusted": "Ditt konto har en korssigneringsidentitet i hemlig lagring, men den är inte betrodd av den här sessionen än.", "cross_signing_not_ready": "Korssignering är inte inställt.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Ny återställningsmetod", + "description_1": "En ny säkerhetsfras och -nyckel för säkra meddelanden har detekterats.", + "description_2": "Den här sessionen krypterar historik med den nya återställningsmetoden.", + "warning": "Om du inte har ställt in den nya återställningsmetoden kan en angripare försöka komma åt ditt konto. Byt ditt kontolösenord och ställ in en ny återställningsmetod omedelbart i inställningarna." + }, + "recovery_method_removed": { + "title": "Återställningsmetod borttagen", + "description_1": "Den här sessionen har detekterat att din säkerhetsfras och -nyckel för säkra meddelanden har tagits bort.", + "description_2": "Om du gjorde det av misstag kan du ställa in säkra meddelanden på den här sessionen som krypterar sessionens meddelandehistorik igen med en ny återställningsmetod.", + "warning": "Om du inte tog bort återställningsmetoden kan en angripare försöka komma åt ditt konto. Byt ditt kontolösenord och ställ in en ny återställningsmetod omedelbart i inställningarna." + } }, "emoji": { "category_frequently_used": "Ofta använda", @@ -3567,7 +3464,11 @@ "autodiscovery_unexpected_error_is": "Oväntat fel vid inläsning av identitetsserverkonfiguration", "autodiscovery_hs_incompatible": "Din hemserver är för gammal och stöder inte minimum-API:t som krävs. Vänligen kontakta din serverägare, eller uppgradera din server.", "incorrect_credentials_detail": "Observera att du loggar in på servern %(hs)s, inte matrix.org.", - "create_account_title": "Skapa konto" + "create_account_title": "Skapa konto", + "failed_soft_logout_homeserver": "Misslyckades att återautentisera p.g.a. ett hemserverproblem", + "soft_logout_subheading": "Rensa personlig information", + "soft_logout_warning": "Varning: din personliga data (inklusive krypteringsnycklar) lagras i den här sessionen. Rensa den om du är färdig med den här sessionen, eller vill logga in i ett annat konto.", + "forgot_password_send_email": "Skicka e-brev" }, "room_list": { "sort_unread_first": "Visa rum med olästa meddelanden först", @@ -3584,7 +3485,23 @@ "notification_options": "Aviseringsinställningar", "failed_set_dm_tag": "Misslyckades att sätta direktmeddelandetagg", "failed_remove_tag": "Misslyckades att radera etiketten %(tagName)s från rummet", - "failed_add_tag": "Misslyckades att lägga till etiketten %(tagName)s till rummet" + "failed_add_tag": "Misslyckades att lägga till etiketten %(tagName)s till rummet", + "breadcrumbs_label": "Nyligen besökta rum", + "breadcrumbs_empty": "Inga nyligen besökta rum", + "add_room_label": "Lägg till rum", + "suggested_rooms_heading": "Föreslagna rum", + "add_space_label": "Lägg till utrymme", + "join_public_room_label": "Gå med i offentligt rum", + "joining_rooms_status": { + "one": "Går just nu med i %(count)s rum", + "other": "Går just nu med i %(count)s rum" + }, + "redacting_messages_status": { + "one": "Tar just nu bort meddelanden i %(count)s rum", + "other": "Tar just nu bort meddelanden i %(count)s rum" + }, + "space_menu_label": "%(spaceName)s-alternativ", + "home_menu_label": "Hemalternativ" }, "report_content": { "missing_reason": "Vänligen fyll i varför du anmäler.", @@ -3841,7 +3758,8 @@ "search_children": "Sök i %(spaceName)s", "invite_link": "Skapa inbjudningslänk", "invite": "Bjud in folk", - "invite_description": "Bjud in med e-postadress eller användarnamn" + "invite_description": "Bjud in med e-postadress eller användarnamn", + "invite_this_space": "Bjud in till det här utrymmet" }, "location_sharing": { "MapStyleUrlNotConfigured": "Den här hemservern har inte konfigurerats för att visa kartor.", @@ -3897,7 +3815,8 @@ "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" + "lists_new_label": "Rums-ID eller adress för bannlista", + "rules_empty": "Ingen" }, "create_space": { "name_required": "Vänligen ange ett namn för utrymmet", @@ -3999,8 +3918,71 @@ "forget": "Glöm rum", "mark_read": "Markera som läst", "notifications_default": "Matcha förvalsinställning", - "notifications_mute": "Tysta rum" - } + "notifications_mute": "Tysta rum", + "title": "Rumsinställningar" + }, + "invite_this_room": "Bjud in till rummet", + "header": { + "video_call_button_jitsi": "Videosamtal (Jitsi)", + "video_call_button_ec": "Videosamtal (%(brand)s)", + "video_call_ec_layout_freedom": "Frihet", + "video_call_ec_layout_spotlight": "Rampljus", + "video_call_ec_change_layout": "Byt utseende", + "forget_room_button": "Glöm bort rum", + "hide_widgets_button": "Dölj widgets", + "show_widgets_button": "Visa widgets", + "close_call_button": "Stäng samtal", + "video_room_view_chat_button": "Visa chattidslinje" + }, + "joining_space": "Går med i utrymme …", + "joining_room": "Går med i rum …", + "joining": "Går med…", + "rejecting": "Nekar inbjudan …", + "join_title": "Gå med i rummet för att delta", + "join_title_account": "Gå med i konversationen med ett konto", + "join_button_account": "Registrera dig", + "loading_preview": "Laddar förhandsgranskning", + "kicked_from_room_by": "Du togs bort från %(roomName)s av %(memberName)s", + "kicked_by": "Du togs bort av %(memberName)s", + "kick_reason": "Anledning: %(reason)s", + "forget_space": "Glöm det här utrymmet", + "forget_room": "Glöm det här rummet", + "rejoin_button": "Gå med igen", + "banned_from_room_by": "Du blev bannad från %(roomName)s av %(memberName)s", + "banned_by": "Du bannades av %(memberName)s", + "3pid_invite_error_title_room": "Någonting gick fel med din inbjudan till %(roomName)s", + "3pid_invite_error_title": "Nånting gick fel med din inbjudan.", + "3pid_invite_error_description": "Ett fel (%(errcode)s) returnerades vid försök att validera din inbjudan. Du kan pröva att ge den här informationen till personen som bjöd in dig.", + "3pid_invite_error_invite_subtitle": "Du kan bara gå med i det med en fungerande inbjudan.", + "3pid_invite_error_invite_action": "Försök att gå med ändå", + "3pid_invite_error_public_subtitle": "Du kan fortfarande gå med här.", + "join_the_discussion": "Gå med i diskussionen", + "3pid_invite_email_not_found_account_room": "Denna inbjudan till %(roomName)s skickades till %(email)s vilken inte är associerad med det här kontot", + "3pid_invite_email_not_found_account": "Denna inbjudan skickades till %(email)s vilken inte är associerad med ditt konto", + "link_email_to_receive_3pid_invite": "Länka den här e-postadressen med ditt konto in inställningarna för att motta inbjudningar direkt i %(brand)s.", + "invite_sent_to_email_room": "Denna inbjudan till %(roomName)s skickades till %(email)s", + "invite_sent_to_email": "Denna inbjudan skickades till %(email)s", + "3pid_invite_no_is_subtitle": "Använd en identitetsserver i inställningarna för att motta inbjudningar direkt i %(brand)s.", + "invite_email_mismatch_suggestion": "Dela denna e-postadress i inställningarna för att motta inbjudningar direkt i %(brand)s.", + "dm_invite_title": "Vill du chatta med %(user)s?", + "dm_invite_subtitle": " vill chatta", + "dm_invite_action": "Börja chatta", + "invite_title": "Vill du gå med i %(roomName)s?", + "invite_subtitle": " bjöd in dig", + "invite_reject_ignore": "Avvisa och ignorera användare", + "peek_join_prompt": "Du förhandsgranskar %(roomName)s. Vill du gå med i det?", + "no_peek_join_prompt": "%(roomName)s kan inte förhandsgranskas. Vill du gå med i det?", + "no_peek_no_name_join_prompt": "Det finns ingen förhandsgranskning, vill du gå med?", + "not_found_title_name": "%(roomName)s finns inte.", + "not_found_title": "Det här rummet eller utrymmet finns inte.", + "not_found_subtitle": "Är du säker på att du är på rätt ställe?", + "inaccessible_name": "%(roomName)s är inte tillgängligt för tillfället.", + "inaccessible": "Det är rummet eller utrymmet är inte åtkomligt för tillfället.", + "inaccessible_subtitle_1": "Pröva igen senare eller be en rums- eller utrymmesadministratör att kolla om du har åtkomst.", + "inaccessible_subtitle_2": "%(errcode)s returnerades vid försök att komma åt rummet eller utrymmet. Om du tror att du ser det här meddelandet felaktigt, vänligen skicka en buggrapport.", + "join_failed_needs_invite": "För att se %(roomName)s så behöver du en inbjudan", + "view_failed_enable_video_rooms": "För att se, aktivera videorum i experiment först", + "join_failed_enable_video_rooms": "För att gå med, aktivera videorum i experiment först" }, "file_panel": { "guest_note": "Du måste registrera dig för att använda den här funktionaliteten", @@ -4152,7 +4134,14 @@ "keyword_new": "Nytt nyckelord", "class_global": "Globalt", "class_other": "Annat", - "mentions_keywords": "Omnämnanden & nyckelord" + "mentions_keywords": "Omnämnanden & nyckelord", + "default": "Standard", + "all_messages": "Alla meddelanden", + "all_messages_description": "Bli aviserad för varje meddelande", + "mentions_and_keywords": "@omnämnanden och nyckelord", + "mentions_and_keywords_description": "Bli endast aviserad om omnämnanden och nyckelord i enlighet med dina inställningar", + "mute_description": "Du får inga aviseringar", + "message_didnt_send": "Meddelande skickades inte. Klicka för info." }, "mobile_guide": { "toast_title": "Använd appen för en bättre upplevelse", @@ -4178,6 +4167,44 @@ "integration_manager": { "connecting": "Kontaktar integrationshanteraren …", "error_connecting_heading": "Kan inte ansluta till integrationshanteraren", - "error_connecting": "Integrationshanteraren är offline eller kan inte nå din hemserver." + "error_connecting": "Integrationshanteraren är offline eller kan inte nå din hemserver.", + "use_im_default": "Använd en integrationshanterare (%(serverName)s) för att hantera bottar, widgets och dekalpaket.", + "use_im": "Använd en integrationshanterare för att hantera bottar, widgets och dekalpaket.", + "manage_title": "Hantera integrationer", + "explainer": "Integrationshanterare får konfigurationsdata och kan ändra widgetar, skicka rumsinbjudningar och ställa in behörighetsnivåer å dina vägnar." + }, + "identity_server": { + "url_not_https": "URL för identitetsserver måste vara HTTPS", + "error_invalid": "Inte en giltig identitetsserver (statuskod %(code)s)", + "error_connection": "Kunde inte ansluta till identitetsservern", + "checking": "Kontrollerar servern", + "change": "Byt identitetsserver", + "change_prompt": "Koppla ifrån från identitetsservern och anslut till istället?", + "error_invalid_or_terms": "Användarvillkoren accepterades inte eller identitetsservern är inte giltig.", + "no_terms": "Identitetsservern du har valt har inga användarvillkor.", + "disconnect": "Koppla ifrån identitetsservern", + "disconnect_server": "Koppla ifrån från identitetsservern ?", + "disconnect_offline_warning": "Du bör ta bort din personliga information från identitetsservern innan du kopplar ifrån. Tyvärr är identitetsservern för närvarande offline eller kan inte nås.", + "suggestions": "Du bör:", + "suggestions_1": "Kolla dina webbläsartillägg efter någonting som kanske blockerar identitetsservern (t.ex. Privacy Badger)", + "suggestions_2": "kontakta administratören för identitetsservern ", + "suggestions_3": "vänta och försöka igen senare", + "disconnect_anyway": "Koppla ifrån ändå", + "disconnect_personal_data_warning_1": "Du delar fortfarande dina personuppgifter på identitetsservern .", + "disconnect_personal_data_warning_2": "Vi rekommenderar att du tar bort dina e-postadresser och telefonnummer från identitetsservern innan du kopplar från.", + "url": "Identitetsserver (%(server)s)", + "description_connected": "Du använder för närvarande för att upptäcka och upptäckas av befintliga kontakter som du känner. Du kan byta din identitetsserver nedan.", + "change_server_prompt": "Om du inte vill använda för att upptäcka och upptäckas av befintliga kontakter som du känner, ange en annan identitetsserver nedan.", + "description_disconnected": "Du använder för närvarande inte en identitetsserver. Lägg till en nedan om du vill upptäcka och bli upptäckbar av befintliga kontakter som du känner.", + "disconnect_warning": "Att koppla ifrån din identitetsserver betyder att du inte kan upptäckas av andra användare och att du inte kommer att kunna bjuda in andra via e-post eller telefon.", + "description_optional": "Att använda en identitetsserver är valfritt. Om du väljer att inte använda en identitetsserver kan du inte upptäckas av andra användare och inte heller bjuda in andra via e-post eller telefon.", + "do_not_use": "Använd inte en identitetsserver", + "url_field_label": "Ange en ny identitetsserver" + }, + "member_list": { + "invite_button_no_perms_tooltip": "Du är inte behörig att bjuda in användare", + "invited_list_heading": "Inbjuden", + "filter_placeholder": "Filtrera rumsmedlemmar", + "power_label": "%(userName)s (behörighet %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/ta.json b/src/i18n/strings/ta.json index 318caf0062..3958de4285 100644 --- a/src/i18n/strings/ta.json +++ b/src/i18n/strings/ta.json @@ -1,9 +1,7 @@ { - "All messages": "அனைத்து செய்திகள்", "All Rooms": "அனைத்து அறைகள்", "Changelog": "மாற்றப்பதிவு", "Failed to forget room %(errCode)s": "அறையை மறப்பதில் தோல்வி %(errCode)s", - "Invite to this room": "இந்த அறைக்கு அழை", "Search…": "தேடு…", "Send": "அனுப்பு", "This Room": "இந்த அறை", @@ -21,8 +19,6 @@ "Today": "இன்று", "Yesterday": "நேற்று", "Thank you!": "உங்களுக்கு நன்றி", - "Rooms": "அறைகள்", - "Permission Required": "அனுமதி தேவை", "Server may be unavailable, overloaded, or you hit a bug.": "", "Sun": "ஞாயிறு", "Mon": "திங்கள்", @@ -37,7 +33,6 @@ "Apr": "ஏப்ரல்", "May": "மே", "Jun": "ஜூன்", - "Explore rooms": "அறைகளை ஆராயுங்கள்", "%(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", @@ -56,7 +51,8 @@ "mute": "முடக்கு", "warning": "எச்சரிக்கை", "on": "மீது", - "off": "அமை" + "off": "அமை", + "rooms": "அறைகள்" }, "action": { "continue": "தொடரவும்", @@ -76,7 +72,8 @@ "close": "மூடு", "cancel": "ரத்து", "back": "பின்", - "register": "பதிவு செய்" + "register": "பதிவு செய்", + "explore_rooms": "அறைகளை ஆராயுங்கள்" }, "bug_reporting": { "send_logs": "பதிவுகளை அனுப்பு", @@ -179,7 +176,8 @@ "failed_generic": "செயல்பாடு தோல்வியுற்றது" }, "notifications": { - "enable_prompt_toast_title": "அறிவிப்புகள்" + "enable_prompt_toast_title": "அறிவிப்புகள்", + "all_messages": "அனைத்து செய்திகள்" }, "timeline": { "context_menu": { @@ -190,6 +188,10 @@ "context_menu": { "favourite": "விருப்பமான", "low_priority": "குறைந்த முன்னுரிமை" - } + }, + "invite_this_room": "இந்த அறைக்கு அழை" + }, + "composer": { + "poll_button_no_perms_title": "அனுமதி தேவை" } } diff --git a/src/i18n/strings/te.json b/src/i18n/strings/te.json index 5d023cee49..3d3e1a7c8f 100644 --- a/src/i18n/strings/te.json +++ b/src/i18n/strings/te.json @@ -1,17 +1,11 @@ { "Admin Tools": "నిర్వాహకుని ఉపకరణాలు", - "No Microphones detected": "మైక్రోఫోన్లు కనుగొనబడలేదు", - "No Webcams detected": "వెబ్కామ్లు కనుగొనబడలేదు", - "Authentication": "ప్రామాణీకరణ", - "You do not have permission to post to this room": "మీకు ఈ గదికి పోస్ట్ చేయడానికి అనుమతి లేదు", "A new password must be entered.": "కొత్త పాస్ వర్డ్ ను తప్పక నమోదు చేయాలి.", "An error has occurred.": "ఒక లోపము సంభవించినది.", "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?": "మీరు ఖచ్చితంగా ఆహ్వానాన్ని తిరస్కరించాలనుకుంటున్నారా?", "Custom level": "అనుకూల స్థాయి", - "Deactivate Account": "ఖాతాను డీయాక్టివేట్ చేయండి", - "Default": "డిఫాల్ట్", "Sun": "ఆదివారం", "Mon": "సోమవారం", "Tue": "మంగళవారం", @@ -38,7 +32,6 @@ "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": "తెలియని కోడ్ లోపం", "Unable to restore session": "సెషన్ను పునరుద్ధరించడానికి సాధ్యపడలేదు", "Create new room": "క్రొత్త గది సృష్టించండి", @@ -51,8 +44,6 @@ "All Rooms": "అన్ని గదులు", "Wednesday": "బుధవారం", "Send": "పంపండి", - "All messages": "అన్ని సందేశాలు", - "Invite to this room": "ఈ గదికి ఆహ్వానించండి", "Thursday": "గురువారం", "Search…": "శోధన…", "Yesterday": "నిన్న", @@ -67,7 +58,8 @@ "microphone": "మైక్రోఫోన్", "on": "వేయుము", "off": "ఆపు", - "advanced": "ఆధునిక" + "advanced": "ఆధునిక", + "authentication": "ప్రామాణీకరణ" }, "action": { "continue": "కొనసాగించు", @@ -115,7 +107,13 @@ "email_address_in_use": "ఈ ఇమెయిల్ అడ్రస్ ఇప్పటికే వాడుకం లో ఉంది", "msisdn_in_use": "ఈ ఫోన్ నంబర్ ఇప్పటికే వాడుకం లో ఉంది", "confirm_adding_email_title": "ఈమెయిల్ చేర్చుటకు ధ్రువీకరించు", - "add_email_failed_verification": "ఇమెయిల్ అడ్రస్ ని నిరూపించలేక పోయాము. ఈమెయిల్ లో వచ్చిన లింక్ ని నొక్కారా" + "add_email_failed_verification": "ఇమెయిల్ అడ్రస్ ని నిరూపించలేక పోయాము. ఈమెయిల్ లో వచ్చిన లింక్ ని నొక్కారా", + "deactivate_section": "ఖాతాను డీయాక్టివేట్ చేయండి", + "incorrect_msisdn_verification": "ధృవీకరణ కోడ్ సరిగా లెదు" + }, + "voip": { + "audio_input_empty": "మైక్రోఫోన్లు కనుగొనబడలేదు", + "video_input_empty": "వెబ్కామ్లు కనుగొనబడలేదు" } }, "timeline": { @@ -158,7 +156,8 @@ "composer": { "autocomplete": { "command_description": "కమ్మండ్స్" - } + }, + "no_perms_notice": "మీకు ఈ గదికి పోస్ట్ చేయడానికి అనుమతి లేదు" }, "room_settings": { "permissions": { @@ -186,12 +185,15 @@ "tls": "గృహనిర్వాహకులకు కనెక్ట్ చేయలేరు - దయచేసి మీ కనెక్టివిటీని తనిఖీ చేయండి, మీ 1 హోమరుసు యొక్క ఎస్ఎస్ఎల్ సర్టిఫికేట్ 2 ని విశ్వసనీయపరుచుకొని, బ్రౌజర్ పొడిగింపు అభ్యర్థనలను నిరోధించబడదని నిర్ధారించుకోండి." }, "notifications": { - "enable_prompt_toast_title": "ప్రకటనలు" + "enable_prompt_toast_title": "ప్రకటనలు", + "default": "డిఫాల్ట్", + "all_messages": "అన్ని సందేశాలు" }, "room": { "context_menu": { "favourite": "గుర్తుంచు", "low_priority": "తక్కువ ప్రాధాన్యత" - } + }, + "invite_this_room": "ఈ గదికి ఆహ్వానించండి" } } diff --git a/src/i18n/strings/th.json b/src/i18n/strings/th.json index 25b7f830a1..7f12b67394 100644 --- a/src/i18n/strings/th.json +++ b/src/i18n/strings/th.json @@ -1,14 +1,8 @@ { - "No Microphones detected": "ไม่พบไมโครโฟน", - "Default": "ค่าเริ่มต้น", "Decrypt %(text)s": "ถอดรหัส %(text)s", "Download %(text)s": "ดาวน์โหลด %(text)s", - "Low priority": "ความสำคัญต่ำ", - "Reason": "เหตุผล", "unknown error code": "รหัสข้อผิดพลาดที่ไม่รู้จัก", "Failed to forget room %(errCode)s": "การลืมห้องล้มเหลว %(errCode)s", - "No Webcams detected": "ไม่พบกล้องเว็บแคม", - "Authentication": "การยืนยันตัวตน", "%(items)s and %(lastItem)s": "%(items)s และ %(lastItem)s", "and %(count)s others...": { "one": "และอีกหนึ่งผู้ใช้...", @@ -18,22 +12,12 @@ "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?": "คุณแน่ใจหรือว่าต้องการจะปฏิเสธคำเชิญ?", - "Deactivate Account": "ปิดการใช้งานบัญชี", "Email address": "ที่อยู่อีเมล", "Error decrypting attachment": "การถอดรหัสไฟล์แนบผิดพลาด", "Failed to ban user": "การแบนผู้ใช้ล้มเหลว", - "Failed to change password. Is your password correct?": "การเปลี่ยนรหัสผ่านล้มเหลว รหัสผ่านของคุณถูกต้องหรือไม่?", "Failed to reject invite": "การปฏิเสธคำเชิญล้มเหลว", "Failed to reject invitation": "การปฏิเสธคำเชิญล้มเหลว", - "Failed to set display name": "การตั้งชื่อที่แสดงล้มเหลว", - "Failed to unban": "การถอนแบนล้มเหลว", - "Filter room members": "กรองสมาชิกห้อง", - "Forget room": "ลืมห้อง", - "Historical": "ประวัติแชทเก่า", - "Incorrect verification code": "รหัสยืนยันไม่ถูกต้อง", - "Invalid Email Address": "ที่อยู่อีเมลไม่ถูกต้อง", "Invalid file%(extra)s": "ไฟล์ %(extra)s ไม่ถูกต้อง", - "Invited": "เชิญแล้ว", "Join Room": "เข้าร่วมห้อง", "Jump to first unread message.": "ข้ามไปยังข้อความแรกที่ยังไม่ได้อ่าน", "Moderator": "ผู้ช่วยดูแล", @@ -43,12 +27,9 @@ "Please check your email and click on the link it contains. Once this is done, click continue.": "กรุณาเช็คอีเมลและคลิกลิงก์ข้างใน หลังจากนั้น คลิกดำเนินการต่อ", "Reject invitation": "ปฏิเสธคำเชิญ", "Return to login screen": "กลับไปยังหน้าลงชื่อเข้าใช้", - "Rooms": "ห้องสนทนา", "Search failed": "การค้นหาล้มเหลว", "Server may be unavailable, overloaded, or search timed out :(": "เซิร์ฟเวอร์อาจไม่พร้อมใช้งาน ทำงานหนักเกินไป หรือการค้นหาหมดเวลา :(", "Create new room": "สร้างห้องใหม่", - "Unable to add email address": "ไมาสามารถเพิ่มที่อยู่อีเมล", - "Unable to verify email address.": "ไม่สามารถยืนยันที่อยู่อีเมล", "Uploading %(filename)s": "กำลังอัปโหลด %(filename)s", "Uploading %(filename)s and %(count)s others": { "one": "กำลังอัปโหลด %(filename)s และอีก %(count)s ไฟล์", @@ -77,10 +58,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", - "Export room keys": "ส่งออกกุณแจห้อง", - "Confirm passphrase": "ยืนยันรหัสผ่าน", - "Import room keys": "นำเข้ากุณแจห้อง", - "File to import": "ไฟล์ที่จะนำเข้า", "Confirm Removal": "ยืนยันการลบ", "Home": "เมนูหลัก", "(~%(count)s results)": { @@ -89,9 +66,6 @@ }, "A new password must be entered.": "กรุณากรอกรหัสผ่านใหม่", "Custom level": "กำหนดระดับเอง", - "%(roomName)s does not exist.": "ไม่มีห้อง %(roomName)s อยู่จริง", - "Enter passphrase": "กรอกรหัสผ่าน", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (ระดับอำนาจ %(powerLevelNumber)s)", "Verification Pending": "รอการตรวจสอบ", "Error decrypting image": "เกิดข้อผิดพลาดในการถอดรหัสรูป", "Error decrypting video": "เกิดข้อผิดพลาดในการถอดรหัสวิดิโอ", @@ -109,19 +83,15 @@ "Monday": "วันจันทร์", "All Rooms": "ทุกห้อง", "Wednesday": "วันพุธ", - "All messages": "ทุกข้อความ", - "Invite to this room": "เชิญเข้าห้องนี้", "You cannot delete this message. (%(code)s)": "คุณไม่สามารถลบข้อความนี้ได้ (%(code)s)", "Thursday": "วันพฤหัสบดี", "Yesterday": "เมื่อวานนี้", - "Explore rooms": "สำรวจห้อง", "You most likely do not want to reset your event index store": "คุณมักไม่ต้องการรีเซ็ตที่เก็บดัชนีเหตุการณ์ของคุณ", "Reset event store?": "รีเซ็ตที่เก็บกิจกรรม?", "The server is not configured to indicate what the problem is (CORS).": "เซิร์ฟเวอร์ไม่ได้กำหนดค่าเพื่อระบุว่าปัญหาคืออะไร (CORS).", "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.": "เซิร์ฟเวอร์ปฏิเสธคำขอของคุณ.", - "Permission Required": "ต้องได้รับอนุญาต", "Session ID": "รหัสเซสชัน", "Encryption not enabled": "ไม่ได้เปิดใช้งานการเข้ารหัส", "Deactivate user": "ปิดใช้งานผู้ใช้", @@ -223,7 +193,11 @@ "off": "ปิด", "advanced": "ขึ้นสูง", "general": "ทั่วไป", - "profile": "โปรไฟล์" + "profile": "โปรไฟล์", + "authentication": "การยืนยันตัวตน", + "rooms": "ห้องสนทนา", + "low_priority": "ความสำคัญต่ำ", + "historical": "ประวัติแชทเก่า" }, "action": { "continue": "ดำเนินการต่อ", @@ -266,7 +240,8 @@ "import": "นำเข้า", "export": "ส่งออก", "submit": "ส่ง", - "unban": "ปลดแบน" + "unban": "ปลดแบน", + "explore_rooms": "สำรวจห้อง" }, "keyboard": { "home": "เมนูหลัก" @@ -279,7 +254,8 @@ "autocomplete": { "command_description": "คำสั่ง", "user_description": "ผู้ใช้" - } + }, + "poll_button_no_perms_title": "ต้องได้รับอนุญาต" }, "Link": "ลิงค์", "Code": "โค้ด", @@ -374,7 +350,25 @@ "add_msisdn_confirm_button": "ยืนยันการเพิ่มหมายเลขโทรศัพท์", "add_msisdn_confirm_body": "คลิกปุ่มด้านล่างเพื่อยืนยันการเพิ่มหมายเลขโทรศัพท์นี้.", "add_msisdn_dialog_title": "เพิ่มหมายเลขโทรศัพท์", - "name_placeholder": "ไม่มีชื่อที่แสดง" + "name_placeholder": "ไม่มีชื่อที่แสดง", + "error_password_change_403": "การเปลี่ยนรหัสผ่านล้มเหลว รหัสผ่านของคุณถูกต้องหรือไม่?", + "deactivate_section": "ปิดการใช้งานบัญชี", + "error_email_verification": "ไม่สามารถยืนยันที่อยู่อีเมล", + "incorrect_msisdn_verification": "รหัสยืนยันไม่ถูกต้อง", + "error_set_name": "การตั้งชื่อที่แสดงล้มเหลว", + "error_invalid_email": "ที่อยู่อีเมลไม่ถูกต้อง", + "error_add_email": "ไมาสามารถเพิ่มที่อยู่อีเมล" + }, + "voip": { + "audio_input_empty": "ไม่พบไมโครโฟน", + "video_input_empty": "ไม่พบกล้องเว็บแคม" + }, + "key_export_import": { + "export_title": "ส่งออกกุณแจห้อง", + "enter_passphrase": "กรอกรหัสผ่าน", + "confirm_passphrase": "ยืนยันรหัสผ่าน", + "import_title": "นำเข้ากุณแจห้อง", + "file_to_import": "ไฟล์ที่จะนำเข้า" } }, "timeline": { @@ -524,7 +518,9 @@ "permissions": { "privileged_users_section": "ผู้ใช้ที่มีสิทธิพิเศษ", "banned_users_section": "ผู้ใช้ที่ถูกแบน", - "permissions_section": "สิทธิ์" + "permissions_section": "สิทธิ์", + "error_unbanning": "การถอนแบนล้มเหลว", + "ban_reason": "เหตุผล" }, "security": { "enable_encryption_confirm_description": "เมื่อเปิดใช้งานแล้ว จะไม่สามารถปิดใช้งานการเข้ารหัสสำหรับห้องได้ เซิร์ฟเวอร์ไม่สามารถเห็นข้อความที่ส่งในห้องที่เข้ารหัสได้ เฉพาะผู้เข้าร่วมในห้องเท่านั้น การเปิดใช้งานการเข้ารหัสอาจทำให้บอทและบริดจ์จำนวนมากทำงานไม่ถูกต้อง. เรียนรู้เพิ่มเติมเกี่ยวกับการเข้ารหัส.", @@ -544,7 +540,12 @@ "context_menu": { "favourite": "รายการโปรด", "low_priority": "ความสำคัญต่ำ" - } + }, + "invite_this_room": "เชิญเข้าห้องนี้", + "header": { + "forget_room_button": "ลืมห้อง" + }, + "not_found_title_name": "ไม่มีห้อง %(roomName)s อยู่จริง" }, "failed_load_async_component": "ไม่สามารถโหลดได้! ตรวจสอบการเชื่อมต่อเครือข่ายของคุณแล้วลองอีกครั้ง.", "upload_failed_generic": "ไฟล์ '%(fileName)s' อัปโหลดไม่สำเร็จ.", @@ -590,9 +591,16 @@ }, "notifications": { "enable_prompt_toast_title": "การแจ้งเตือน", - "mark_all_read": "ทำเครื่องหมายทั้งหมดว่าอ่านแล้ว" + "mark_all_read": "ทำเครื่องหมายทั้งหมดว่าอ่านแล้ว", + "default": "ค่าเริ่มต้น", + "all_messages": "ทุกข้อความ" }, "encryption": { "not_supported": "<ไม่รองรับ>" + }, + "member_list": { + "invited_list_heading": "เชิญแล้ว", + "filter_placeholder": "กรองสมาชิกห้อง", + "power_label": "%(userName)s (ระดับอำนาจ %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/tr.json b/src/i18n/strings/tr.json index 95558e47e4..14083adefe 100644 --- a/src/i18n/strings/tr.json +++ b/src/i18n/strings/tr.json @@ -1,8 +1,5 @@ { "Admin Tools": "Admin Araçları", - "No Microphones detected": "Hiçbir Mikrofon bulunamadı", - "No Webcams detected": "Hiçbir Web kamerası bulunamadı", - "Authentication": "Doğrulama", "%(items)s and %(lastItem)s": "%(items)s ve %(lastItem)s", "and %(count)s others...": { "one": "ve bir diğeri...", @@ -14,64 +11,41 @@ "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 ?", "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 address": "E-posta Adresi", - "Enter passphrase": "Şifre deyimi Girin", "Error decrypting attachment": "Ek şifresini çözme hatası", "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 forget room %(errCode)s": "Oda unutulması başarısız oldu %(errCode)s", "Failed to load timeline position": "Zaman çizelgesi konumu yüklenemedi", "Failed to mute user": "Kullanıcıyı sessize almak başarısız oldu", "Failed to reject invite": "Daveti reddetme başarısız oldu", "Failed to reject invitation": "Davetiyeyi reddetme başarısız oldu", - "Failed to set display name": "Görünür ismi ayarlama başarısız oldu", - "Failed to unban": "Yasağı kaldırmak başarısız oldu", - "Filter room members": "Oda üyelerini Filtrele", - "Forget room": "Odayı Unut", - "Historical": "Tarihi", "Home": "Ev", - "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", "Join Room": "Odaya Katıl", "Jump to first unread message.": "İlk okunmamış iletiye atla.", - "Low priority": "Düşük öncelikli", "Moderator": "Moderatör", "New passwords must match each other.": "Yeni şifreler birbirleriyle eşleşmelidir.", "not specified": "Belirtilmemiş", "No more results": "Başka sonuç yok", "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 .", - "Reason": "Sebep", "Reject invitation": "Daveti Reddet", "Return to login screen": "Giriş ekranına dön", - "%(roomName)s does not exist.": "%(roomName)s mevcut değil.", - "%(roomName)s is not accessible at this time.": "%(roomName)s şu anda erişilebilir değil.", - "Rooms": "Odalar", "Search failed": "Arama başarısız", "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 :(", "Session ID": "Oturum ID", "This room has no local addresses": "Bu oda hiçbir yerel adrese sahip değil", - "This doesn't appear to be a valid email address": "Bu geçerli bir e-posta adresi olarak gözükmüyor", "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", - "Unable to remove contact information": "Kişi bilgileri kaldırılamıyor", - "Unable to verify email address.": "E-posta adresi doğrulanamıyor.", "unknown error code": "bilinmeyen hata kodu", "Uploading %(filename)s": "%(filename)s yükleniyor", "Uploading %(filename)s and %(count)s others": { "one": "%(filename)s ve %(count)s kadarı yükleniyor", "other": "%(filename)s ve %(count)s kadarları yükleniyor" }, - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (güç %(powerLevelNumber)s)", "Verification Pending": "Bekleyen doğrulama", "Warning!": "Uyarı!", - "You do not have permission to post to this room": "Bu odaya göndermeye izniniz yok", "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 ?", "You seem to be uploading files, are you sure you want to quit?": "Dosya yüklüyorsunuz gibi görünüyor , çıkmak istediğinizden emin misiniz ?", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Kullanıcıyı sizinle aynı güç seviyesine yükseltirken , bu değişikliği geri alamazsınız.", @@ -104,15 +78,6 @@ "other": "(~%(count)s sonuçlar)" }, "Create new room": "Yeni Oda Oluştur", - "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", - "Confirm passphrase": "Şifreyi onayla", - "Import room keys": "Oda anahtarlarını içe aktar", - "File to import": "Alınacak Dosya", - "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.", "Confirm Removal": "Kaldırma İşlemini Onayla", "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.", @@ -134,13 +99,10 @@ "All Rooms": "Tüm Odalar", "Wednesday": "Çarşamba", "Send": "Gönder", - "All messages": "Tüm mesajlar", - "Invite to this room": "Bu odaya davet et", "You cannot delete this message. (%(code)s)": "Bu mesajı silemezsiniz (%(code)s)", "Thursday": "Perşembe", "Search…": "Arama…", "Yesterday": "Dün", - "Permission Required": "İzin Gerekli", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s%(monthName)s%(day)s%(fullYear)s", "Restricted": "Sınırlı", "expand": "genişlet", @@ -200,18 +162,9 @@ "Email (optional)": "E-posta (opsiyonel)", "Couldn't load page": "Sayfa yüklenemiyor", "Verification Request": "Doğrulama Talebi", - "Add room": "Oda ekle", "Could not load user profile": "Kullanıcı profili yüklenemedi", "Your password has been reset.": "Parolanız sıfırlandı.", "General failure": "Genel başarısızlık", - "Clear personal data": "Kişisel veri temizle", - "That matches!": "Eşleşti!", - "That doesn't match.": "Eşleşmiyor.", - "Success!": "Başarılı!", - "Unable to create key backup": "Anahtar yedeği oluşturulamıyor", - "New Recovery Method": "Yeni Kurtarma Yöntemi", - "Go to Settings": "Ayarlara Git", - "Recovery Method Removed": "Kurtarma Yöntemi Silindi", "Robot": "Robot", "Hat": "Şapka", "Glasses": "Gözlük", @@ -240,8 +193,6 @@ "Headphones": "Kulaklık", "Folder": "Klasör", "Start using Key Backup": "Anahtar Yedekleme kullanmaya başla", - "Checking server": "Sunucu kontrol ediliyor", - "Change identity server": "Kimlik sunucu değiştir", "Dog": "Köpek", "Cat": "Kedi", "Lion": "Aslan", @@ -272,73 +223,22 @@ "Cake": "Kek", "Heart": "Kalp", "Trophy": "Ödül", - "wait and try again later": "bekle ve tekrar dene", - "Disconnect anyway": "Yinede bağlantıyı kes", - "Do not use an identity server": "Bir kimlik sunucu kullanma", - "Enter a new identity server": "Yeni bir kimlik sunucu gir", - "Manage integrations": "Entegrasyonları yönet", - "Email addresses": "E-posta adresleri", - "Phone numbers": "Telefon numaraları", - "Account management": "Hesap yönetimi", - "Discovery": "Keşfet", - "No Audio Outputs detected": "Ses çıkışları tespit edilemedi", - "Audio Output": "Ses Çıkışı", - "Voice & Video": "Ses & Video", - "Room information": "Oda bilgisi", - "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ı", - "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", - "Unable to share phone number": "Telefon numarası paylaşılamıyor", - "Unable to verify phone number.": "Telefon numarası doğrulanamıyor.", - "Please enter verification code sent via text.": "Lütfen mesajla gönderilen doğrulama kodunu girin.", - "Verification code": "Doğrulama kodu", - "Remove %(email)s?": "%(email)s sil?", - "Email Address": "E-posta Adresi", - "Remove %(phone)s?": "%(phone)s sil?", - "Phone Number": "Telefon Numarası", "Edit message": "Mesajı düzenle", "Unencrypted": "Şifrelenmemiş", - "Close preview": "Önizlemeyi kapat", "Remove %(count)s messages": { "other": "%(count)s mesajı sil", "one": "1 mesajı sil" }, "Rooster": "Horoz", - "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", - "Disconnect from the identity server ?": " kimlik sunucusundan bağlantıyı kes?", - "contact the administrators of identity server ": " kimlik sunucusu yöneticisiyle bağlantıya geç", "Deactivate user?": "Kullanıcıyı pasifleştir?", "Deactivate user": "Kullanıcıyı pasifleştir", "Failed to deactivate user": "Kullanıcı pasifleştirme başarısız", "Share Link to User": "Kullanıcıya Link Paylaş", - "Italics": "Eğik", "%(duration)ss": "%(duration)ssn", "%(duration)sm": "%(duration)sdk", "%(duration)sh": "%(duration)ssa", "%(duration)sd": "%(duration)sgün", - "Replying": "Cevap yazıyor", - "Room %(name)s": "Oda %(name)s", "Share room": "Oda paylaş", - "Join the conversation with an account": "Konuşmaya bir hesapla katıl", - "Sign Up": "Kayıt Ol", - "Reason: %(reason)s": "Sebep: %(reason)s", - "Forget this room": "Bu odayı unut", - "Re-join": "Yeniden katıl", - "Join the discussion": "Tartışmaya katıl", - "Do you want to chat with %(user)s?": "%(user)s ile sohbet etmek ister misin?", - " wants to chat": " sohbet etmek istiyor", - "Start chatting": "Sohbet başlat", - "Do you want to join %(roomName)s?": "%(roomName)s odasına katılmak ister misin?", - " invited you": " davet etti", - "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s odasında önizleme yapılamaz. Katılmak ister misin?", "This room has already been upgraded.": "Bu ıda zaten güncellenmiş.", "Only room administrators will see this warning": "Bu uyarıyı sadece oda yöneticileri görür", "Failed to connect to integration manager": "Entegrasyon yöneticisine bağlanma başarısız", @@ -365,33 +265,13 @@ "%(name)s wants to verify": "%(name)s doğrulamak istiyor", "You sent a verification request": "Doğrulama isteği gönderdiniz", "edited": "düzenlendi", - "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", - "None": "Yok", - "Ignored users": "Yoksayılan kullanıcılar", - "Request media permissions": "Medya izinleri talebi", - "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ı", "This event could not be displayed": "Bu olay görüntülenemedi", "Demote yourself?": "Kendinin rütbeni düşür?", "Demote": "Rütbe Düşür", "Remove recent messages": "Son mesajları sil", - "The conversation continues here.": "Sohbet buradan devam ediyor.", - "You can only join it with a working invite.": "Sadece çalışan bir davet ile katılınabilir.", - "Try to join anyway": "Katılmak için yinede deneyin", - "This room has been replaced and is no longer active.": "Bu oda değiştirildi ve artık aktif değil.", - "You were banned from %(roomName)s by %(memberName)s": "%(memberName)s tarafından %(roomName)s odası size yasaklandı", - "Something went wrong with your invite to %(roomName)s": "%(roomName)s odasına davet işleminizde birşeyler yanlış gitti", - "This invite to %(roomName)s was sent to %(email)s": "%(roomName)s odası daveti %(email)s adresine gönderildi", - "You're previewing %(roomName)s. Want to join it?": "%(roomName)s odasını inceliyorsunuz. Katılmak ister misiniz?", "You don't currently have any stickerpacks enabled": "Açılmış herhangi bir çıkartma paketine sahip değilsiniz", "Room Topic": "Oda Başlığı", - "Missing media permissions, click the button below to request.": "Medya izinleri eksik, alttaki butona tıkayarak talep edin.", - "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", "And %(count)s more...": { "other": "ve %(count)s kez daha..." }, @@ -404,16 +284,10 @@ "Before submitting logs, you must create a GitHub issue to describe your problem.": "Logları göndermeden önce, probleminizi betimleyen bir GitHub talebi oluşturun.", "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": "Sohbet tarihçesini kaybetmemek için, çıkmadan önce odanızın anahtarlarını dışarıya aktarın. Bunu yapabilmek için %(brand)sun daha yeni sürümü gerekli. Ulaşmak için geri gitmeye ihtiyacınız var", "Continue With Encryption Disabled": "Şifreleme Kapalı Şekilde Devam Et", - "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.", "Invalid homeserver discovery response": "Geçersiz anasunucu keşif yanıtı", "Failed to get autodiscovery configuration from server": "Sunucudan otokeşif yapılandırması alınması başarısız", "Homeserver URL does not appear to be a valid Matrix homeserver": "Anasunucu URL i geçerli bir Matrix anasunucusu olarak gözükmüyor", "Invalid identity server discovery response": "Geçersiz kimlik sunucu keşfi yanıtı", - "Go back to set it again.": "Geri git ve yeniden ayarla.", - "Upgrade your encryption": "Şifrelemenizi güncelleyin", - "Create key backup": "Anahtar yedeği oluştur", - "Set up Secure Messages": "Güvenli Mesajları Ayarla", "Show more": "Daha fazla göster", "This backup is trusted because it has been restored on this session": "Bu yedek güvenilir çünkü bu oturumda geri döndürüldü", "This user has not verified all of their sessions.": "Bu kullanıcı bütün oturumlarında doğrulanmamış.", @@ -425,7 +299,6 @@ "one": "%(count)s dosyayı sağla" }, "Remember my selection for this widget": "Bu görsel bileşen işin seçimimi hatırla", - "Bridges": "Köprüler", "Direct Messages": "Doğrudan Mesajlar", "Start Verification": "Doğrulamayı Başlat", "Verify User": "Kullanıcı Doğrula", @@ -447,22 +320,15 @@ "Recent Conversations": "Güncel Sohbetler", "Recently Direct Messaged": "Güncel Doğrudan Mesajlar", "Lock": "Kilit", - "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ı.", "This room is end-to-end encrypted": "Bu oda uçtan uça şifreli", "Encrypted by an unverified session": "Doğrulanmamış bir oturum tarafından şifrelenmiş", "Encrypted by a deleted session": "Silinen bir oturumla şifrelenmiş", - "Reject & Ignore user": "Kullanıcı Reddet & Yoksay", "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.", "Incoming Verification Request": "Gelen Doğrulama İsteği", - "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", "Identity server URL does not appear to be a valid identity server": "Kimlik sunucu adresi geçerli bir kimlik sunucu adresi gibi gözükmüyor", - "Enter your account password to confirm the upgrade:": "Güncellemeyi başlatmak için hesap şifreni gir:", - "You'll need to authenticate with the server to confirm the upgrade.": "Güncellemeyi teyit etmek için sunucuda oturum açmaya ihtiyacınız var.", - "Unable to set up secret storage": "Sır deposu ayarlanamıyor", - "Your keys are being backed up (the first backup could take a few minutes).": "Anahtarlarınız yedekleniyor (ilk yedek bir kaç dakika sürebilir).", "Set up": "Ayarla", "Upgrade public room": "Açık odayı güncelle", "You'll upgrade this room from to .": "Bu odayı versiyonundan versiyonuna güncelleyeceksiniz.", @@ -482,7 +348,6 @@ "Signature upload failed": "İmza yükleme başarısız", "These files are too large to upload. The file size limit is %(limit)s.": "Bu dosyalar yükleme için çok büyük. Dosya boyut limiti %(limit)s.", "Some files are too large to be uploaded. The file size limit is %(limit)s.": "Bazı dosyalar yükleme için çok büyük. Dosya boyutu limiti %(limit)s.", - "Failed to re-authenticate due to a homeserver problem": "Anasunucu problemi yüzünden yeniden kimlik doğrulama başarısız", "PM": "24:00", "AM": "12:00", "%(name)s (%(userId)s) signed in to a new session without verifying it:": "%(name)s (%(userId)s) yeni oturuma doğrulamadan giriş yaptı:", @@ -756,10 +621,6 @@ "You don't have permission to delete the address.": "Bu adresi silmeye yetkiniz yok.", "There was an error creating that address. It may not be allowed by the server or a temporary failure occurred.": "Adres oluşturulurken hata ile karşılaşıldı. Sunucu tarafından izin verilmemiş yada geçici bir hata olabilir.", "Error creating address": "Adres oluşturulurken hata", - "Explore public rooms": "Herkese açık odaları keşfet", - "Show Widgets": "Widgetları Göster", - "Hide Widgets": "Widgetları gizle", - "No recently visited rooms": "Yakında ziyaret edilen oda yok", "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", @@ -785,7 +646,6 @@ "Dial pad": "Arama tuşları", "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.", "Room settings": "Oda ayarları", "Not encrypted": "Şifrelenmemiş", "Backup version:": "Yedekleme sürümü:", @@ -804,9 +664,7 @@ "Information": "Bilgi", "Accepting…": "Kabul ediliyor…", "Room avatar": "Oda avatarı", - "Room options": "Oda ayarları", "Open dial pad": "Arama tuşlarını aç", - "You should:": "Şunu yapmalısınız:", "Back up your keys before signing out to avoid losing them.": "Anahtarlarını kaybetmemek için, çıkış yapmadan önce önleri yedekle.", "Enter a server name": "Sunucu adı girin", "Can't find this server or its room list": "Sunucuda veya oda listesinde bulunamıyor", @@ -814,7 +672,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.", - "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?", "For a large amount of messages, this might take some time. Please don't refresh your client in the meantime.": "Çok sayıda ileti için bu biraz sürebilir. Lütfen bu sürede kullandığınız istemciyi yenilemeyin.", @@ -831,38 +688,14 @@ "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.", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Bu odayı güncellerseniz bu oda kapanacak ve yerine aynı adlı, güncellenmiş bir oda geçecek.", - "Share this email in Settings to receive invites directly in %(brand)s.": "Doğrdan %(brand)s uygulamasından davet isteği almak için Ayarlardan bu e-posta adresini paylaşın.", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Doğrudan %(brand)s uygulamasından davet isteği almak için Ayarlardan bir kimlik sunucusu belirleyin.", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Bu davet, %(roomName)s odasına %(email)s e-posta adresi üzerinden yollanmıştır ve sizinle ilgili değildir", - "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.", - "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ı.", - "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.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Şu anda herhangi bir kimlik sunucusu kullanmıyorsunuz. Başkalarını bulmak ve başkaları tarafından bulunabilmek için aşağıya bir kimlik sunucusu ekleyin.", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Eğer kimlik sunucusunu kullanarak başkalarını bulmak ve başkalarını tarafından bulunabilmek istemiyorsanız aşağıya bir başka kimlik sunucusu giriniz.", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Şu anda kimlik sunucusunu kullanarak başkalarını buluyorsunuz ve başkalarını tarafından bulunabiliyorsunuz. Aşağıdan kimlik sunucunuzu değiştirebilirsiniz.", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "kimlik sunucunuza erişimi engelleyen herhangi bir eklenti (Privacy Badger gibi) için tarayıcınızı kontrol ediniz", - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Bağlantınızı kesmeden önce kişisel verilerinizi kimlik sunucusundan silmelisiniz. Ne yazık ki kimlik sunucusu şu anda çevrim dışı ya da bir nedenden ötürü erişilemiyor.", - "Disconnect from the identity server and connect to instead?": " kimlik sunucusundan bağlantı kesilip kimlik sunucusuna bağlanılsın mı?", "You've successfully verified %(displayName)s!": "%(displayName)s başarıyla doğruladınız!", "You've successfully verified %(deviceName)s (%(deviceId)s)!": "%(deviceName)s (%(deviceId)s) başarıyla doğruladınız!", "You've successfully verified your device!": "Cihazınızı başarıyla doğruladınız!", "Edit devices": "Cihazları düzenle", "We didn't find a microphone on your device. Please check your settings and try again.": "Cihazınızda bir mikrofon bulamadık. Lütfen ayarlarınızı kontrol edin ve tekrar deneyin.", "No microphone found": "Mikrofon bulunamadı", - "Suggested Rooms": "Önerilen Odalar", "View message": "Mesajı görüntüle", "Your message was sent": "Mesajınız gönderildi", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Botları, görsel bileşenleri ve çıkartma paketlerini yönetmek için bir entegrasyon yöneticisi kullanın.", - "Identity server (%(server)s)": "(%(server)s) Kimlik Sunucusu", - "Could not connect to identity server": "Kimlik Sunucusuna bağlanılamadı", - "Not a valid identity server (status code %(code)s)": "Geçerli bir Kimlik Sunucu değil ( durum kodu %(code)s )", - "Identity server URL must be HTTPS": "Kimlik Sunucu URL adresi HTTPS olmak zorunda", "common": { "about": "Hakkında", "analytics": "Analitik", @@ -934,7 +767,13 @@ "general": "Genel", "profile": "Profil", "display_name": "Ekran Adı", - "user_avatar": "Profil resmi" + "user_avatar": "Profil resmi", + "authentication": "Doğrulama", + "rooms": "Odalar", + "low_priority": "Düşük öncelikli", + "historical": "Tarihi", + "go_to_settings": "Ayarlara Git", + "setup_secure_messages": "Güvenli Mesajları Ayarla" }, "action": { "continue": "Devam Et", @@ -1017,7 +856,10 @@ "unban": "Yasağı Kaldır", "click_to_copy": "Kopyalamak için tıklayın", "hide_advanced": "Gelişmiş gizle", - "show_advanced": "Gelişmiş göster" + "show_advanced": "Gelişmiş göster", + "unignore": "Yoksayma", + "explore_rooms": "Odaları keşfet", + "explore_public_rooms": "Herkese açık odaları keşfet" }, "a11y": { "user_menu": "Kullanıcı menüsü", @@ -1030,7 +872,8 @@ "one": "1 okunmamış mesaj." }, "unread_messages": "Okunmamış mesajlar.", - "jump_first_invite": "İlk davete zıpla." + "jump_first_invite": "İlk davete zıpla.", + "room_name": "Oda %(name)s" }, "labs": { "latex_maths": "Mesajlarda LaTex maths işleyin", @@ -1086,7 +929,13 @@ "room_a11y": "Otomatik Oda Tamamlama", "user_description": "Kullanıcılar", "user_a11y": "Kullanıcı Otomatik Tamamlama" - } + }, + "room_upgraded_link": "Sohbet buradan devam ediyor.", + "room_upgraded_notice": "Bu oda değiştirildi ve artık aktif değil.", + "no_perms_notice": "Bu odaya göndermeye izniniz yok", + "poll_button_no_perms_title": "İzin Gerekli", + "format_italics": "Eğik", + "replying_title": "Cevap yazıyor" }, "Code": "Kod", "power_level": { @@ -1195,7 +1044,14 @@ "inline_url_previews_room_account": "Bu oda için URL önizlemeyi aç (sadece sizi etkiler)", "inline_url_previews_room": "Bu odadaki katılımcılar için URL önizlemeyi varsayılan olarak açık hale getir", "voip": { - "mirror_local_feed": "Yerel video beslemesi yansısı" + "mirror_local_feed": "Yerel video beslemesi yansısı", + "missing_permissions_prompt": "Medya izinleri eksik, alttaki butona tıkayarak talep edin.", + "request_permissions": "Medya izinleri talebi", + "audio_output": "Ses Çıkışı", + "audio_output_empty": "Ses çıkışları tespit edilemedi", + "audio_input_empty": "Hiçbir Mikrofon bulunamadı", + "video_input_empty": "Hiçbir Web kamerası bulunamadı", + "title": "Ses & Video" }, "security": { "message_search_indexing_idle": "Şu an hiç bir odada mesaj indeksleme yapılmıyor.", @@ -1258,7 +1114,10 @@ "key_backup_connect": "Anahtar Yedekleme için bu oturuma bağlanın", "key_backup_complete": "Bütün yedekler yedeklendi", "key_backup_algorithm": "Algoritma:", - "key_backup_inactive_warning": "Anahtarlarınız bu oturum tarafından yedeklenmiyor." + "key_backup_inactive_warning": "Anahtarlarınız bu oturum tarafından yedeklenmiyor.", + "key_backup_active_version_none": "Yok", + "ignore_users_section": "Yoksayılan kullanıcılar", + "e2ee_default_disabled_warning": "Sunucu yönetinciniz varsayılan olarak odalarda ve doğrudandan iletilerde uçtan uca şifrelemeyi kapadı." }, "preferences": { "room_list_heading": "Oda listesi", @@ -1317,7 +1176,66 @@ "add_msisdn_dialog_title": "Telefon Numarası Ekle", "name_placeholder": "Görünür isim yok", "error_saving_profile_title": "Profiliniz kaydedilemedi", - "error_saving_profile": "Eylem tamamlanamadı" + "error_saving_profile": "Eylem tamamlanamadı", + "error_password_change_403": "Parola değiştirilemedi . Şifreniz doğru mu ?", + "emails_heading": "E-posta adresleri", + "msisdns_heading": "Telefon numaraları", + "discovery_needs_terms": "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.", + "deactivate_section": "Hesabı Devre Dışı Bırakma", + "account_management_section": "Hesap yönetimi", + "discovery_section": "Keşfet", + "error_revoke_email_discovery": "E-posta adresi paylaşımı kaldırılamadı", + "error_share_email_discovery": "E-posta adresi paylaşılamıyor", + "email_not_verified": "E-posta adresiniz henüz doğrulanmadı", + "email_verification_instructions": "Aldığınız e-postaki bağlantıyı tıklayarak doğrulayın ve sonra tekrar tıklayarak devam edin.", + "error_email_verification": "E-posta adresi doğrulanamıyor.", + "discovery_email_verification_instructions": "Gelen kutunuzdaki linki doğrulayın", + "discovery_email_empty": "Bulunulabilirlik seçenekleri, yukarıya bir e-posta adresi ekleyince ortaya çıkacaktır.", + "error_revoke_msisdn_discovery": "Telefon numarası paylaşımı kaldırılamıyor", + "error_share_msisdn_discovery": "Telefon numarası paylaşılamıyor", + "error_msisdn_verification": "Telefon numarası doğrulanamıyor.", + "incorrect_msisdn_verification": "Yanlış doğrulama kodu", + "msisdn_verification_instructions": "Lütfen mesajla gönderilen doğrulama kodunu girin.", + "msisdn_verification_field_label": "Doğrulama kodu", + "discovery_msisdn_empty": "Bulunulabilirlik seçenekleri, yukarıya bir telefon numarası ekleyince ortaya çıkacaktır.", + "error_set_name": "Görünür ismi ayarlama başarısız oldu", + "error_remove_3pid": "Kişi bilgileri kaldırılamıyor", + "remove_email_prompt": "%(email)s sil?", + "error_invalid_email": "Geçersiz E-posta Adresi", + "error_invalid_email_detail": "Bu geçerli bir e-posta adresi olarak gözükmüyor", + "error_add_email": "E-posta adresi eklenemiyor", + "add_email_instructions": "Onaylamanız için size e-posta gönderdik. Lütfen yönergeleri takip edin ve sonra aşağıdaki butona tıklayın.", + "email_address_label": "E-posta Adresi", + "remove_msisdn_prompt": "%(phone)s sil?", + "add_msisdn_instructions": "Bir metin mesajı gönderildi: +%(msisdn)s. Lütfen içerdiği doğrulama kodunu girin.", + "msisdn_label": "Telefon Numarası" + }, + "key_backup": { + "backup_in_progress": "Anahtarlarınız yedekleniyor (ilk yedek bir kaç dakika sürebilir).", + "backup_success": "Başarılı!", + "create_title": "Anahtar yedeği oluştur", + "cannot_create_backup": "Anahtar yedeği oluşturulamıyor", + "setup_secure_backup": { + "requires_password_confirmation": "Güncellemeyi başlatmak için hesap şifreni gir:", + "requires_server_authentication": "Güncellemeyi teyit etmek için sunucuda oturum açmaya ihtiyacınız var.", + "pass_phrase_match_success": "Eşleşti!", + "pass_phrase_match_failed": "Eşleşmiyor.", + "set_phrase_again": "Geri git ve yeniden ayarla.", + "title_upgrade_encryption": "Şifrelemenizi güncelleyin", + "unable_to_setup": "Sır deposu ayarlanamıyor" + } + }, + "key_export_import": { + "export_title": "Oda anahtarlarını dışa aktar", + "export_description_1": "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).", + "enter_passphrase": "Şifre deyimi Girin", + "confirm_passphrase": "Şifreyi onayla", + "phrase_cannot_be_empty": "Şifrenin boş olmaması gerekir", + "phrase_must_match": "Şifrenin eşleşmesi gerekir", + "import_title": "Oda anahtarlarını içe aktar", + "import_description_1": "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.", + "import_description_2": "Dışa aktarma dosyası bir şifre ile korunacaktır . Dosyanın şifresini çözmek için buraya şifre girmelisiniz.", + "file_to_import": "Alınacak Dosya" } }, "devtools": { @@ -1571,6 +1489,9 @@ "creation_summary_room": "%(creator)s odayı oluşturdu ve yapılandırdı.", "context_menu": { "external_url": "Kaynak URL" + }, + "url_preview": { + "close": "Önizlemeyi kapat" } }, "slash_command": { @@ -1743,7 +1664,14 @@ "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" + "permissions_section_description_room": "Odanın çeşitli bölümlerini değişmek için gerekli rolleri seçiniz", + "error_unbanning": "Yasağı kaldırmak başarısız oldu", + "banned_by": "%(displayName)s tarafından yasaklandı", + "ban_reason": "Sebep", + "error_changing_pl_reqs_title": "Güç düzey gereksinimi değiştirmede hata", + "error_changing_pl_reqs_description": "Odanın güç düzeyi gereksinimlerini değiştirirken bir hata ile karşılaşıldı. Yeterince yetkiniz olduğunuzdan emin olup yeniden deyin.", + "error_changing_pl_title": "Güç düzeyi değiştirme hatası", + "error_changing_pl_description": "Kullanıcının güç düzeyini değiştirirken bir hata oluştu. Yeterli izinlere sahip olduğunuza emin olun ve yeniden deneyin." }, "security": { "strict_encryption": "Şifreli mesajları asla oturumdaki bu odadaki doğrulanmamış oturumlara iletme", @@ -1765,18 +1693,32 @@ "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", - "save": "Değişiklikleri Kaydet" + "save": "Değişiklikleri Kaydet", + "aliases_section": "Oda Adresleri", + "other_section": "Diğer" }, "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:" + "room_version": "Oda versiyonu:", + "information_section_room": "Oda bilgisi" }, "upload_avatar_label": "Avatar yükle", "visibility": { "title": "Görünürlük" + }, + "bridges": { + "description": "Bu oda, iletileri sözü edilen platformlara köprülüyor. Daha fazla bilgi için.", + "title": "Köprüler" + }, + "notifications": { + "uploaded_sound": "Yüklenen ses", + "sounds_section": "Sesler", + "notification_sound": "Bildirim sesi", + "custom_sound_prompt": "Özel bir ses ayarla", + "browse_button": "Gözat" } }, "encryption": { @@ -1816,7 +1758,13 @@ "cross_signing_ready": "Çapraz imzalama zaten kullanılıyor.", "cross_signing_untrusted": "Hesabınız gizli belleğinde çapraz imzalama kimliği barındırıyor ancak bu oturumda daha kullanılmış değil.", "cross_signing_not_ready": "Çapraz imzalama ayarlanmamış.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Yeni Kurtarma Yöntemi" + }, + "recovery_method_removed": { + "title": "Kurtarma Yöntemi Silindi" + } }, "emoji": { "category_frequently_used": "Sıklıkla Kullanılan", @@ -1912,7 +1860,9 @@ "autodiscovery_unexpected_error_hs": "Ana sunucu yapılandırması çözümlenirken beklenmeyen hata", "autodiscovery_unexpected_error_is": "Kimlik sunucu yapılandırması çözümlenirken beklenmeyen hata", "incorrect_credentials_detail": "Lütfen %(hs)s sunucusuna oturum açtığınızın farkında olun. Bu sunucu matrix.org değil.", - "create_account_title": "Yeni hesap" + "create_account_title": "Yeni hesap", + "failed_soft_logout_homeserver": "Anasunucu problemi yüzünden yeniden kimlik doğrulama başarısız", + "soft_logout_subheading": "Kişisel veri temizle" }, "room_list": { "sort_unread_first": "Önce okunmamış mesajları olan odaları göster", @@ -1928,7 +1878,11 @@ "show_less": "Daha az göster", "notification_options": "Bildirim ayarları", "failed_remove_tag": "Odadan %(tagName)s etiketi kaldırılamadı", - "failed_add_tag": "%(tagName)s etiketi odaya eklenemedi" + "failed_add_tag": "%(tagName)s etiketi odaya eklenemedi", + "breadcrumbs_label": "En son ziyaret edilmiş odalar", + "breadcrumbs_empty": "Yakında ziyaret edilen oda yok", + "add_room_label": "Oda ekle", + "suggested_rooms_heading": "Önerilen Odalar" }, "report_content": { "missing_reason": "Lütfen neden raporlama yaptığınızı belirtin.", @@ -2105,7 +2059,8 @@ "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" + "lists_new_label": "Engelleme listesinin oda kimliği ya da adresi", + "rules_empty": "Yok" }, "room": { "drop_file_prompt": "Yüklemek için dosyaları buraya bırakın", @@ -2132,8 +2087,40 @@ "unfavourite": "Beğenilenler", "favourite": "Favori", "low_priority": "Düşük Öncelikli", - "forget": "Odayı unut" - } + "forget": "Odayı unut", + "title": "Oda ayarları" + }, + "invite_this_room": "Bu odaya davet et", + "header": { + "forget_room_button": "Odayı Unut", + "hide_widgets_button": "Widgetları gizle", + "show_widgets_button": "Widgetları Göster" + }, + "join_title_account": "Konuşmaya bir hesapla katıl", + "join_button_account": "Kayıt Ol", + "kick_reason": "Sebep: %(reason)s", + "forget_room": "Bu odayı unut", + "rejoin_button": "Yeniden katıl", + "banned_from_room_by": "%(memberName)s tarafından %(roomName)s odası size yasaklandı", + "3pid_invite_error_title_room": "%(roomName)s odasına davet işleminizde birşeyler yanlış gitti", + "3pid_invite_error_invite_subtitle": "Sadece çalışan bir davet ile katılınabilir.", + "3pid_invite_error_invite_action": "Katılmak için yinede deneyin", + "join_the_discussion": "Tartışmaya katıl", + "3pid_invite_email_not_found_account_room": "Bu davet, %(roomName)s odasına %(email)s e-posta adresi üzerinden yollanmıştır ve sizinle ilgili değildir", + "link_email_to_receive_3pid_invite": "Doğrudan %(brand)s uygulamasından davet isteği almak için bu e-posta adresini Ayarlardan kendi hesabınıza bağlayın.", + "invite_sent_to_email_room": "%(roomName)s odası daveti %(email)s adresine gönderildi", + "3pid_invite_no_is_subtitle": "Doğrudan %(brand)s uygulamasından davet isteği almak için Ayarlardan bir kimlik sunucusu belirleyin.", + "invite_email_mismatch_suggestion": "Doğrdan %(brand)s uygulamasından davet isteği almak için Ayarlardan bu e-posta adresini paylaşın.", + "dm_invite_title": "%(user)s ile sohbet etmek ister misin?", + "dm_invite_subtitle": " sohbet etmek istiyor", + "dm_invite_action": "Sohbet başlat", + "invite_title": "%(roomName)s odasına katılmak ister misin?", + "invite_subtitle": " davet etti", + "invite_reject_ignore": "Kullanıcı Reddet & Yoksay", + "peek_join_prompt": "%(roomName)s odasını inceliyorsunuz. Katılmak ister misiniz?", + "no_peek_join_prompt": "%(roomName)s odasında önizleme yapılamaz. Katılmak ister misin?", + "not_found_title_name": "%(roomName)s mevcut değil.", + "inaccessible_name": "%(roomName)s şu anda erişilebilir değil." }, "file_panel": { "guest_note": "Bu işlevi kullanmak için Kayıt Olun ", @@ -2222,7 +2209,9 @@ "colour_bold": "Kalın", "error_change_title": "Bildirim ayarlarını değiştir", "mark_all_read": "Tümünü okunmuş olarak işaretle", - "class_other": "Diğer" + "class_other": "Diğer", + "default": "Varsayılan", + "all_messages": "Tüm mesajlar" }, "mobile_guide": { "toast_title": "Daha iyi bir deneyim için uygulamayı kullanın", @@ -2246,6 +2235,41 @@ "a11y_jump_first_unread_room": "Okunmamış ilk odaya zıpla.", "integration_manager": { "error_connecting_heading": "Entegrasyon yöneticisine bağlanılamadı", - "error_connecting": "Entegrasyon yöneticisi çevrim dışı veya anasunucunuza erişemiyor." + "error_connecting": "Entegrasyon yöneticisi çevrim dışı veya anasunucunuza erişemiyor.", + "use_im": "Botları, görsel bileşenleri ve çıkartma paketlerini yönetmek için bir entegrasyon yöneticisi kullanın.", + "manage_title": "Entegrasyonları yönet" + }, + "identity_server": { + "url_not_https": "Kimlik Sunucu URL adresi HTTPS olmak zorunda", + "error_invalid": "Geçerli bir Kimlik Sunucu değil ( durum kodu %(code)s )", + "error_connection": "Kimlik Sunucusuna bağlanılamadı", + "checking": "Sunucu kontrol ediliyor", + "change": "Kimlik sunucu değiştir", + "change_prompt": " kimlik sunucusundan bağlantı kesilip kimlik sunucusuna bağlanılsın mı?", + "error_invalid_or_terms": "Hizmet şartları kabuk edilmedi yada kimlik sunucu geçersiz.", + "no_terms": "Seçtiğiniz kimlik sunucu herhangi bir hizmet şartları sözleşmesine sahip değil.", + "disconnect": "Kimlik sunucu bağlantısını kes", + "disconnect_server": " kimlik sunucusundan bağlantıyı kes?", + "disconnect_offline_warning": "Bağlantınızı kesmeden önce kişisel verilerinizi kimlik sunucusundan silmelisiniz. Ne yazık ki kimlik sunucusu şu anda çevrim dışı ya da bir nedenden ötürü erişilemiyor.", + "suggestions": "Şunu yapmalısınız:", + "suggestions_1": "kimlik sunucunuza erişimi engelleyen herhangi bir eklenti (Privacy Badger gibi) için tarayıcınızı kontrol ediniz", + "suggestions_2": " kimlik sunucusu yöneticisiyle bağlantıya geç", + "suggestions_3": "bekle ve tekrar dene", + "disconnect_anyway": "Yinede bağlantıyı kes", + "disconnect_personal_data_warning_1": "Kimlik sunucusu üzerinde hala kişisel veri paylaşımı yapıyorsunuz .", + "disconnect_personal_data_warning_2": "Kimlik sunucusundan bağlantıyı kesmeden önce telefon numaranızı ve e-posta adreslerinizi silmenizi tavsiye ederiz.", + "url": "(%(server)s) Kimlik Sunucusu", + "description_connected": "Şu anda kimlik sunucusunu kullanarak başkalarını buluyorsunuz ve başkalarını tarafından bulunabiliyorsunuz. Aşağıdan kimlik sunucunuzu değiştirebilirsiniz.", + "change_server_prompt": "Eğer kimlik sunucusunu kullanarak başkalarını bulmak ve başkalarını tarafından bulunabilmek istemiyorsanız aşağıya bir başka kimlik sunucusu giriniz.", + "description_disconnected": "Şu anda herhangi bir kimlik sunucusu kullanmıyorsunuz. Başkalarını bulmak ve başkaları tarafından bulunabilmek için aşağıya bir kimlik sunucusu ekleyin.", + "disconnect_warning": "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.", + "description_optional": "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.", + "do_not_use": "Bir kimlik sunucu kullanma", + "url_field_label": "Yeni bir kimlik sunucu gir" + }, + "member_list": { + "invited_list_heading": "Davet Edildi", + "filter_placeholder": "Oda üyelerini Filtrele", + "power_label": "%(userName)s (güç %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/tzm.json b/src/i18n/strings/tzm.json index 36d01cfe33..b659b4318d 100644 --- a/src/i18n/strings/tzm.json +++ b/src/i18n/strings/tzm.json @@ -44,9 +44,7 @@ "edited": "infel", "Home": "Asnubeg", "Search…": "Arezzu…", - "Re-join": "als-lkem", "%(duration)sd": "%(duration)sas", - "None": "Walu", "Folder": "Asdaw", "Guitar": "Agiṭaṛ", "Ball": "Tacama", @@ -164,12 +162,16 @@ "room_settings": { "permissions": { "permissions_section": "Tisirag" + }, + "general": { + "other_section": "Yaḍn" } }, "settings": { "security": { "cross_signing_homeserver_support_exists": "illa", - "key_backup_algorithm": "Talguritmit:" + "key_backup_algorithm": "Talguritmit:", + "key_backup_active_version_none": "Walu" }, "general": { "account_section": "Amiḍan", @@ -181,5 +183,11 @@ "enable_prompt_toast_title": "Tineɣmisin", "colour_none": "Walu", "class_other": "Yaḍn" + }, + "labs_mjolnir": { + "rules_empty": "Walu" + }, + "room": { + "rejoin_button": "als-lkem" } } diff --git a/src/i18n/strings/uk.json b/src/i18n/strings/uk.json index 02444bb2d6..47b7e4d050 100644 --- a/src/i18n/strings/uk.json +++ b/src/i18n/strings/uk.json @@ -2,11 +2,7 @@ "Create new room": "Створити нову кімнату", "Failed to forget room %(errCode)s": "Не вдалось видалити кімнату %(errCode)s", "unknown error code": "невідомий код помилки", - "Failed to change password. Is your password correct?": "Не вдалось змінити пароль. Ви впевнені, що пароль введено правильно?", "Admin Tools": "Засоби адміністрування", - "No Microphones detected": "Мікрофон не виявлено", - "No Webcams detected": "Вебкамеру не виявлено", - "Authentication": "Автентифікація", "%(items)s and %(lastItem)s": "%(items)s та %(lastItem)s", "and %(count)s others...": { "one": "і інше...", @@ -18,7 +14,6 @@ "Are you sure you want to leave the room '%(roomName)s'?": "Ви впевнені, що хочете вийти з «%(roomName)s»?", "Are you sure you want to reject the invitation?": "Ви впевнені, що хочете відхилити запрошення?", "Email address": "Адреса е-пошти", - "Rooms": "Кімнати", "Sunday": "Неділя", "Today": "Сьогодні", "Friday": "П'ятниця", @@ -36,14 +31,11 @@ "Wednesday": "Середа", "You cannot delete this message. (%(code)s)": "Ви не можете видалити це повідомлення. (%(code)s)", "Send": "Надіслати", - "All messages": "Усі повідомлення", - "Invite to this room": "Запросити до цієї кімнати", "Thursday": "Четвер", "Search…": "Пошук…", "Logs sent": "Журнали надіслані", "Yesterday": "Вчора", "Thank you!": "Дякуємо!", - "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Введіть пароль для захисту експортованого файлу. Щоб розшифрувати файл потрібно буде ввести цей пароль.", "Warning!": "Увага!", "Sun": "нд", "Mon": "пн", @@ -70,23 +62,14 @@ "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(day)s %(monthName)s %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s, %(day)s %(monthName)s %(fullYear)s %(time)s", - "Permission Required": "Потрібен дозвіл", "Restricted": "Обмежено", "Moderator": "Модератор", - "Reason": "Причина", - "Default": "Типовий", - "Incorrect verification code": "Неправильний код перевірки", - "Failed to set display name": "Не вдалося налаштувати псевдонім", "This event could not be displayed": "Неможливо показати цю подію", "Failed to ban user": "Не вдалося заблокувати користувача", "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.": "Ви не зможете скасувати цю дію, оскільки ви зменшуєте свої повноваження. Якщо ви останній привілейований користувач у цій кімнаті, ви не зможете повернути повноваження.", "Demote": "Зменшити повноваження", "Failed to mute user": "Не вдалося заглушити користувача", - "Join the discussion": "Приєднатися до обговорення", - "The conversation continues here.": "Розмова триває тут.", - "This room has been replaced and is no longer active.": "Ця кімната була замінена і не є активною.", - "You do not have permission to post to this room": "У вас немає дозволу писати в цій кімнаті", "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": "Продовжити із вимкненим шифруванням", @@ -109,21 +92,9 @@ "Upload Error": "Помилка вивантаження", "Failed to reject invitation": "Не вдалось відхилити запрошення", "This room is not public. You will not be able to rejoin without an invite.": "Ця кімната не загальнодоступна. Ви не зможете повторно приєднатися без запрошення.", - "Enter passphrase": "Введіть парольну фразу", - "Account management": "Керування обліковим записом", - "Deactivate Account": "Деактивувати обліковий запис", "Deactivate account": "Деактивувати обліковий запис", - "Join the conversation with an account": "Приєднатись до бесіди з обліковим записом", "Unable to restore session": "Не вдалося відновити сеанс", "We encountered an error trying to restore your previous session.": "Ми натрапили на помилку, намагаючись відновити ваш попередній сеанс.", - "Email addresses": "Адреси е-пошти", - "Phone numbers": "Номери телефонів", - "Forget this room": "Забути цю кімнату", - "Re-join": "Перепід'єднатись", - "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.", - "This invite to %(roomName)s was sent to %(email)s": "Це запрошення до %(roomName)s було надіслане на %(email)s", - "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": "Підтвердьте знедіювання облікового запису", "Session name": "Назва сеансу", @@ -131,7 +102,6 @@ "Session key": "Ключ сеансу", "Connectivity to the server has been lost.": "З'єднання з сервером було втрачено.", "Sent messages will be stored until your connection has returned.": "Надіслані повідомлення будуть збережені поки не з'явиться зв'язок.", - "Add room": "Додати кімнату", "You seem to be uploading files, are you sure you want to quit?": "Схоже, що ви зараз відвантажуєте файли. Ви впевнені, що хочете вийти?", "You seem to be in a call, are you sure you want to quit?": "Схоже, ви намагаєтесь вийти посеред розмови. Ви впевнені, що хочете вийти?", "Search failed": "Пошук не вдався", @@ -142,8 +112,6 @@ "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": "Деактивувати користувача", "Failed to deactivate user": "Не вдалося деактивувати користувача", - "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.": "Повідомлення у цій кімнаті захищено наскрізним шифруванням.", "Messages in this room are not end-to-end encrypted.": "Повідомлення у цій кімнаті не захищено наскрізним шифруванням.", "You sent a verification request": "Ви надіслали запит перевірки", @@ -158,21 +126,12 @@ "Your homeserver has exceeded one of its resource limits.": "Ваш домашній сервер перевищив одне із своїх обмежень ресурсів.", "Ok": "Гаразд", "Set up": "Налаштувати", - "Discovery": "Виявлення", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "Щоб повідомити про проблеми безпеки Matrix, будь ласка, прочитайте Політику розкриття інформації Matrix.org.", - "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": "Помилка під час зміни рівня повноважень", - "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "Під час зміни рівня повноважень користувача трапилась помилка. Переконайтесь, що ви маєте необхідні дозволи і спробуйте ще раз.", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (повноваження %(powerLevelNumber)s)", - "Share this email in Settings to receive invites directly in %(brand)s.": "Поширте цю адресу е-пошти у налаштуваннях, щоб отримувати запрошення безпосередньо в %(brand)s.", - "Room options": "Параметри кімнати", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "Ви не зможете скасувати цю зміну через те, що ви підвищуєте рівень повноважень користувача до свого рівня.", "Power level": "Рівень повноважень", "Use an identity server to invite by email. Manage in Settings.": "Використовуйте сервер ідентифікації щоб запрошувати через е-пошту. Керується у налаштуваннях.", "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:": "Підтвердьте сеанс цього користувача шляхом порівняння наступного рядка з рядком з їхніх користувацьких налаштувань:", - "Go to Settings": "Перейти до налаштувань", "Dog": "Пес", "Cat": "Кіт", "Lion": "Лев", @@ -237,18 +196,6 @@ "Santa": "Св. Миколай", "Gift": "Подарунок", "Lock": "Замок", - "Checking server": "Перевірка сервера", - "You should:": "Вам варто:", - "Disconnect anyway": "Відключити в будь-якому випадку", - "Do not use an identity server": "Не використовувати сервер ідентифікації", - "Enter a new identity server": "Введіть новий сервер ідентифікації", - "Manage integrations": "Керування інтеграціями", - "No Audio Outputs detected": "Звуковий вивід не виявлено", - "Audio Output": "Звуковий вивід", - "Voice & Video": "Голос і відео", - "Unable to revoke sharing for email address": "Не вдалось відкликати оприлюднювання адреси е-пошти", - "Unable to revoke sharing for phone number": "Не вдалось відкликати оприлюднювання телефонного номеру", - "Filter room members": "Відфільтрувати учасників кімнати", "This room is public": "Ця кімната загальнодоступна", "Failed to 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.": "Не вдалось відкликати запрошення. Сервер може мати тимчасові збої або у вас немає достатніх дозволів щоб відкликати запрошення.", @@ -261,27 +208,14 @@ "You'll upgrade this room from to .": "Ви поліпшите цю кімнату з до версії.", "Share Room Message": "Поділитися повідомленням кімнати", "General failure": "Загальний збій", - "Enter your account password to confirm the upgrade:": "Введіть пароль вашого облікового запису щоб підтвердити поліпшення:", - "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Адміністратором вашого сервера було вимкнено автоматичне наскрізне шифрування у приватних кімнатах і особистих повідомленнях.", "expand": "розгорнути", - "New Recovery Method": "Новий метод відновлення", - "This session is encrypting history using the new recovery method.": "Цей сеанс зашифровує історію новим відновлювальним засобом.", - "Set up Secure Messages": "Налаштувати захищені повідомлення", - "Recovery Method Removed": "Відновлювальний засіб було видалено", "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", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Зашифровані повідомлення захищені наскрізним шифруванням. Лише ви та отримувачі повідомлень мають ключі для їх читання.", - "wait and try again later": "зачекати та повторити спробу пізніше", "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, your messages are secured and only you and the recipient have the unique keys to unlock them.": "У зашифрованих кімнатах ваші повідомлення є захищеними, тож тільки ви та отримувач маєте ключі для їх розблокування.", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Видалення даних з цього сеансу є безповоротним. Зашифровані повідомлення будуть втрачені якщо їхні ключі не було продубльовано.", "Verify this user to mark them as trusted. Trusting users gives you extra peace of mind when using end-to-end encrypted messages.": "Звірте цього користувача щоб позначити його довіреним. Довіряння користувачам додає спокою якщо ви користуєтесь наскрізно зашифрованими повідомленнями.", @@ -548,7 +482,6 @@ "Faroe Islands": "Фарерські Острови", "Can't find this server or its room list": "Не вдалося знайти цей сервер або список його кімнат", "You're all caught up.": "Все готово.", - "Explore rooms": "Каталог кімнат", "Hide sessions": "Сховати сеанси", "Hide verified sessions": "Сховати звірені сеанси", "Click the button below to confirm setting up encryption.": "Клацніть на кнопку внизу, щоб підтвердити налаштування шифрування.", @@ -561,33 +494,20 @@ "In reply to ": "У відповідь на ", "You can't send any messages until you review and agree to our terms and conditions.": "Ви не можете надсилати жодних повідомлень, поки не переглянете та не погодитесь з нашими умовами та положеннями.", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "Ваш %(brand)s не дозволяє вам користуватись для цього менеджером інтеграцій. Зверніться до адміністратора.", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "Менеджери інтеграцій отримують дані конфігурації та можуть змінювати віджети, надсилати запрошення у кімнати й установлювати рівні повноважень від вашого імені.", - "Use an integration manager to manage bots, widgets, and sticker packs.": "Використовувати менеджер інтеграцій для керування ботами, віджетами й пакунками наліпок.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Використовувати менеджер інтеграцій %(serverName)s для керування ботами, віджетами й пакунками наліпок.", - "Identity server (%(server)s)": "Сервер ідентифікації (%(server)s)", - "Could not connect to identity server": "Не вдалося під'єднатися до сервера ідентифікації", "This backup is trusted because it has been restored on this session": "Ця резервна копія довірена, оскільки її було відновлено у цьому сеансі", "Room settings": "Налаштування кімнати", "Link to most recent message": "Посилання на останнє повідомлення", "Share Room": "Поділитись кімнатою", "Share room": "Поділитись кімнатою", - "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.": "Умови користування не прийнято або сервер ідентифікації недійсний.", "Join the conference from the room information card on the right": "Приєднуйтесь до групового виклику з інформаційної картки кімнати праворуч", - "Room information": "Відомості про кімнату", "Send voice message": "Надіслати голосове повідомлення", "edited": "змінено", "Edited at %(date)s. Click to view edits.": "Змінено %(date)s. Натисніть, щоб переглянути зміни.", "Edited at %(date)s": "Змінено %(date)s", - "Phone Number": "Телефонний номер", "Language Dropdown": "Спадне меню мов", "Information": "Відомості", "collapse": "згорнути", "Cancel search": "Скасувати пошук", - "Failed to unban": "Не вдалося розблокувати", - "Banned by %(displayName)s": "Блокує %(displayName)s", - "You were banned from %(roomName)s by %(memberName)s": "%(memberName)s блокує вас у %(roomName)s", "Recently Direct Messaged": "Недавно надіслані особисті повідомлення", "User Directory": "Каталог користувачів", "Main address": "Основна адреса", @@ -597,15 +517,11 @@ "Published addresses can be used by anyone on any server to join your room.": "Загальнодоступні адреси можуть бути використані будь-ким на будь-якому сервері для приєднання до вашої кімнати.", "Published addresses can be used by anyone on any server to join your space.": "Загальнодоступні адреси можуть бути використані будь-ким на будь-якому сервері для приєднання до вашого простору.", "Published Addresses": "Загальнодоступні адреси", - "Room Addresses": "Адреси кімнати", "Error downloading audio": "Помилка завантаження аудіо", "Preparing to download logs": "Приготування до завантаження журналів", "Download %(text)s": "Завантажити %(text)s", "Share User": "Поділитися користувачем", - "Unable to share phone number": "Не вдалося надіслати телефонний номер", - "Unable to share email address": "Не вдалося надіслати адресу е-пошти", "Some suggestions may be hidden for privacy.": "Деякі пропозиції можуть бути сховані для приватності.", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Захистіться від втрати доступу до зашифрованих повідомлень і даних створенням резервної копії ключів шифрування на своєму сервері.", "You may contact me if you have any follow up questions": "Можете зв’язатися зі мною, якщо у вас виникнуть додаткові запитання", "You've successfully verified %(deviceName)s (%(deviceId)s)!": "Ви успішно звірили %(deviceName)s (%(deviceId)s)!", "You've successfully verified your device!": "Ви успішно звірили свій пристрій!", @@ -617,23 +533,17 @@ "Edit devices": "Керувати пристроями", "Home": "Домівка", "Server Options": "Опції сервера", - "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 SSO": "Увійти за допомогою SSO", "Click the button below to confirm your identity.": "Клацніть на кнопку внизу, щоб підтвердити свою особу.", "Confirm to continue": "Підтвердьте, щоб продовжити", "Start Verification": "Почати перевірку", - "Start chatting": "Почати спілкування", "Couldn't load page": "Не вдалося завантажити сторінку", "Country Dropdown": "Спадний список країн", "Avatar": "Аватар", "Delete Widget": "Видалити віджет", - "Add space": "Додати простір", - "Public space": "Загальнодоступний простір", "Private space (invite only)": "Приватний простір (лише за запрошенням)", "Space visibility": "Видимість простору", - "Public room": "Загальнодоступна кімната", "Reason (optional)": "Причина (не обов'язково)", "Clear all data": "Очистити всі дані", "Clear all data in this session?": "Очистити всі дані сеансу?", @@ -681,11 +591,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": "Власний рівень", "To leave the beta, visit your settings.": "Щоб вийти з бета-тестування, перейдіть до налаштувань.", - "File to import": "Файл для імпорту", "Return to login screen": "Повернутися на сторінку входу", "Switch theme": "Змінити тему", " invites you": " запрошує вас", - "Private space": "Приватний простір", "Search names and descriptions": "Шукати назви та описи", "Rooms and spaces": "Кімнати й простори", "Results": "Результати", @@ -697,17 +605,8 @@ "Delete all": "Видалити всі", "Some of your messages have not been sent": "Деякі з ваших повідомлень не надіслано", "Back up your keys before signing out to avoid losing them.": "Створіть резервну копію ключів перед виходом, щоб не втратити їх.", - "contact the administrators of identity server ": "зв'язатися з адміністратором сервера ідентифікації ", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "перевірити плагіни браузера на наявність будь-чого, що може заблокувати сервер ідентифікації (наприклад, Privacy Badger)", - "Disconnect from the identity server ?": "Від'єднатися від сервера ідентифікації ?", - "Disconnect identity server": "Від'єднатися від сервера ідентифікації", - "Disconnect from the identity server and connect to instead?": "Від'єднатися від сервера ідентифікації й натомість під'єднатися до ?", - "Change identity server": "Змінити сервер ідентифікації", - "Not a valid identity server (status code %(code)s)": "Хибний сервер ідентифікації (код статусу %(code)s)", - "Identity server URL must be HTTPS": "URL-адреса сервера ідентифікації повинна починатися з HTTPS", "Backup version:": "Версія резервної копії:", "Create a space": "Створити простір", - "Address": "Адреса", "Cancel All": "Скасувати все", "Send Logs": "Надіслати журнали", "Email (optional)": "Е-пошта (необов'язково)", @@ -736,8 +635,6 @@ "Upload completed": "Вивантаження виконано", "Leave some rooms": "Вийте з кількох кімнат", "Leave all rooms": "Вийти з кімнати", - "Success!": "Успішно!", - "Clear personal data": "Очистити особисті дані", "Verification Request": "Запит підтвердження", "Leave space": "Вийти з простору", "Sent": "Надіслано", @@ -776,27 +673,16 @@ "Stop recording": "Зупинити запис", "No microphone found": "Мікрофона не знайдено", "Unable to access your microphone": "Не вдалося доступитися до мікрофона", - "Try to join anyway": "Все одно спробувати приєднатися", - "Reason: %(reason)s": "Причина: %(reason)s", - "Sign Up": "Зареєструватися", - "Show Widgets": "Показати віджети", - "Hide Widgets": "Сховати віджети", - "Forget room": "Забути кімнату", "Join Room": "Приєднатися до кімнати", "(~%(count)s results)": { "one": "(~%(count)s результат)", "other": "(~%(count)s результатів)" }, - "Recently visited rooms": "Недавно відвідані кімнати", - "Room %(name)s": "Кімната %(name)s", "%(duration)sd": "%(duration)s дн", "%(duration)sh": "%(duration)s год", "%(duration)sm": "%(duration)s хв", "%(duration)ss": "%(duration)s с", "View message": "Переглянути повідомлення", - "Italics": "Курсив", - "Invited": "Запрошено", - "Invite to this space": "Запросити до цього простору", "Failed to send": "Не вдалося надіслати", "Your message was sent": "Ваше повідомлення було надіслано", "%(count)s reply": { @@ -804,25 +690,6 @@ "other": "%(count)s відповідей" }, "Edit message": "Редагувати повідомлення", - "Remove %(phone)s?": "Вилучити %(phone)s?", - "Email Address": "Адреса е-пошти", - "Unable to add email address": "Не вдалося додати адресу е-пошти", - "This doesn't appear to be a valid email address": "Здається це неправильна адреса е-пошти", - "Invalid Email Address": "Хибна адреса е-пошти", - "Remove %(email)s?": "Вилучити %(email)s?", - "Verification code": "Код перевірки", - "Verify the link in your inbox": "Перевірте посилання у теці «Вхідні»", - "Unable to verify email address.": "Не вдалося перевірити адресу е-пошти.", - "Unknown failure": "Невідомий збій", - "Failed to update the join rules": "Не вдалося оновити правила приєднання", - "Browse": "Огляд", - "Set a new custom sound": "Указати нові власні звуки", - "Notification sound": "Звуки сповіщень", - "Sounds": "Звуки", - "Uploaded sound": "Вивантажені звуки", - "Bridges": "Мости", - "This room is bridging messages to the following platforms. Learn more.": "Ця кімната передає повідомлення на такі платформи. Докладніше.", - "Space information": "Відомості про простір", "%(count)s people you know have already joined": { "one": "%(count)s осіб, яких ви знаєте, уже приєдналися", "other": "%(count)s людей, яких ви знаєте, уже приєдналися" @@ -849,46 +716,27 @@ "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.": "Схоже, у вас немає ключа безпеки або будь-яких інших пристроїв, які ви можете підтвердити. Цей пристрій не зможе отримати доступ до старих зашифрованих повідомлень. Щоб підтвердити свою справжність на цьому пристрої, вам потрібно буде скинути ключі перевірки.", - "Ignored users": "Нехтувані користувачі", - "You have no ignored users.": "Ви не маєте нехтуваних користувачів.", "The server is offline.": "Сервер вимкнено.", "%(spaceName)s and %(count)s others": { "one": "%(spaceName)s і %(count)s інших", "other": "%(spaceName)s і %(count)s інших" }, - "Discovery options will appear once you have added a phone number above.": "Опції знаходження з'являться тут, коли ви додасте номер телефону вгорі.", - "Discovery options will appear once you have added an email above.": "Опції знаходження з'являться тут, коли ви додасте е-пошту вгорі.", - "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 currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Зараз дозволяє вам знаходити контакти, а контактам вас. Можете змінити сервер ідентифікації нижче.", - "Home options": "Параметри домівки", "Files": "Файли", "Export chat": "Експортувати бесіду", "View in room": "Дивитися в кімнаті", "Copy link to thread": "Копіювати посилання на гілку", "Thread options": "Параметри гілки", "Reply in thread": "Відповісти у гілці", - "Unable to remove contact information": "Не вдалося вилучити контактні дані", - "Request media permissions": "Запитати медіадозволи", - "Missing media permissions, click the button below to request.": "Бракує медіадозволів, натисніть кнопку нижче, щоб їх надати.", "Developer": "Розробка", "Moderation": "Модерування", "Experimental": "Експериментально", "Themes": "Теми", "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.": "Ви не маєте дозволу створювати опитування в цій кімнаті.", - "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.": "Не вдалося зареєструвати ваш голос. Просимо спробувати ще.", "Spaces you know that contain this space": "Відомі вам простори, до яких входить цей", "Chat": "Бесіда", - "Start new chat": "Почати бесіду", - "Invite to space": "Запросити до простору", - "Add people": "Додати людей", - "Join public room": "Приєднатись до загальнодоступної кімнати", - "%(spaceName)s menu": "%(spaceName)s — меню", "No votes cast": "Жодного голосу", "Failed to end poll": "Не вдалося завершити опитування", "The poll has ended. No votes were cast.": "Опитування завершене. Жодного голосу не було.", @@ -897,7 +745,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": "Посилання на кімнату", - "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Ми створимо ключ безпеки. Зберігайте його в надійному місці, скажімо в менеджері паролів чи сейфі.", "Command Help": "Допомога команди", "Unnamed audio": "Аудіо без назви", "Could not connect media": "Не вдалося під'єднати медіа", @@ -927,8 +774,6 @@ "This will allow you to reset your password and receive notifications.": "Це дозволить вам скинути пароль і отримувати сповіщення.", "Reset event store?": "Очистити сховище подій?", "Waiting for %(displayName)s to accept…": "Очікування згоди %(displayName)s…", - "Message didn't send. Click for info.": "Повідомлення не надіслане. Натисніть, щоб дізнатись більше.", - "Insert link": "Додати посилання", "Set my room layout for everyone": "Встановити мій вигляд кімнати всім", "Close this widget to view it in this panel": "Закрийте віджет, щоб він зʼявився на цій панелі", "You can only pin up to %(count)s widgets": { @@ -952,12 +797,6 @@ "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": "Сумніваємось, що ви бажаєте очистити своє сховище подій", - "None": "Вимкнено", - "This room isn't bridging messages to any platforms. Learn more.": "Ця кімната не передає повідомлень на жодні платформи. Докладніше.", - "Get notified only with mentions and keywords as set up in your settings": "Отримувати лише вказані у ваших налаштуваннях згадки й ключові слова", - "@mentions & keywords": "@згадки й ключові слова", - "Get notified for every message": "Отримувати сповіщення про кожне повідомлення", - "Get notifications as set up in your settings": "Отримувати сповіщення відповідно до ваших налаштувань", "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.": "Якщо тут немає тих, кого шукаєте, надішліть їм запрошувальне посилання внизу.", @@ -966,7 +805,6 @@ "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 мусить заново синхронізувати ваш обліковий запис.", "Want to add an existing space instead?": "Бажаєте додати наявний простір натомість?", - "Add existing room": "Додати наявну кімнату", "Invited people will be able to read old messages.": "Запрошені люди зможуть читати старі повідомлення.", "Invite someone using their name, username (like ) or share this space.": "Запросіть когось за іменем, користувацьким іменем (вигляду ) чи поділіться цим простором.", "Invite someone using their name, email address, username (like ) or share this space.": "Запросіть когось за іменем, е-поштою, користувацьким іменем (вигляду ) чи поділіться цим простором.", @@ -975,7 +813,6 @@ "We couldn't invite those users. Please check the users you want to invite and try again.": "Не вдалося запросити користувачів. Перевірте, кого хочете запросити, й спробуйте ще.", "Something went wrong trying to invite the users.": "Щось пішло не так при запрошенні користувачів.", "Invite by email": "Запросити е-поштою", - "Something went wrong with your invite to %(roomName)s": "Щось пішло не так з вашим запрошенням до %(roomName)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.": "Запросіть когось за іменем, е-поштою, користувацьким іменем (вигляду ) чи поділіться цією кімнатою.", "Put a link back to the old room at the start of the new room so people can see old messages": "Додамо лінк старої кімнати нагорі нової, щоб люди могли бачити старі повідомлення", @@ -987,7 +824,6 @@ "This room has already been upgraded.": "Ця кімната вже поліпшена.", "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 зараз офлайн.", "Jump to read receipt": "Перейти до останнього прочитаного", "Jump to first unread message.": "Перейти до першого непрочитаного повідомлення.", "a new cross-signing key signature": "новий підпис ключа перехресного підписування", @@ -1000,9 +836,6 @@ "Other searches": "Інші пошуки", "To search messages, look for this icon at the top of a room ": "Шукайте повідомлення за допомогою піктограми вгорі кімнати", "Recent searches": "Недавні пошуки", - "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": "Підтвердьте парольну фразу", "Could not load user profile": "Не вдалося звантажити профіль користувача", "Skip verification for now": "На разі пропустити звірку", "Failed to load timeline position": "Не вдалося завантажити позицію стрічки", @@ -1089,28 +922,7 @@ "Invited by %(sender)s": "Запрошення від %(sender)s", "Add some now": "Додайте які-небудь", "You don't currently have any stickerpacks enabled": "У вас поки немає пакунків наліпок", - "%(roomName)s does not exist.": "%(roomName)s не існує.", - "%(roomName)s can't be previewed. Do you want to join it?": "Попередній перегляд %(roomName)s недоступний. Бажаєте приєднатися?", - "You're previewing %(roomName)s. Want to join it?": "Ви попередньо переглядаєте %(roomName)s. Бажаєте приєднатися?", - "Reject & Ignore user": "Відхилити й нехтувати користувачем", - "Do you want to join %(roomName)s?": "Бажаєте приєднатися до %(roomName)s?", - " wants to chat": " бажає поговорити", - "Do you want to chat with %(user)s?": "Бажаєте поговорити з %(user)s?", - "You can only join it with a working invite.": "Приєднатися можна лише за дійсним запрошенням.", - "Currently joining %(count)s rooms": { - "one": "Приєднання до %(count)s кімнати", - "other": "Приєднання до %(count)s кімнат" - }, - "Suggested Rooms": "Пропоновані кімнати", - "Historical": "Історичні", - "Explore public rooms": "Переглянути загальнодоступні кімнати", - "No recently visited rooms": "Немає недавно відвіданих кімнат", "Recently viewed": "Недавно переглянуті", - "Close preview": "Закрити попередній перегляд", - "Show %(count)s other previews": { - "one": "Показати %(count)s інший попередній перегляд", - "other": "Показати %(count)s інших попередніх переглядів" - }, "Scroll to most recent messages": "Перейти до найновіших повідомлень", "Unencrypted": "Не зашифроване", "Message Actions": "Дії з повідомленням", @@ -1119,24 +931,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.": "Цей користувач звірив не всі свої сеанси.", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Ми надіслали лист, щоб підтвердити вашу е-пошту. Виконайте інструкції в ньому й натисніть кнопку нижче.", - "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": "Ваша адреса е-пошти ще не підтверджена", - "Unignore": "Рознехтувати", - "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.": "Якщо ви не бажаєте використовувати , щоб знаходити наявні контакти й щоб вони вас знаходили, введіть інший сервер ідентифікації нижче.", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Радимо вилучити адреси е-пошти й номери телефонів із сервера ідентифікації, перш ніж від'єднатися.", - "You are still sharing your personal data on the identity server .": "Сервер ідентифікації досі поширює ваші особисті дані.", - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Слід вилучити ваші особисті дані з сервера ідентифікації , перш ніж від'єднатися. На жаль, сервер ідентифікації зараз офлайн чи недоступний.", - "Failed to re-authenticate due to a homeserver problem": "Не вдалося перезайти через проблему з домашнім сервером", - "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.": "Скидання ключів звірки неможливо скасувати. Після скидання, ви втратите доступ до старих зашифрованих повідомлень, а всі друзі, які раніше вас звіряли, бачитимуть застереження безпеки, поки ви не проведете звірку з ними знову.", - "I'll verify later": "Звірю пізніше", - "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "До звірки ви матимете доступ не до всіх своїх повідомлень, а в інших ви можете позначатися недовіреними.", - "Verify with Security Key": "Підтвердити ключем безпеки", - "Verify with Security Key or Phrase": "Підтвердити ключем чи фразою безпеки", - "Proceed with reset": "Продовжити скидання", "Before submitting logs, you must create a GitHub issue to describe your problem.": "Перш ніж надіслати журнали, створіть обговорення на GitHub із описом проблеми.", "Reminder: Your browser is unsupported, so your experience may be unpredictable.": "Нагадуємо, що ваш браузер не підтримується, тож деякі функції можуть не працювати.", "Please tell us what went wrong or, better, create a GitHub issue that describes the problem.": "Будь ласка, повідомте нам, що пішло не так; а ще краще створіть обговорення на GitHub із описом проблеми.", @@ -1145,13 +939,6 @@ "Server did not return valid authentication information.": "Сервер надав хибні дані розпізнання.", "Server did not require any authentication": "Сервер не попросив увійти", "Add a space to a space you manage.": "Додайте простір до іншого простору, яким ви керуєте.", - "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.": "Якщо ви не видаляли способу відновлення, ймовірно хтось намагається зламати ваш обліковий запис. Негайно змініть пароль до свого облікового запису й встановіть новий спосіб відновлення в налаштуваннях.", - "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.": "Якщо це ненароком зробили ви, налаштуйте захищені повідомлення для цього сеансу, щоб повторно зашифрувати історію листування цього сеансу з новим способом відновлення.", - "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Цей сеанс виявив, що ваша фраза безпеки й ключ до захищених повідомлень були видалені.", - "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.": "Якщо ви не встановлювали нового способу відновлення, ймовірно хтось намагається зламати ваш обліковий запис. Негайно змініть пароль до свого облікового запису й встановіть новий спосіб відновлення в налаштуваннях.", - "A new Security Phrase and key for Secure Messages have been detected.": "Виявлено зміну фрази безпеки й ключа до захищених повідомлень.", - "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 у майбутньому, і той клієнт також зможе розшифрувати ці повідомлення.", - "Export room keys": "Експортувати ключі кімнат", "Your password has been reset.": "Ваш пароль скинуто.", "New passwords must match each other.": "Нові паролі мають збігатися.", "Really reset verification keys?": "Точно скинути ключі звірки?", @@ -1160,13 +947,6 @@ "other": "Вивантаження %(filename)s і ще %(count)s" }, "Uploading %(filename)s": "Вивантаження %(filename)s", - "Enter your Security Phrase a second time to confirm it.": "Введіть свою фразу безпеки ще раз для підтвердження.", - "Go back to set it again.": "Поверніться, щоб налаштувати заново.", - "That doesn't match.": "Не збігається.", - "Use a different passphrase?": "Використати іншу парольну фразу?", - "That matches!": "Збіг!", - "Great! This Security Phrase looks strong enough.": "Чудово! Фраза безпеки досить надійна.", - "Enter a Security Phrase": "Ввести фразу безпеки", "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.": "Поліпшення кімнати — серйозна операція. Її зазвичай радять, коли кімната нестабільна через вади, брак функціоналу чи вразливості безпеки.", @@ -1233,9 +1013,6 @@ "You don't have permission to do this": "У вас немає на це дозволу", "Message preview": "Попередній перегляд повідомлення", "We couldn't create your DM.": "Не вдалося створити особисте повідомлення.", - "Unable to query secret storage status": "Не вдалося дізнатися стан таємного сховища", - "You can also set up Secure Backup & manage your keys in Settings.": "Ввімкнути захищене резервне копіювання й керувати своїми ключами можна в налаштуваннях.", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Якщо скасуєте це й загубите пристрій, то втратите зашифровані повідомлення й дані.", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "Звірка цього користувача позначить його сеанс довіреним вам, а ваш йому.", "Joined": "Приєднано", "Joining": "Приєднання", @@ -1244,12 +1021,6 @@ "Tried to load a specific point in this room's timeline, but was unable to find it.": "Не вдалося знайти вказаної позиції в стрічці цієї кімнати.", "Unable to copy a link to the room to the clipboard.": "Не вдалося скопіювати посилання на цю кімнату до буфера обміну.", "Unable to copy room link": "Не вдалося скопіювати посилання на кімнату", - "Confirm your Security Phrase": "Підтвердьте свою фразу безпеки", - "Generate a Security Key": "Згенерувати ключ безпеки", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Захистіть резервну копію відомою лише вам таємною фразою. Можете також зберегти ключ безпеки.", - "Save your Security Key": "Збережіть свій ключ безпеки", - "Confirm Security Phrase": "Підвердьте фразу безпеки", - "Set a Security Phrase": "Вкажіть фразу безпеки", "The server is not configured to indicate what the problem is (CORS).": "Сервер не налаштований на деталізацію суті проблеми (CORS).", "A connection error occurred while trying to contact the server.": "Стався збій при спробі зв'язку з сервером.", "Your area is experiencing difficulties connecting to the internet.": "У вашій місцевості зараз проблеми з інтернет-зв'язком.", @@ -1258,10 +1029,6 @@ "The server (%(serverName)s) took too long to respond.": "Сервер (%(serverName)s) не відповів у прийнятний термін.", "Your server isn't responding to some of your requests. Below are some of the most likely reasons.": "Не вдалося отримати відповідь на деякі запити до вашого сервера. Ось деякі можливі причини.", "Server isn't responding": "Сервер не відповідає", - "Create key backup": "Створити резервну копію ключів", - "Unable to set up secret storage": "Не вдалося налаштувати таємне сховище", - "Unable to create key backup": "Не вдалося створити резервну копію ключів", - "Your keys are being backed up (the first backup could take a few minutes).": "Створюється резервна копія ваших ключів (перше копіювання може тривати кілька хвилин).", "Identity server URL does not appear to be a valid identity server": "Сервер за URL-адресою не виглядає дійсним сервером ідентифікації Matrix", "Invalid base_url for m.identity_server": "Хибний base_url у m.identity_server", "Invalid identity server discovery response": "Хибна відповідь самоналаштування сервера ідентифікації", @@ -1272,8 +1039,6 @@ "Your message wasn't sent because this homeserver has exceeded a resource limit. Please contact your service administrator to continue using the service.": "Не вдалося надіслати повідомлення, бо домашній сервер перевищив ліміт ресурсів. Зв'яжіться з адміністратором сервісу, щоб продовжити використання.", "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": "Парольна фраза обов'язкова", - "Passphrases must match": "Парольні фрази мають збігатися", "Sections to show": "Показувані розділи", "Recent changes that have not yet been received": "Останні зміни, котрі ще не отримано", "%(brand)s encountered an error during upload of:": "%(brand)s зіткнувся з помилкою під час вивантаження:", @@ -1290,9 +1055,6 @@ "This address had invalid server or is already in use": "Ця адреса містить хибний сервер чи вже використовується", "Missing room name or separator e.g. (my-room:domain.org)": "Бракує назви кімнати чи розділювача (my-room:domain.org)", "Missing domain separator e.g. (:domain.org)": "Бракує розділювача домену (:domain.org)", - "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.": "Ваш новий пристрій звірено. Він має доступ до ваших зашифрованих повідомлень, а інші користувачі бачитимуть його довіреним.", - "Verify with another device": "Звірити за допомогою іншого пристрою", "Device verified": "Пристрій звірено", "Verify this device": "Звірити цей пристрій", "Unable to verify this device": "Не вдалося звірити цей пристрій", @@ -1307,7 +1069,6 @@ "Remove them from specific things I'm able to": "Вилучити їх з деяких місць, де мене на це уповноважено", "Remove them from everything I'm able to": "Вилучити їх звідусіль, де мене на це уповноважено", "Remove from %(roomName)s": "Вилучити з %(roomName)s", - "You were removed from %(roomName)s by %(memberName)s": "%(memberName)s вилучає вас із %(roomName)s", "Message pending moderation": "Повідомлення очікує модерування", "Message pending moderation: %(reason)s": "Повідомлення очікує модерування: %(reason)s", "Pick a date to jump to": "Виберіть до якої дати перейти", @@ -1316,9 +1077,6 @@ "This address does not point at this room": "Ця адреса не вказує на цю кімнату", "Wait!": "Заждіть!", "Location": "Місцеперебування", - "Poll": "Опитування", - "Voice Message": "Голосове повідомлення", - "Hide stickers": "Сховати наліпки", "Use to scroll": "Використовуйте , щоб прокручувати", "Feedback sent! Thanks, we appreciate it!": "Відгук надісланий! Дякуємо, візьмемо до уваги!", "%(space1Name)s and %(space2Name)s": "%(space1Name)s і %(space2Name)s", @@ -1347,34 +1105,13 @@ "one": "Ви збираєтеся видалити %(count)s повідомлення від %(user)s. Це видалить його назавжди для всіх у розмові. Точно продовжити?", "other": "Ви збираєтеся видалити %(count)s повідомлень від %(user)s. Це видалить їх назавжди для всіх у розмові. Точно продовжити?" }, - "Currently removing messages in %(count)s rooms": { - "one": "Триває видалення повідомлень в %(count)s кімнаті", - "other": "Триває видалення повідомлень у %(count)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.", "Unsent": "Не надіслано", - "%(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. Якщо ви думаєте, що ви бачите це повідомлення помилково, будь ласка, надішліть звіт про помилку.", - "Try again later, or ask a room or space admin to check if you have access.": "Повторіть спробу пізніше, або запитайте у кімнати або простору перевірку, чи маєте ви доступ.", - "This room or space is not accessible at this time.": "Ця кімната або простір на разі не доступні.", - "Are you sure you're at the right place?": "Ви впевнені, що перебуваєте в потрібному місці?", - "This room or space does not exist.": "Такої кімнати або простору не існує.", - "There's no preview, would you like to join?": "Попереднього перегляду немає, бажаєте приєднатися?", - "This invite was sent to %(email)s": "Це запрошення було надіслано на %(email)s", - "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). Ви можете спробувати передати цю інформацію особі, яка вас запросила.", - "Something went wrong with your invite.": "Сталася помилка під час запрошення.", - "You were banned by %(memberName)s": "Вас заблоковано користувачем %(memberName)s", - "Forget this space": "Забути цей простір", - "You were removed by %(memberName)s": "Вас вилучено користувачем %(memberName)s", - "Loading preview": "Завантаження попереднього перегляду", "An error occurred while stopping your live location, please try again": "Сталася помилка припинення надсилання вашого місцеперебування, повторіть спробу", "%(count)s participants": { "one": "1 учасник", "other": "%(count)s учасників" }, - "New video room": "Нова відеокімната", - "New room": "Нова кімната", "%(featureName)s Beta feedback": "%(featureName)s — відгук про бетаверсію", "Live location ended": "Показ місцеперебування наживо завершено", "View live location": "Показувати місцеперебування наживо", @@ -1402,14 +1139,9 @@ "You will not be able to reactivate your account": "Відновити обліковий запис буде неможливо", "Confirm that you would like to deactivate your account. If you proceed:": "Підтвердьте, що справді бажаєте знищити обліковий запис. Якщо продовжите:", "To continue, please enter your account password:": "Для продовження введіть пароль облікового запису:", - "Seen by %(count)s people": { - "one": "Переглянули %(count)s осіб", - "other": "Переглянули %(count)s людей" - }, "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.": "Вихід з ваших пристроїв, видалить ключі шифрування повідомлень, що зберігаються на них і зробить зашифровану історію бесіди нечитабельною.", - "Your password was successfully changed.": "Ваш пароль успішно змінено.", "An error occurred while stopping your live location": "Під час припинення поширення поточного місцеперебування сталася помилка", "%(members)s and %(last)s": "%(members)s і %(last)s", "%(members)s and more": "%(members)s та інші", @@ -1418,18 +1150,10 @@ "Output devices": "Пристрої виводу", "Input devices": "Пристрої вводу", "Show Labs settings": "Відкрити налаштування експериментальних функцій", - "To join, please enable video rooms in Labs first": "Щоб приєднатися, спочатку ввімкніть відеокімнати в експериментальних функціях", - "To view, please enable video rooms in Labs first": "Щоб переглянути, спочатку ввімкніть відеокімнати в експериментальних функціях", - "To view %(roomName)s, you need an invite": "Щоб переглядати %(roomName)s, потрібне запрошення", - "Private room": "Приватна кімната", - "Video room": "Відеокімната", "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": "Сталася помилка під час надання доступу до вашого поточного місцеперебування", "Unread email icon": "Піктограма непрочитаного електронного листа", - "Joining…": "Приєднання…", - "Read receipts": "Звіти про прочитання", - "Deactivating your account is a permanent action — be careful!": "Деактивація вашого облікового запису — це незворотна дія, будьте обережні!", "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.": "Коли ви вийдете, ці ключі буде видалено з цього пристрою, і ви не зможете читати зашифровані повідомлення, якщо у вас немає ключів для них на інших пристроях або не створено їх резервну копію на сервері.", "Remove search filter for %(filter)s": "Вилучити фільтр пошуку для %(filter)s", "Start a group chat": "Розпочати нову бесіду", @@ -1452,7 +1176,6 @@ "Show spaces": "Показати простори", "Show rooms": "Показати кімнати", "Explore public spaces in the new search dialog": "Знаходьте загальнодоступні простори в новому діалоговому вікні пошуку", - "Join the room to participate": "Приєднуйтеся до кімнати, щоб взяти участь", "You don't have permission to share locations": "Ви не маєте дозволу ділитися місцем перебування", "Stop and close": "Припинити й закрити", "Online community members": "Учасники онлайн-спільноти", @@ -1468,22 +1191,10 @@ "We're creating a room with %(names)s": "Ми створюємо кімнату з %(names)s", "Interactively verify by emoji": "Звірити інтерактивно за допомогою емоджі", "Manually verify by text": "Звірити вручну за допомогою тексту", - "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s або %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s або %(recoveryFile)s", - "Video call (Jitsi)": "Відеовиклик (Jitsi)", - "Failed to set pusher state": "Не вдалося встановити стан push-служби", "Video call ended": "Відеовиклик завершено", "%(name)s started a video call": "%(name)s розпочинає відеовиклик", "Room info": "Відомості про кімнату", - "View chat timeline": "Переглянути стрічку бесіди", - "Close call": "Закрити виклик", - "Spotlight": "У фокусі", - "Freedom": "Свобода", - "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 додатковою опцією викликів у цій кімнаті", "Completing set up of your new device": "Завершення налаштування нового пристрою", "Waiting for device to sign in": "Очікування входу з пристрою", "Review and approve the sign in": "Розглянути та схвалити вхід", @@ -1502,16 +1213,8 @@ "The scanned code is invalid.": "Сканований код недійсний.", "The linking wasn't completed in the required time.": "У встановлені терміни з'єднання не було виконано.", "Sign in new device": "Увійти на новому пристрої", - "Show formatting": "Показати форматування", - "Hide formatting": "Сховати форматування", - "Connection": "З'єднання", - "Voice processing": "Обробка голосу", - "Video settings": "Налаштування відео", - "Automatically adjust the microphone volume": "Авторегулювання гучності мікрофона", - "Voice settings": "Налаштування голосу", "Error downloading image": "Помилка завантаження зображення", "Unable to show image due to error": "Не вдалося показати зображення через помилку", - "Send email": "Надіслати електронний лист", "Sign out of all devices": "Вийти на всіх пристроях", "Confirm new password": "Підтвердити новий пароль", "Too many attempts in a short time. Retry after %(timeout)s.": "Забагато спроб за короткий час. Повторіть спробу за %(timeout)s.", @@ -1520,7 +1223,6 @@ "We were unable to start a chat with the other user.": "Ми не змогли розпочати бесіду з іншим користувачем.", "Error starting verification": "Помилка запуску перевірки", "WARNING: ": "ПОПЕРЕДЖЕННЯ: ", - "Change layout": "Змінити макет", "Unable to decrypt message": "Не вдалося розшифрувати повідомлення", "This message could not be decrypted": "Не вдалося розшифрувати це повідомлення", " in %(room)s": " в %(room)s", @@ -1530,35 +1232,24 @@ "Can't start voice message": "Не можливо запустити запис голосового повідомлення", "Edit link": "Змінити посилання", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", - "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", "unknown": "невідомо", "Declining…": "Відхилення…", "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.": "Попередження: ваші особисті дані ( включно з ключами шифрування) досі зберігаються в цьому сеансі. Очистьте їх, якщо ви завершили роботу в цьому сеансі або хочете увійти в інший обліковий запис.", "Scan QR code": "Скануйте QR-код", "Select '%(scanQRCode)s'": "Виберіть «%(scanQRCode)s»", "Enable '%(manageIntegrations)s' in Settings to do this.": "Увімкніть «%(manageIntegrations)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.": "Будь ласка, продовжуйте лише в разі втрати всіх своїх інших пристроїв та ключа безпеки.", "Connecting…": "З'єднання…", "Loading live location…": "Завантаження місця перебування наживо…", "Fetching keys from server…": "Отримання ключів із сервера…", "Checking…": "Перевірка…", "Waiting for partner to confirm…": "Очікування підтвердження партнером…", "Adding…": "Додавання…", - "Rejecting invite…": "Відхилення запрошення…", - "Joining room…": "Приєднання до кімнати…", - "Joining space…": "Приєднання до простору…", "Encrypting your message…": "Шифрування повідомлення…", "Sending your message…": "Надсилання повідомлення…", - "Set a new account password…": "Встановити новий пароль облікового запису…", "Starting export process…": "Початок процесу експорту…", - "Secure Backup successful": "Безпечне резервне копіювання виконано успішно", - "Your keys are now being backed up from this device.": "На цьому пристрої створюється резервна копія ваших ключів.", "Loading polls": "Завантаження опитувань", "Ended a poll": "Завершує опитування", "Due to decryption errors, some votes may not be counted": "Через помилки розшифрування деякі голоси можуть бути не враховані", @@ -1596,59 +1287,16 @@ "Start DM anyway": "Усе одно розпочати особисте спілкування", "Start DM anyway and never warn me again": "Усе одно розпочати особисте спілкування і більше ніколи не попереджати мене", "Unable to find profiles for the Matrix IDs listed below - would you like to start a DM anyway?": "Не вдалося знайти профілі для перелічених далі Matrix ID — ви все одно хочете розпочати особисте спілкування?", - "Formatting": "Форматування", - "Upload custom sound": "Вивантажити власний звук", "Search all rooms": "Вибрати всі кімнати", "Search this room": "Шукати цю кімнату", - "Error changing password": "Помилка зміни пароля", - "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s (HTTP-статус %(httpStatus)s)", - "Unknown password change error (%(stringifiedError)s)": "Невідома помилка зміни пароля (%(stringifiedError)s)", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "Після того, як запрошені користувачі приєднаються до %(brand)s, ви зможете спілкуватися в бесіді, а кімната буде наскрізно зашифрована", "Waiting for users to join %(brand)s": "Очікування приєднання користувача до %(brand)s", - "You do not have permission to invite users": "У вас немає дозволу запрошувати користувачів", - "Mentions and Keywords only": "Лише згадки та ключові слова", - "This setting will be applied by default to all your rooms.": "Цей параметр буде застосовано усталеним до всіх ваших кімнат.", - "Play a sound for": "Відтворювати звук про", - "Mentions and Keywords": "Згадки та ключові слова", - "Notify when someone mentions using @room": "Сповіщати, коли хтось використовує згадку @room", - "Notify when someone mentions using @displayname or %(mxid)s": "Сповіщати, коли хтось використовує згадку @displayname або %(mxid)s", - "Notify when someone uses a keyword": "Сповіщати, коли хтось використовує ключове слово", - "Reset to default settings": "Відновити типові налаштування", - "Quick Actions": "Швидкі дії", - "Mark all messages as read": "Позначити всі повідомлення прочитаними", - "Enter keywords here, or use for spelling variations or nicknames": "Введіть сюди ключові слова або використовуйте для варіацій написання чи нікнеймів", "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.": "Повідомлення в цій кімнаті наскрізно зашифровані. Коли люди приєднуються, ви можете перевірити їх у їхньому профілі, просто торкнувшись зображення профілю.", "Are you sure you wish to remove (delete) this event?": "Ви впевнені, що хочете вилучити (видалити) цю подію?", "Upgrade room": "Поліпшити кімнату", - "Great! This passphrase looks strong enough": "Чудово! Цю парольна фраза видається достатньо надійною", - "Email summary": "Зведення електронною поштою", - "People, Mentions and Keywords": "Люди, згадки та ключові слова", - "Show message preview in desktop notification": "Показувати попередній перегляд повідомлень у сповіщеннях комп'ютера", - "I want to be notified for (Default Setting)": "Я хочу отримувати сповіщення про (типове налаштування)", - "Applied by default to all rooms on all devices.": "Застосовується усталеним до всіх кімнат на всіх пристроях.", - "Audio and Video calls": "Голосові та відеовиклики", - "Other things we think you might be interested in:": "Інше, що, на нашу думку, може вас зацікавити:", - "Invited to a room": "Запрошено до кімнати", - "Messages sent by bots": "Повідомлення від ботів", - "New room activity, upgrades and status messages occur": "Нова діяльність у кімнаті, поліпшення та повідомлення про стан", - "Unable to find user by email": "Не вдалося знайти користувача за адресою електронної пошти", - "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": "Оновлення:Ми спростили налаштування сповіщень, щоб полегшити пошук потрібних опцій. Деякі налаштування, які ви вибрали раніше, тут не показано, але вони залишаються активними. Якщо ви продовжите, деякі з ваших налаштувань можуть змінитися. Докладніше", - "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 у їхньому профілі - торкніться їхнього зображення профілю.", - "Receive an email summary of missed notifications": "Отримуйте зведення пропущених сповіщень на електронну пошту", - "Select which emails you want to send summaries to. Manage your emails in .": "Виберіть, на які адреси ви хочете отримувати зведення. Керуйте адресами в налаштуваннях.", "Note that removing room changes like this could undo the change.": "Зауважте, що вилучення таких змін у кімнаті може призвести до їхнього скасування.", - "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "Експортований файл дозволить будь-кому, хто зможе його прочитати, розшифрувати будь-які зашифровані повідомлення, які ви бачите, тому ви повинні бути обережними, щоб зберегти його в безпеці. Щоб зробити це, вам слід ввести унікальну парольну фразу нижче, яка буде використовуватися тільки для шифрування експортованих даних. Імпортувати дані можна буде лише за допомогою тієї ж самої парольної фрази.", "Other spaces you know": "Інші відомі вам простори", - "Ask to join %(roomName)s?": "Надіслати запит на приєднання до %(roomName)s?", - "Cancel request": "Скасувати запит", - "Ask to join?": "Надіслати запит на приєднання?", - "You need to be granted access to this room in order to view or participate in the conversation. You can send a request to join below.": "Щоб переглянути або взяти участь у розмові, вам необхідно отримати доступ до цієї кімнати. Ви можете надіслати запит на приєднання нижче.", - "Message (optional)": "Повідомлення (необов'язково)", - "Request access": "Запитати доступ", - "Request to join sent": "Запит на приєднання надіслано", - "Your request to join is pending.": "Ваш запит на приєднання очікує на розгляд.", "Failed to query public rooms": "Не вдалося зробити запит до загальнодоступних кімнат", "common": { "about": "Відомості", @@ -1755,7 +1403,18 @@ "saving": "Збереження…", "profile": "Профіль", "display_name": "Псевдонім", - "user_avatar": "Зображення профілю" + "user_avatar": "Зображення профілю", + "authentication": "Автентифікація", + "public_room": "Загальнодоступна кімната", + "video_room": "Відеокімната", + "public_space": "Загальнодоступний простір", + "private_space": "Приватний простір", + "private_room": "Приватна кімната", + "rooms": "Кімнати", + "low_priority": "Неважливі", + "historical": "Історичні", + "go_to_settings": "Перейти до налаштувань", + "setup_secure_messages": "Налаштувати захищені повідомлення" }, "action": { "continue": "Продовжити", @@ -1861,7 +1520,16 @@ "unban": "Розблокувати", "click_to_copy": "Клацніть, щоб скопіювати", "hide_advanced": "Сховати розширені", - "show_advanced": "Показати розширені" + "show_advanced": "Показати розширені", + "unignore": "Рознехтувати", + "start_new_chat": "Почати бесіду", + "invite_to_space": "Запросити до простору", + "add_people": "Додати людей", + "explore_rooms": "Каталог кімнат", + "new_room": "Нова кімната", + "new_video_room": "Нова відеокімната", + "add_existing_room": "Додати наявну кімнату", + "explore_public_rooms": "Переглянути загальнодоступні кімнати" }, "a11y": { "user_menu": "Користувацьке меню", @@ -1874,7 +1542,8 @@ "one": "1 непрочитане повідомлення." }, "unread_messages": "Непрочитані повідомлення.", - "jump_first_invite": "Перейти до першого запрошення." + "jump_first_invite": "Перейти до першого запрошення.", + "room_name": "Кімната %(name)s" }, "labs": { "video_rooms": "Відеокімнати", @@ -2066,7 +1735,22 @@ "space_a11y": "Автозаповнення простору", "user_description": "Користувачі", "user_a11y": "Автозаповнення користувача" - } + }, + "room_upgraded_link": "Розмова триває тут.", + "room_upgraded_notice": "Ця кімната була замінена і не є активною.", + "no_perms_notice": "У вас немає дозволу писати в цій кімнаті", + "send_button_voice_message": "Надіслати голосове повідомлення", + "close_sticker_picker": "Сховати наліпки", + "voice_message_button": "Голосове повідомлення", + "poll_button_no_perms_title": "Потрібен дозвіл", + "poll_button_no_perms_description": "Ви не маєте дозволу створювати опитування в цій кімнаті.", + "poll_button": "Опитування", + "mode_plain": "Сховати форматування", + "mode_rich_text": "Показати форматування", + "formatting_toolbar_label": "Форматування", + "format_italics": "Курсив", + "format_insert_link": "Додати посилання", + "replying_title": "Відповідання" }, "Link": "Посилання", "Code": "Код", @@ -2246,7 +1930,32 @@ "error_title": "Не вдалося увімкнути сповіщення", "error_updating": "Сталася помилка під час оновлення налаштувань сповіщень. Спробуйте змінити налаштування ще раз.", "push_targets": "Цілі сповіщень", - "error_loading": "Сталася помилка під час завантаження налаштувань сповіщень." + "error_loading": "Сталася помилка під час завантаження налаштувань сповіщень.", + "email_section": "Зведення електронною поштою", + "email_description": "Отримуйте зведення пропущених сповіщень на електронну пошту", + "email_select": "Виберіть, на які адреси ви хочете отримувати зведення. Керуйте адресами в налаштуваннях.", + "people_mentions_keywords": "Люди, згадки та ключові слова", + "mentions_keywords_only": "Лише згадки та ключові слова", + "labs_notice_prompt": "Оновлення:Ми спростили налаштування сповіщень, щоб полегшити пошук потрібних опцій. Деякі налаштування, які ви вибрали раніше, тут не показано, але вони залишаються активними. Якщо ви продовжите, деякі з ваших налаштувань можуть змінитися. Докладніше", + "desktop_notification_message_preview": "Показувати попередній перегляд повідомлень у сповіщеннях комп'ютера", + "default_setting_section": "Я хочу отримувати сповіщення про (типове налаштування)", + "default_setting_description": "Цей параметр буде застосовано усталеним до всіх ваших кімнат.", + "play_sound_for_section": "Відтворювати звук про", + "play_sound_for_description": "Застосовується усталеним до всіх кімнат на всіх пристроях.", + "mentions_keywords": "Згадки та ключові слова", + "voip": "Голосові та відеовиклики", + "other_section": "Інше, що, на нашу думку, може вас зацікавити:", + "invites": "Запрошено до кімнати", + "room_activity": "Нова діяльність у кімнаті, поліпшення та повідомлення про стан", + "notices": "Повідомлення від ботів", + "keywords": "Показувати значок , коли в кімнаті вжито ключові слова.", + "notify_at_room": "Сповіщати, коли хтось використовує згадку @room", + "notify_mention": "Сповіщати, коли хтось використовує згадку @displayname або %(mxid)s", + "notify_keyword": "Сповіщати, коли хтось використовує ключове слово", + "keywords_prompt": "Введіть сюди ключові слова або використовуйте для варіацій написання чи нікнеймів", + "quick_actions_section": "Швидкі дії", + "quick_actions_mark_all_read": "Позначити всі повідомлення прочитаними", + "quick_actions_reset": "Відновити типові налаштування" }, "appearance": { "layout_irc": "IRC (Експериментально)", @@ -2284,7 +1993,19 @@ "echo_cancellation": "Пригнічення відлуння", "noise_suppression": "Шумопригнічення", "enable_fallback_ice_server": "Дозволити резервний сервер підтримки викликів (%(server)s)", - "enable_fallback_ice_server_description": "Застосовується лише в тому випадку, якщо ваш домашній сервер не пропонує його. Ваша IP-адреса передаватиметься під час виклику." + "enable_fallback_ice_server_description": "Застосовується лише в тому випадку, якщо ваш домашній сервер не пропонує його. Ваша IP-адреса передаватиметься під час виклику.", + "missing_permissions_prompt": "Бракує медіадозволів, натисніть кнопку нижче, щоб їх надати.", + "request_permissions": "Запитати медіадозволи", + "audio_output": "Звуковий вивід", + "audio_output_empty": "Звуковий вивід не виявлено", + "audio_input_empty": "Мікрофон не виявлено", + "video_input_empty": "Вебкамеру не виявлено", + "title": "Голос і відео", + "voice_section": "Налаштування голосу", + "voice_agc": "Авторегулювання гучності мікрофона", + "video_section": "Налаштування відео", + "voice_processing": "Обробка голосу", + "connection_section": "З'єднання" }, "send_read_receipts_unsupported": "Ваш сервер не підтримує вимкнення надсилання сповіщень про прочитання.", "security": { @@ -2357,7 +2078,11 @@ "key_backup_in_progress": "Резервне копіювання %(sessionsRemaining)s ключів…", "key_backup_complete": "Усі ключі збережено", "key_backup_algorithm": "Алгоритм:", - "key_backup_inactive_warning": "Резервна копія ваших ключів не створюється з цього сеансу." + "key_backup_inactive_warning": "Резервна копія ваших ключів не створюється з цього сеансу.", + "key_backup_active_version_none": "Вимкнено", + "ignore_users_empty": "Ви не маєте нехтуваних користувачів.", + "ignore_users_section": "Нехтувані користувачі", + "e2ee_default_disabled_warning": "Адміністратором вашого сервера було вимкнено автоматичне наскрізне шифрування у приватних кімнатах і особистих повідомленнях." }, "preferences": { "room_list_heading": "Перелік кімнат", @@ -2477,7 +2202,8 @@ "one": "Ви впевнені, що хочете вийти з %(count)s сеансів?", "other": "Ви впевнені, що хочете вийти з %(count)s сеансів?" }, - "other_sessions_subsection_description": "Для кращої безпеки звірте свої сеанси та вийдіть з усіх невикористовуваних або нерозпізнаних сеансів." + "other_sessions_subsection_description": "Для кращої безпеки звірте свої сеанси та вийдіть з усіх невикористовуваних або нерозпізнаних сеансів.", + "error_pusher_state": "Не вдалося встановити стан push-служби" }, "general": { "oidc_manage_button": "Керувати обліковим записом", @@ -2499,7 +2225,46 @@ "add_msisdn_dialog_title": "Додати номер телефону", "name_placeholder": "Немає псевдоніма", "error_saving_profile_title": "Не вдалося зберегти ваш профіль", - "error_saving_profile": "Неможливо завершити операцію" + "error_saving_profile": "Неможливо завершити операцію", + "error_password_change_unknown": "Невідома помилка зміни пароля (%(stringifiedError)s)", + "error_password_change_403": "Не вдалось змінити пароль. Ви впевнені, що пароль введено правильно?", + "error_password_change_http": "%(errorMessage)s (HTTP-статус %(httpStatus)s)", + "error_password_change_title": "Помилка зміни пароля", + "password_change_success": "Ваш пароль успішно змінено.", + "emails_heading": "Адреси е-пошти", + "msisdns_heading": "Номери телефонів", + "password_change_section": "Встановити новий пароль облікового запису…", + "external_account_management": "Ваші дані облікового запису керуються окремо за адресою %(hostname)s.", + "discovery_needs_terms": "Погодьтесь з Умовами надання послуг сервера ідентифікації (%(serverName)s), щоб дозволити знаходити вас за адресою електронної пошти або за номером телефону.", + "deactivate_section": "Деактивувати обліковий запис", + "account_management_section": "Керування обліковим записом", + "deactivate_warning": "Деактивація вашого облікового запису — це незворотна дія, будьте обережні!", + "discovery_section": "Виявлення", + "error_revoke_email_discovery": "Не вдалось відкликати оприлюднювання адреси е-пошти", + "error_share_email_discovery": "Не вдалося надіслати адресу е-пошти", + "email_not_verified": "Ваша адреса е-пошти ще не підтверджена", + "email_verification_instructions": "Для підтвердження перейдіть за посиланням в отриманому листі й знову натисніть «Продовжити».", + "error_email_verification": "Не вдалося перевірити адресу е-пошти.", + "discovery_email_verification_instructions": "Перевірте посилання у теці «Вхідні»", + "discovery_email_empty": "Опції знаходження з'являться тут, коли ви додасте е-пошту вгорі.", + "error_revoke_msisdn_discovery": "Не вдалось відкликати оприлюднювання телефонного номеру", + "error_share_msisdn_discovery": "Не вдалося надіслати телефонний номер", + "error_msisdn_verification": "Не вдалося перевірити номер телефону.", + "incorrect_msisdn_verification": "Неправильний код перевірки", + "msisdn_verification_instructions": "Введіть код перевірки, надісланий у текстовому повідомленні.", + "msisdn_verification_field_label": "Код перевірки", + "discovery_msisdn_empty": "Опції знаходження з'являться тут, коли ви додасте номер телефону вгорі.", + "error_set_name": "Не вдалося налаштувати псевдонім", + "error_remove_3pid": "Не вдалося вилучити контактні дані", + "remove_email_prompt": "Вилучити %(email)s?", + "error_invalid_email": "Хибна адреса е-пошти", + "error_invalid_email_detail": "Здається це неправильна адреса е-пошти", + "error_add_email": "Не вдалося додати адресу е-пошти", + "add_email_instructions": "Ми надіслали лист, щоб підтвердити вашу е-пошту. Виконайте інструкції в ньому й натисніть кнопку нижче.", + "email_address_label": "Адреса е-пошти", + "remove_msisdn_prompt": "Вилучити %(phone)s?", + "add_msisdn_instructions": "Текстове повідомлення надіслано на номер +%(msisdn)s. Введіть код перевірки з нього.", + "msisdn_label": "Телефонний номер" }, "sidebar": { "title": "Бічна панель", @@ -2512,6 +2277,58 @@ "metaspaces_orphans_description": "Групуйте всі свої кімнати, не приєднані до простору, в одному місці.", "metaspaces_home_all_rooms_description": "Показати всі кімнати в домівці, навіть ті, що належать до просторів.", "metaspaces_home_all_rooms": "Показати всі кімнати" + }, + "key_backup": { + "backup_in_progress": "Створюється резервна копія ваших ключів (перше копіювання може тривати кілька хвилин).", + "backup_starting": "Запуск резервного копіювання…", + "backup_success": "Успішно!", + "create_title": "Створити резервну копію ключів", + "cannot_create_backup": "Не вдалося створити резервну копію ключів", + "setup_secure_backup": { + "generate_security_key_title": "Згенерувати ключ безпеки", + "generate_security_key_description": "Ми створимо ключ безпеки. Зберігайте його в надійному місці, скажімо в менеджері паролів чи сейфі.", + "enter_phrase_title": "Ввести фразу безпеки", + "description": "Захистіться від втрати доступу до зашифрованих повідомлень і даних створенням резервної копії ключів шифрування на своєму сервері.", + "requires_password_confirmation": "Введіть пароль вашого облікового запису щоб підтвердити поліпшення:", + "requires_key_restore": "Відновіть резервну копію вашого ключа, щоб поліпшити шифрування", + "requires_server_authentication": "Ви матимете пройти розпізнання на сервері, щоб підтвердити поліпшення.", + "session_upgrade_description": "Поліпшіть цей сеанс, щоб уможливити звірення інших сеансів, надаючи їм доступ до зашифрованих повідомлень та позначаючи їх довіреними для інших користувачів.", + "enter_phrase_description": "Введіть фразу безпеки, відому лише вам, бо вона оберігатиме ваші дані. Задля безпеки, використайте щось інше ніж пароль вашого облікового запису.", + "phrase_strong_enough": "Чудово! Фраза безпеки досить надійна.", + "pass_phrase_match_success": "Збіг!", + "use_different_passphrase": "Використати іншу парольну фразу?", + "pass_phrase_match_failed": "Не збігається.", + "set_phrase_again": "Поверніться, щоб налаштувати заново.", + "enter_phrase_to_confirm": "Введіть свою фразу безпеки ще раз для підтвердження.", + "confirm_security_phrase": "Підтвердьте свою фразу безпеки", + "security_key_safety_reminder": "Зберігайте ключ безпеки в надійному місці, скажімо в менеджері паролів чи сейфі, бо ключ оберігає ваші зашифровані дані.", + "download_or_copy": "%(downloadButton)s або %(copyButton)s", + "backup_setup_success_description": "На цьому пристрої створюється резервна копія ваших ключів.", + "backup_setup_success_title": "Безпечне резервне копіювання виконано успішно", + "secret_storage_query_failure": "Не вдалося дізнатися стан таємного сховища", + "cancel_warning": "Якщо скасуєте це й загубите пристрій, то втратите зашифровані повідомлення й дані.", + "settings_reminder": "Ввімкнути захищене резервне копіювання й керувати своїми ключами можна в налаштуваннях.", + "title_upgrade_encryption": "Поліпшити ваше шифрування", + "title_set_phrase": "Вкажіть фразу безпеки", + "title_confirm_phrase": "Підвердьте фразу безпеки", + "title_save_key": "Збережіть свій ключ безпеки", + "unable_to_setup": "Не вдалося налаштувати таємне сховище", + "use_phrase_only_you_know": "Захистіть резервну копію відомою лише вам таємною фразою. Можете також зберегти ключ безпеки." + } + }, + "key_export_import": { + "export_title": "Експортувати ключі кімнат", + "export_description_1": "Це дає змогу експортувати в локальний файл ключі до повідомлень, отриманих вами в зашифрованих кімнатах. Тоді ви зможете імпортувати файл до іншого клієнта Matrix у майбутньому, і той клієнт також зможе розшифрувати ці повідомлення.", + "export_description_2": "Експортований файл дозволить будь-кому, хто зможе його прочитати, розшифрувати будь-які зашифровані повідомлення, які ви бачите, тому ви повинні бути обережними, щоб зберегти його в безпеці. Щоб зробити це, вам слід ввести унікальну парольну фразу нижче, яка буде використовуватися тільки для шифрування експортованих даних. Імпортувати дані можна буде лише за допомогою тієї ж самої парольної фрази.", + "enter_passphrase": "Введіть парольну фразу", + "phrase_strong_enough": "Чудово! Цю парольна фраза видається достатньо надійною", + "confirm_passphrase": "Підтвердьте парольну фразу", + "phrase_cannot_be_empty": "Парольна фраза обов'язкова", + "phrase_must_match": "Парольні фрази мають збігатися", + "import_title": "Імпортувати ключі кімнат", + "import_description_1": "Це дає змогу імпортувати ключі шифрування, які ви раніше експортували з іншого клієнта Matrix. Тоді ви зможете розшифрувати будь-які повідомлення, які міг розшифровувати той клієнт.", + "import_description_2": "Введіть пароль для захисту експортованого файлу. Щоб розшифрувати файл потрібно буде ввести цей пароль.", + "file_to_import": "Файл для імпорту" } }, "devtools": { @@ -3023,7 +2840,19 @@ "collapse_reply_thread": "Згорнути відповіді", "view_related_event": "Переглянути пов'язані події", "report": "Поскаржитися" - } + }, + "url_preview": { + "show_n_more": { + "one": "Показати %(count)s інший попередній перегляд", + "other": "Показати %(count)s інших попередніх переглядів" + }, + "close": "Закрити попередній перегляд" + }, + "read_receipt_title": { + "one": "Переглянули %(count)s осіб", + "other": "Переглянули %(count)s людей" + }, + "read_receipts_label": "Звіти про прочитання" }, "slash_command": { "spoiler": "Надсилає вказане повідомлення згорненим", @@ -3290,7 +3119,14 @@ "permissions_section_description_room": "Виберіть ролі, необхідні для зміни різних частин кімнати", "add_privileged_user_heading": "Додати привілейованих користувачів", "add_privileged_user_description": "Надайте одному або кільком користувачам у цій кімнаті більше повноважень", - "add_privileged_user_filter_placeholder": "Пошук користувачів у цій кімнаті…" + "add_privileged_user_filter_placeholder": "Пошук користувачів у цій кімнаті…", + "error_unbanning": "Не вдалося розблокувати", + "banned_by": "Блокує %(displayName)s", + "ban_reason": "Причина", + "error_changing_pl_reqs_title": "Помилка під час зміни вимог до рівня повноважень", + "error_changing_pl_reqs_description": "Під час зміни вимог рівня повноважень кімнати трапилась помилка. Переконайтесь, що ви маєте необхідні дозволи і спробуйте ще раз.", + "error_changing_pl_title": "Помилка під час зміни рівня повноважень", + "error_changing_pl_description": "Під час зміни рівня повноважень користувача трапилась помилка. Переконайтесь, що ви маєте необхідні дозволи і спробуйте ще раз." }, "security": { "strict_encryption": "Ніколи не надсилати зашифровані повідомлення до незвірених сеансів у цій кімнаті з цього сеансу", @@ -3345,7 +3181,9 @@ "join_rule_upgrade_updating_spaces": { "one": "Оновлення простору...", "other": "Оновлення просторів... (%(progress)s із %(count)s)" - } + }, + "error_join_rule_change_title": "Не вдалося оновити правила приєднання", + "error_join_rule_change_unknown": "Невідомий збій" }, "general": { "publish_toggle": "Опублікувати цю кімнату для всіх у каталозі кімнат %(domain)s?", @@ -3359,7 +3197,9 @@ "error_save_space_settings": "Не вдалося зберегти налаштування простору.", "description_space": "Змінити налаштування, що стосуються вашого простору.", "save": "Зберегти зміни", - "leave_space": "Вийти з простору" + "leave_space": "Вийти з простору", + "aliases_section": "Адреси кімнати", + "other_section": "Інше" }, "advanced": { "unfederated": "Ця кімната недоступна для віддалених серверів Matrix", @@ -3370,7 +3210,9 @@ "room_predecessor": "Перегляд давніших повідомлень у %(roomName)s.", "room_id": "Внутрішній ID кімнати", "room_version_section": "Версія кімнати", - "room_version": "Версія кімнати:" + "room_version": "Версія кімнати:", + "information_section_space": "Відомості про простір", + "information_section_room": "Відомості про кімнату" }, "delete_avatar_label": "Видалити аватар", "upload_avatar_label": "Вивантажити аватар", @@ -3384,11 +3226,32 @@ "history_visibility_anyone_space": "Попередній перегляд простору", "history_visibility_anyone_space_description": "Дозвольте людям переглядати ваш простір, перш ніж вони приєднаються.", "history_visibility_anyone_space_recommendation": "Рекомендовано для загальнодоступних просторів.", - "guest_access_label": "Увімкнути гостьовий доступ" + "guest_access_label": "Увімкнути гостьовий доступ", + "alias_section": "Адреса" }, "access": { "title": "Доступ", "description_space": "Визначте хто може переглядати та приєднатися до %(spaceName)s." + }, + "bridges": { + "description": "Ця кімната передає повідомлення на такі платформи. Докладніше.", + "empty": "Ця кімната не передає повідомлень на жодні платформи. Докладніше.", + "title": "Мости" + }, + "notifications": { + "uploaded_sound": "Вивантажені звуки", + "settings_link": "Отримувати сповіщення відповідно до ваших налаштувань", + "sounds_section": "Звуки", + "notification_sound": "Звуки сповіщень", + "custom_sound_prompt": "Указати нові власні звуки", + "upload_sound_label": "Вивантажити власний звук", + "browse_button": "Огляд" + }, + "voip": { + "enable_element_call_label": "Увімкнути %(brand)s додатковою опцією викликів у цій кімнаті", + "enable_element_call_caption": "%(brand)s наскрізно зашифровано, але наразі обмежений меншою кількістю користувачів.", + "enable_element_call_no_permissions_tooltip": "Ви не маєте достатніх повноважень, щоб змінити це.", + "call_type_section": "Тип викликів" } }, "encryption": { @@ -3423,7 +3286,19 @@ "unverified_session_toast_accept": "Так, це я", "request_toast_detail": "%(deviceId)s з %(ip)s", "request_toast_decline_counter": "Ігнорувати (%(counter)s)", - "request_toast_accept": "Звірити сеанс" + "request_toast_accept": "Звірити сеанс", + "no_key_or_device": "Схоже, у вас немає ключа безпеки або будь-яких інших пристроїв, які ви можете підтвердити. Цей пристрій не зможе отримати доступ до старих зашифрованих повідомлень. Щоб підтвердити свою справжність на цьому пристрої, вам потрібно буде скинути ключі перевірки.", + "reset_proceed_prompt": "Продовжити скидання", + "verify_using_key_or_phrase": "Підтвердити ключем чи фразою безпеки", + "verify_using_key": "Підтвердити ключем безпеки", + "verify_using_device": "Звірити за допомогою іншого пристрою", + "verification_description": "Підтвердьте свою особу, щоб отримати доступ до зашифрованих повідомлень і довести свою справжність іншим.", + "verification_success_with_backup": "Ваш новий пристрій звірено. Він має доступ до ваших зашифрованих повідомлень, а інші користувачі бачитимуть його довіреним.", + "verification_success_without_backup": "Ваш новий пристрій звірено. Інші користувачі бачитимуть його довіреним.", + "verification_skip_warning": "До звірки ви матимете доступ не до всіх своїх повідомлень, а в інших ви можете позначатися недовіреними.", + "verify_later": "Звірю пізніше", + "verify_reset_warning_1": "Скидання ключів звірки неможливо скасувати. Після скидання, ви втратите доступ до старих зашифрованих повідомлень, а всі друзі, які раніше вас звіряли, бачитимуть застереження безпеки, поки ви не проведете звірку з ними знову.", + "verify_reset_warning_2": "Будь ласка, продовжуйте лише в разі втрати всіх своїх інших пристроїв та ключа безпеки." }, "old_version_detected_title": "Виявлено старі криптографічні дані", "old_version_detected_description": "Було виявлено дані зі старої версії %(brand)s. Це призведе до збоїння наскрізного шифрування у старій версії. Наскрізно зашифровані повідомлення, що обмінювані нещодавно, під час використання старої версії, можуть бути недешифровними у цій версії. Це може призвести до збоїв повідомлень, обмінюваних також і з цією версією. У разі виникнення проблем вийдіть з програми та зайдіть знову. Задля збереження історії повідомлень експортуйте та переімпортуйте ваші ключі.", @@ -3444,7 +3319,19 @@ "cross_signing_ready_no_backup": "Перехресне підписування готове, але резервна копія ключів не створюється.", "cross_signing_untrusted": "Ваш обліковий запис має перехресне підписування особи у таємному сховищі, але цей сеанс йому ще не довіряє.", "cross_signing_not_ready": "Перехресне підписування не налаштовано.", - "not_supported": "<не підтримується>" + "not_supported": "<не підтримується>", + "new_recovery_method_detected": { + "title": "Новий метод відновлення", + "description_1": "Виявлено зміну фрази безпеки й ключа до захищених повідомлень.", + "description_2": "Цей сеанс зашифровує історію новим відновлювальним засобом.", + "warning": "Якщо ви не встановлювали нового способу відновлення, ймовірно хтось намагається зламати ваш обліковий запис. Негайно змініть пароль до свого облікового запису й встановіть новий спосіб відновлення в налаштуваннях." + }, + "recovery_method_removed": { + "title": "Відновлювальний засіб було видалено", + "description_1": "Цей сеанс виявив, що ваша фраза безпеки й ключ до захищених повідомлень були видалені.", + "description_2": "Якщо це ненароком зробили ви, налаштуйте захищені повідомлення для цього сеансу, щоб повторно зашифрувати історію листування цього сеансу з новим способом відновлення.", + "warning": "Якщо ви не видаляли способу відновлення, ймовірно хтось намагається зламати ваш обліковий запис. Негайно змініть пароль до свого облікового запису й встановіть новий спосіб відновлення в налаштуваннях." + } }, "emoji": { "category_frequently_used": "Часто використовувані", @@ -3626,7 +3513,11 @@ "autodiscovery_unexpected_error_is": "Незрозуміла помилка при розборі параметру сервера ідентифікації", "autodiscovery_hs_incompatible": "Ваш домашній сервер застарілий і не підтримує мінімально необхідну версію API. Будь ласка, зв'яжіться з власником вашого сервера або оновіть його.", "incorrect_credentials_detail": "Зауважте, ви входите на сервер %(hs)s, не на matrix.org.", - "create_account_title": "Створити обліковий запис" + "create_account_title": "Створити обліковий запис", + "failed_soft_logout_homeserver": "Не вдалося перезайти через проблему з домашнім сервером", + "soft_logout_subheading": "Очистити особисті дані", + "soft_logout_warning": "Попередження: ваші особисті дані ( включно з ключами шифрування) досі зберігаються в цьому сеансі. Очистьте їх, якщо ви завершили роботу в цьому сеансі або хочете увійти в інший обліковий запис.", + "forgot_password_send_email": "Надіслати електронний лист" }, "room_list": { "sort_unread_first": "Спочатку показувати кімнати з непрочитаними повідомленнями", @@ -3643,7 +3534,23 @@ "notification_options": "Параметри сповіщень", "failed_set_dm_tag": "Не вдалося встановити мітку особистого повідомлення", "failed_remove_tag": "Не вдалося прибрати з кімнати мітку %(tagName)s", - "failed_add_tag": "Не вдалось додати до кімнати мітку %(tagName)s" + "failed_add_tag": "Не вдалось додати до кімнати мітку %(tagName)s", + "breadcrumbs_label": "Недавно відвідані кімнати", + "breadcrumbs_empty": "Немає недавно відвіданих кімнат", + "add_room_label": "Додати кімнату", + "suggested_rooms_heading": "Пропоновані кімнати", + "add_space_label": "Додати простір", + "join_public_room_label": "Приєднатись до загальнодоступної кімнати", + "joining_rooms_status": { + "one": "Приєднання до %(count)s кімнати", + "other": "Приєднання до %(count)s кімнат" + }, + "redacting_messages_status": { + "one": "Триває видалення повідомлень в %(count)s кімнаті", + "other": "Триває видалення повідомлень у %(count)s кімнатах" + }, + "space_menu_label": "%(spaceName)s — меню", + "home_menu_label": "Параметри домівки" }, "report_content": { "missing_reason": "Будь ласка, вкажіть, чому ви скаржитеся.", @@ -3901,7 +3808,8 @@ "search_children": "Пошук %(spaceName)s", "invite_link": "Надіслати запрошувальне посилання", "invite": "Запросити людей", - "invite_description": "Запросити за допомогою е-пошти або імені користувача" + "invite_description": "Запросити за допомогою е-пошти або імені користувача", + "invite_this_space": "Запросити до цього простору" }, "location_sharing": { "MapStyleUrlNotConfigured": "Цей домашній сервер не налаштовано на показ карт.", @@ -3957,7 +3865,8 @@ "lists_heading": "Підписані списки", "lists_description_1": "Підписавшись на список блокування ви приєднаєтесь до нього!", "lists_description_2": "Якщо вас це не влаштовує, спробуйте інший інструмент для ігнорування користувачів.", - "lists_new_label": "ID кімнати або адреса списку блокування" + "lists_new_label": "ID кімнати або адреса списку блокування", + "rules_empty": "Вимкнено" }, "create_space": { "name_required": "Будь ласка, введіть назву простору", @@ -4059,8 +3968,80 @@ "forget": "Забути кімнату", "mark_read": "Позначити прочитаним", "notifications_default": "Збігається з типовим налаштуванням", - "notifications_mute": "Вимкнути сповіщення кімнати" - } + "notifications_mute": "Вимкнути сповіщення кімнати", + "title": "Параметри кімнати" + }, + "invite_this_room": "Запросити до цієї кімнати", + "header": { + "video_call_button_jitsi": "Відеовиклик (Jitsi)", + "video_call_button_ec": "Відеовиклик (%(brand)s)", + "video_call_ec_layout_freedom": "Свобода", + "video_call_ec_layout_spotlight": "У фокусі", + "video_call_ec_change_layout": "Змінити макет", + "forget_room_button": "Забути кімнату", + "hide_widgets_button": "Сховати віджети", + "show_widgets_button": "Показати віджети", + "close_call_button": "Закрити виклик", + "video_room_view_chat_button": "Переглянути стрічку бесіди" + }, + "error_3pid_invite_email_lookup": "Не вдалося знайти користувача за адресою електронної пошти", + "joining_space": "Приєднання до простору…", + "joining_room": "Приєднання до кімнати…", + "joining": "Приєднання…", + "rejecting": "Відхилення запрошення…", + "join_title": "Приєднуйтеся до кімнати, щоб взяти участь", + "join_title_account": "Приєднатись до бесіди з обліковим записом", + "join_button_account": "Зареєструватися", + "loading_preview": "Завантаження попереднього перегляду", + "kicked_from_room_by": "%(memberName)s вилучає вас із %(roomName)s", + "kicked_by": "Вас вилучено користувачем %(memberName)s", + "kick_reason": "Причина: %(reason)s", + "forget_space": "Забути цей простір", + "forget_room": "Забути цю кімнату", + "rejoin_button": "Перепід'єднатись", + "banned_from_room_by": "%(memberName)s блокує вас у %(roomName)s", + "banned_by": "Вас заблоковано користувачем %(memberName)s", + "3pid_invite_error_title_room": "Щось пішло не так з вашим запрошенням до %(roomName)s", + "3pid_invite_error_title": "Сталася помилка під час запрошення.", + "3pid_invite_error_description": "Під час спроби перевірити ваше запрошення було повернуто помилку (%(errcode)s). Ви можете спробувати передати цю інформацію особі, яка вас запросила.", + "3pid_invite_error_invite_subtitle": "Приєднатися можна лише за дійсним запрошенням.", + "3pid_invite_error_invite_action": "Все одно спробувати приєднатися", + "3pid_invite_error_public_subtitle": "Ви досі можете приєднатися сюди.", + "join_the_discussion": "Приєднатися до обговорення", + "3pid_invite_email_not_found_account_room": "Це запрошення до %(roomName)s було надіслане на %(email)s, яка не пов'язана з вашим обліковим записом", + "3pid_invite_email_not_found_account": "Це запрошення надіслано на %(email)s, яка не пов’язана з вашим обліковим записом", + "link_email_to_receive_3pid_invite": "Пов'яжіть цю е-пошту з вашим обліковим записом у Налаштуваннях, щоб отримувати запрошення безпосередньо в %(brand)s.", + "invite_sent_to_email_room": "Це запрошення до %(roomName)s було надіслане на %(email)s", + "invite_sent_to_email": "Це запрошення було надіслано на %(email)s", + "3pid_invite_no_is_subtitle": "Використовувати сервер ідентифікації у Налаштуваннях, щоб отримувати запрошення безпосередньо в %(brand)s.", + "invite_email_mismatch_suggestion": "Поширте цю адресу е-пошти у налаштуваннях, щоб отримувати запрошення безпосередньо в %(brand)s.", + "dm_invite_title": "Бажаєте поговорити з %(user)s?", + "dm_invite_subtitle": " бажає поговорити", + "dm_invite_action": "Почати спілкування", + "invite_title": "Бажаєте приєднатися до %(roomName)s?", + "invite_subtitle": " запрошує вас", + "invite_reject_ignore": "Відхилити й нехтувати користувачем", + "peek_join_prompt": "Ви попередньо переглядаєте %(roomName)s. Бажаєте приєднатися?", + "no_peek_join_prompt": "Попередній перегляд %(roomName)s недоступний. Бажаєте приєднатися?", + "no_peek_no_name_join_prompt": "Попереднього перегляду немає, бажаєте приєднатися?", + "not_found_title_name": "%(roomName)s не існує.", + "not_found_title": "Такої кімнати або простору не існує.", + "not_found_subtitle": "Ви впевнені, що перебуваєте в потрібному місці?", + "inaccessible_name": "%(roomName)s зараз офлайн.", + "inaccessible": "Ця кімната або простір на разі не доступні.", + "inaccessible_subtitle_1": "Повторіть спробу пізніше, або запитайте у кімнати або простору перевірку, чи маєте ви доступ.", + "inaccessible_subtitle_2": "Під час спроби отримати доступ до кімнати або простору було повернено помилку %(errcode)s. Якщо ви думаєте, що ви бачите це повідомлення помилково, будь ласка, надішліть звіт про помилку.", + "knock_prompt_name": "Надіслати запит на приєднання до %(roomName)s?", + "knock_prompt": "Надіслати запит на приєднання?", + "knock_subtitle": "Щоб переглянути або взяти участь у розмові, вам необхідно отримати доступ до цієї кімнати. Ви можете надіслати запит на приєднання нижче.", + "knock_message_field_placeholder": "Повідомлення (необов'язково)", + "knock_send_action": "Запитати доступ", + "knock_sent": "Запит на приєднання надіслано", + "knock_sent_subtitle": "Ваш запит на приєднання очікує на розгляд.", + "knock_cancel_action": "Скасувати запит", + "join_failed_needs_invite": "Щоб переглядати %(roomName)s, потрібне запрошення", + "view_failed_enable_video_rooms": "Щоб переглянути, спочатку ввімкніть відеокімнати в експериментальних функціях", + "join_failed_enable_video_rooms": "Щоб приєднатися, спочатку ввімкніть відеокімнати в експериментальних функціях" }, "file_panel": { "guest_note": "Зареєструйтеся, щоб скористатись цим функціоналом", @@ -4212,7 +4193,15 @@ "keyword_new": "Нове ключове слово", "class_global": "Глобально", "class_other": "Інше", - "mentions_keywords": "Згадки та ключові слова" + "mentions_keywords": "Згадки та ключові слова", + "default": "Типовий", + "all_messages": "Усі повідомлення", + "all_messages_description": "Отримувати сповіщення про кожне повідомлення", + "mentions_and_keywords": "@згадки й ключові слова", + "mentions_and_keywords_description": "Отримувати лише вказані у ваших налаштуваннях згадки й ключові слова", + "mute_description": "Ви не отримуватимете жодних сповіщень", + "email_pusher_app_display_name": "Сповіщення е-поштою", + "message_didnt_send": "Повідомлення не надіслане. Натисніть, щоб дізнатись більше." }, "mobile_guide": { "toast_title": "Використовуйте застосунок для зручності", @@ -4238,6 +4227,44 @@ "integration_manager": { "connecting": "Під'єднання до менеджера інтеграцій…", "error_connecting_heading": "Не вдалося з'єднатися з менеджером інтеграцій", - "error_connecting": "Менеджер інтеграцій не під'єднаний або не може зв'язатися з вашим домашнім сервером." + "error_connecting": "Менеджер інтеграцій не під'єднаний або не може зв'язатися з вашим домашнім сервером.", + "use_im_default": "Використовувати менеджер інтеграцій %(serverName)s для керування ботами, віджетами й пакунками наліпок.", + "use_im": "Використовувати менеджер інтеграцій для керування ботами, віджетами й пакунками наліпок.", + "manage_title": "Керування інтеграціями", + "explainer": "Менеджери інтеграцій отримують дані конфігурації та можуть змінювати віджети, надсилати запрошення у кімнати й установлювати рівні повноважень від вашого імені." + }, + "identity_server": { + "url_not_https": "URL-адреса сервера ідентифікації повинна починатися з HTTPS", + "error_invalid": "Хибний сервер ідентифікації (код статусу %(code)s)", + "error_connection": "Не вдалося під'єднатися до сервера ідентифікації", + "checking": "Перевірка сервера", + "change": "Змінити сервер ідентифікації", + "change_prompt": "Від'єднатися від сервера ідентифікації й натомість під'єднатися до ?", + "error_invalid_or_terms": "Умови користування не прийнято або сервер ідентифікації недійсний.", + "no_terms": "Вибраний вами сервер ідентифікації не містить жодних умов користування.", + "disconnect": "Від'єднатися від сервера ідентифікації", + "disconnect_server": "Від'єднатися від сервера ідентифікації ?", + "disconnect_offline_warning": "Слід вилучити ваші особисті дані з сервера ідентифікації , перш ніж від'єднатися. На жаль, сервер ідентифікації зараз офлайн чи недоступний.", + "suggestions": "Вам варто:", + "suggestions_1": "перевірити плагіни браузера на наявність будь-чого, що може заблокувати сервер ідентифікації (наприклад, Privacy Badger)", + "suggestions_2": "зв'язатися з адміністратором сервера ідентифікації ", + "suggestions_3": "зачекати та повторити спробу пізніше", + "disconnect_anyway": "Відключити в будь-якому випадку", + "disconnect_personal_data_warning_1": "Сервер ідентифікації досі поширює ваші особисті дані.", + "disconnect_personal_data_warning_2": "Радимо вилучити адреси е-пошти й номери телефонів із сервера ідентифікації, перш ніж від'єднатися.", + "url": "Сервер ідентифікації (%(server)s)", + "description_connected": "Зараз дозволяє вам знаходити контакти, а контактам вас. Можете змінити сервер ідентифікації нижче.", + "change_server_prompt": "Якщо ви не бажаєте використовувати , щоб знаходити наявні контакти й щоб вони вас знаходили, введіть інший сервер ідентифікації нижче.", + "description_disconnected": "Зараз ви не використовуєте сервер ідентифікації. Щоб знайти наявні контакти й вони могли знайти вас, додайте його нижче.", + "disconnect_warning": "Після від'єднання від сервера ідентифікації вас більше не знаходитимуть інші користувачі, а ви не зможете запрошувати інших е-поштою чи телефоном.", + "description_optional": "Використовувати сервер ідентифікації необов'язково. Якщо ви вирішите не використовувати сервер ідентифікації, інші користувачі не зможуть вас знаходити, а ви не зможете запрошувати інших за е-поштою чи телефоном.", + "do_not_use": "Не використовувати сервер ідентифікації", + "url_field_label": "Введіть новий сервер ідентифікації" + }, + "member_list": { + "invite_button_no_perms_tooltip": "У вас немає дозволу запрошувати користувачів", + "invited_list_heading": "Запрошено", + "filter_placeholder": "Відфільтрувати учасників кімнати", + "power_label": "%(userName)s (повноваження %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/vi.json b/src/i18n/strings/vi.json index ae03074126..fd7e1a1ada 100644 --- a/src/i18n/strings/vi.json +++ b/src/i18n/strings/vi.json @@ -1,5 +1,4 @@ { - "Permission Required": "Yêu cầu Cấp quyền", "Send": "Gửi", "Sun": "Chủ Nhật", "Mon": "Thứ Hai", @@ -26,12 +25,9 @@ "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)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 %(fullYear)s %(time)s": "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s", - "Default": "Mặc định", "Restricted": "Bị hạn chế", "Moderator": "Điều phối viên", - "Reason": "Lý do", "%(items)s and %(lastItem)s": "%(items)s và %(lastItem)s", - "Explore rooms": "Khám phá các phòng", "Vietnam": "Việt Nam", "Are you sure?": "Bạn có chắc không?", "Confirm Removal": "Xác nhận Loại bỏ", @@ -40,56 +36,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?", - "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ếu bạn không xóa phương pháp khôi phục, kẻ tấn công có thể đang cố truy cập vào tài khoản của bạn. Thay đổi mật khẩu tài khoản của bạn và đặt phương pháp khôi phục mới ngay lập tức trong Cài đặt.", - "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.": "Nếu bạn vô tình làm điều này, bạn có thể Cài đặt Tin nhắn được bảo toàn trên phiên này. Tính năng này sẽ mã hóa lại lịch sử tin nhắn của phiên này bằng một phương pháp khôi phục mới.", - "This session has detected that your Security Phrase and key for Secure Messages have been removed.": "Phiên này đã phát hiện rằng Cụm từ bảo mật và khóa cho Tin nhắn an toàn của bạn đã bị xóa.", - "Recovery Method Removed": "Phương thức Khôi phục đã bị xóa", - "Set up Secure Messages": "Cài đặt Tin nhắn được bảo toàn", - "Go to Settings": "Đi tới Cài đặt", - "This session is encrypting history using the new recovery method.": "Phiên này đang mã hóa lịch sử bằng phương pháp khôi phục mới.", - "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.": "Nếu bạn không đặt phương pháp khôi phục mới, kẻ tấn công có thể đang cố truy cập vào tài khoản của bạn. Thay đổi mật khẩu tài khoản của bạn và đặt phương pháp khôi phục mới ngay lập tức trong Cài đặt.", - "A new Security Phrase and key for Secure Messages have been detected.": "Đã phát hiện thấy Cụm từ bảo mật và khóa mới cho Tin nhắn an toàn.", - "New Recovery Method": "Phương pháp Khôi phục mới", - "File to import": "Tệp để nhập", - "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "Tệp xuất sẽ được bảo vệ bằng cụm mật khẩu. Bạn nên nhập cụm mật khẩu vào đây để giải mã tệp.", - "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.": "Quá trình này cho phép bạn nhập các khóa mã hóa mà bạn đã xuất trước đó từ một ứng dụng khách Matrix khác. Sau đó, bạn sẽ có thể giải mã bất kỳ thông báo nào mà ứng dụng khách khác có thể giải mã.", - "Import room keys": "Nhập các mã khoá phòng", - "Confirm passphrase": "Xác nhận cụm mật khẩu", - "Enter passphrase": "Nhập cụm mật khẩu", - "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.": "Quá trình này cho phép bạn xuất khóa cho các tin nhắn bạn đã nhận được trong các phòng được mã hóa sang một tệp cục bộ. Sau đó, bạn sẽ có thể nhập tệp vào ứng dụng khách Matrix khác trong tương lai, do đó ứng dụng khách đó cũng sẽ có thể giải mã các thông báo này.", - "Export room keys": "Xuất các mã khoá phòng", - "Passphrase must not be empty": "Cụm mật khẩu không được để trống", - "Passphrases must match": "Cụm mật khẩu phải khớp", - "Unable to set up secret storage": "Không thể thiết lập bộ nhớ bí mật", - "Save your Security Key": "Lưu Khóa Bảo mật của bạn", - "Confirm Security Phrase": "Xác nhận cụm từ bảo mật", - "Set a Security Phrase": "Đặt Cụm từ Bảo mật", - "Upgrade your encryption": "Nâng cấp mã hóa của bạn", - "You can also set up Secure Backup & manage your keys in Settings.": "Bạn cũng có thể thiết lập Sao lưu bảo mật và quản lý khóa của mình trong Cài đặt.", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "Nếu bạn hủy ngay bây giờ, bạn có thể mất tin nhắn và dữ liệu được mã hóa nếu bạn mất quyền truy cập vào thông tin đăng nhập của mình.", - "Unable to query secret storage status": "Không thể truy vấn trạng thái lưu trữ bí mật", - "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "Nâng cấp phiên này để cho phép nó xác thực các phiên khác, cấp cho họ quyền truy cập vào các thư được mã hóa và đánh dấu chúng là đáng tin cậy đối với những người dùng khác.", - "You'll need to authenticate with the server to confirm the upgrade.": "Bạn sẽ cần xác thực với máy chủ để xác nhận nâng cấp.", - "Restore your key backup to upgrade your encryption": "Khôi phục bản sao lưu khóa của bạn để nâng cấp mã hóa của bạn", - "Enter your account password to confirm the upgrade:": "Nhập mật khẩu tài khoản của bạn để xác nhận nâng cấp:", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "Bảo vệ chống mất quyền truy cập vào các tin nhắn và dữ liệu được mã hóa bằng cách sao lưu các khóa mã hóa trên máy chủ của bạn.", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "Sử dụng một cụm từ bí mật mà chỉ bạn biết và tùy chọn lưu Khóa bảo mật để sử dụng để sao lưu.", - "Generate a Security Key": "Tạo khóa bảo mật", - "Unable to create key backup": "Không thể tạo bản sao lưu khóa", - "Create key backup": "Tạo bản sao lưu chính", - "Success!": "Thành công!", - "Confirm your Security Phrase": "Xác nhận cụm từ bảo mật của bạn", - "Your keys are being backed up (the first backup could take a few minutes).": "Các khóa của bạn đang được sao lưu (bản sao lưu đầu tiên có thể mất vài phút).", - "Enter your Security Phrase a second time to confirm it.": "Nhập Cụm từ bảo mật của bạn lần thứ hai để xác nhận.", - "Go back to set it again.": "Quay lại để thiết lập lại.", - "That doesn't match.": "Điều đó không phù hợp.", - "Use a different passphrase?": "Sử dụng một cụm mật khẩu khác?", - "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", - "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.", "General failure": "Thất bại chung", "Identity server URL does not appear to be a valid identity server": "URL máy chủ nhận dạng dường như không phải là máy chủ nhận dạng hợp lệ", "Invalid base_url for m.identity_server": "Base_url không hợp lệ cho m.identity_server", @@ -127,7 +73,6 @@ "Delete Widget": "Xóa Widget", "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.", - "Add space": "Thêm space", "Resend %(unsentCount)s reaction(s)": "Gửi lại (các) phản ứng %(unsentCount)s", "Are you sure you want to reject the invitation?": "Bạn có chắc chắn muốn từ chối lời mời không?", "Reject invitation": "Từ chối lời mời", @@ -291,7 +236,6 @@ "Sending": "Đang gửi", "You don't have permission to do this": "Bạn không có quyền làm điều này", " invites you": " mời bạn", - "Private space": "Space riêng tư", "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ả", @@ -328,10 +272,8 @@ "Only people invited will be able to find and join this space.": "Chỉ những người được mời mới có thể tìm và tham gia space này.", "Anyone will be able to find and join this space, not just members of .": "Bất kỳ ai cũng có thể tìm và tham gia space này, không chỉ là thành viên của .", "Anyone in will be able to find and join.": "Bất kỳ ai trong đều có thể tìm và tham gia.", - "Public space": "Space công cộng", "Private space (invite only)": "space riêng tư (chỉ mời)", "Space visibility": "Khả năng hiển thị space", - "Public room": "Phòng công cộng", "Clear all data": "Xóa tất cả dữ liệu", "Clearing all data from this session is permanent. Encrypted messages will be lost unless their keys have been backed up.": "Xóa tất cả dữ liệu khỏi phiên này là vĩnh viễn. Các tin nhắn được mã hóa sẽ bị mất trừ khi các khóa của chúng đã được sao lưu.", "Clear all data in this session?": "Xóa tất cả dữ liệu trong phiên này?", @@ -622,125 +564,22 @@ "This room is running room version , which this homeserver has marked as unstable.": "Phòng này đang chạy phiên bản phòng mà máy chủ này đã đánh dấu là không ổn định unstable.", "This room has already been upgraded.": "Phòng này đã được nâng cấp.", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Việc nâng cấp phòng này sẽ đóng phiên bản hiện tại của phòng và tạo một phòng được nâng cấp có cùng tên.", - "Room options": "Tùy chọn phòng", - "All messages": "Tất cả tin nhắn", - "%(roomName)s is not accessible at this time.": "Không thể truy cập %(roomName)s vào lúc này.", - "%(roomName)s does not exist.": "%(roomName)s không tồn tại.", - "%(roomName)s can't be previewed. Do you want to join it?": "Không thể xem trước %(roomName)s. Bạn có muốn tham gia nó không?", - "You're previewing %(roomName)s. Want to join it?": "Bạn đang xem trước %(roomName)s. Bạn muốn tham gia nó?", - "Reject & Ignore user": "Từ chối & Bỏ qua người dùng", - " invited you": " đã mời bạn", - "Do you want to join %(roomName)s?": "Bạn có muốn tham gia %(roomName)s không?", - "Start chatting": "Bắt đầu trò chuyện", - " wants to chat": " muốn trò chuyện", - "Do you want to chat with %(user)s?": "Bạn có muốn trò chuyện với %(user)s?", - "Share this email in Settings to receive invites directly in %(brand)s.": "Chia sẻ địa chỉ thư điện tử này trong Cài đặt để nhận lời mời trực tiếp trong %(brand)s.", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "Sử dụng máy chủ nhận dạng trong Cài đặt để nhận lời mời trực tiếp trong %(brand)s.", - "This invite to %(roomName)s was sent to %(email)s": "Lời mời đến %(roomName)s này đã được gửi tới %(email)s", - "Link this email with your account in Settings to receive invites directly in %(brand)s.": "Liên kết địa chỉ thư điện tử này với tài khoản của bạn trong Cài đặt để nhận lời mời trực tiếp trong %(brand)s.", - "This invite to %(roomName)s was sent to %(email)s which is not associated with your account": "Lời mời đến %(roomName)s 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", - "Join the discussion": "Tham gia thảo luận", - "Try to join anyway": "Cố gắng tham gia bằng mọi cách", - "You can only join it with a working invite.": "Bạn chỉ có thể tham gia nó với một lời mời làm việc.", "unknown error code": "mã lỗi không xác định", - "Something went wrong with your invite to %(roomName)s": "Đã xảy ra sự cố với lời mời của bạn vào %(roomName)s", - "You were banned from %(roomName)s by %(memberName)s": "Bạn đã bị cấm ở %(roomName)s bởi %(memberName)s", - "Re-join": "Tham gia lại", - "Forget this room": "Quên phòng này đi", - "Reason: %(reason)s": "Lý do: %(reason)s", - "Sign Up": "Đăng Ký", - "Join the conversation with an account": "Tham gia cuộc trò chuyện bằng một tài khoản", - "Suggested Rooms": "Phòng được đề xuất", - "Historical": "Lịch sử", - "Low priority": "Ưu tiên thấp", - "Explore public rooms": "Khám phá các phòng chung", - "Add existing room": "Thêm phòng hiện có", "Create new room": "Tạo phòng mới", - "Add room": "Thêm phòng", - "Rooms": "Phòng", - "Show Widgets": "Hiển thị widget", - "Hide Widgets": "Ẩn widget", - "Forget room": "Quên phòng", "Join Room": "Vào phòng", "(~%(count)s results)": { "one": "(~%(count)s kết quả)", "other": "(~%(count)s kết quả)" }, "Unnamed room": "Phòng không tên", - "No recently visited rooms": "Không có phòng nào được truy cập gần đây", - "Recently visited rooms": "Các phòng đã ghé thăm gần đây", - "Room %(name)s": "Phòng %(name)s", - "Replying": "Đang trả lời", "%(duration)sd": "%(duration)sd", "%(duration)sh": "%(duration)sh", "%(duration)sm": "%(duration)sm", "%(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.", - "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", - "This room has been replaced and is no longer active.": "Phòng này đã được thay thế và không còn hoạt động nữa.", - "The conversation continues here.": "Cuộc trò chuyện tiếp tục tại đây.", "Send voice message": "Gửi tin nhắn thoại", - "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.", - "Error changing power level requirement": "Lỗi khi thay đổi yêu cầu mức nguồn", - "Banned by %(displayName)s": "Bị cấm bởi %(displayName)s", - "Failed to unban": "Không thể bỏ cấm", - "Browse": "Duyệt qua", - "Set a new custom sound": "Đặt âm thanh tùy chỉnh mới", - "Notification sound": "Âm thanh thông báo", - "Sounds": "Âm thanh", - "Uploaded sound": "Đã tải lên âm thanh", - "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 information": "Thông tin phòng", - "Space information": "Thông tin Space", - "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ô", - "No Audio Outputs detected": "Không phát hiện thấy đầu ra âm thanh", - "Audio Output": "Đầu ra âm thanh", - "Request media permissions": "Yêu cầu quyền phương tiện", - "Missing media permissions, click the button below to request.": "Thiếu quyền phương tiện, hãy nhấp vào nút bên dưới để yêu cầu.", - "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "Người quản trị máy chủ của bạn đã vô hiệu hóa mã hóa đầu cuối theo mặc định trong phòng riêng và Tin nhắn trực tiếp.", - "You have no ignored users.": "Bạn không có người dùng bị bỏ qua.", - "Unignore": "Hủy bỏ qua", - "Ignored users": "Người dùng bị bỏ qua", - "None": "Không có", "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.", - "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?", - "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.", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "Sử dụng trình quản lý tích hợp (%(serverName)s) để quản lý bot, tiện ích và gói sticker cảm xúc.", - "Enter a new identity server": "Nhập một máy chủ nhận dạng mới", - "Do not use an identity server": "Không sử dụng máy chủ nhận dạng", - "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.": "Sử dụng máy chủ định danh là tùy chọn. Nếu bạn chọn không sử dụng máy chủ định danh, bạn sẽ không thể bị phát hiện bởi những người dùng khác và bạn sẽ không thể mời người khác qua thư điện tử hoặc số điện thoại.", - "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.": "Ngắt kết nối khỏi máy chủ định danh của bạn sẽ có nghĩa là bạn sẽ không xuất hiện trong tìm kiếm và bạn sẽ không thể mời người khác qua thư điện tử hoặc điện thoại.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Bạn hiện không sử dụng máy chủ nhận dạng. Để khám phá và có thể khám phá các địa chỉ liên hệ hiện có mà bạn biết, hãy thêm một địa chỉ liên hệ bên dưới.", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "Nếu bạn không muốn sử dụng để khám phá và có thể phát hiện ra bởi các liên hệ hiện có mà bạn biết, hãy nhập một máy chủ nhận dạng khác bên dưới.", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Bạn hiện đang sử dụng để khám phá và có thể khám phá những liên hệ hiện có mà bạn biết. Bạn có thể thay đổi máy chủ nhận dạng của mình bên dưới.", - "Identity server (%(server)s)": "Máy chủ định danh (%(server)s)", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "Chúng tôi khuyên bạn nên xóa địa chỉ thư điện tử và số điện thoại của mình khỏi máy chủ định danh trước khi ngắt kết nối.", - "You are still sharing your personal data on the identity server .": "Bạn vẫn đang chia sẻ dữ liệu cá nhân của mình sharing your personal data trên máy chủ nhận dạng .", - "Disconnect anyway": "Vẫn ngắt kết nối", - "wait and try again later": "đợi và thử lại sau", - "contact the administrators of identity server ": "liên hệ với quản trị viên của máy chủ nhận dạng ", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "kiểm tra các plugin trình duyệt của bạn để tìm bất kỳ thứ gì có thể chặn máy chủ nhận dạng (chẳng hạn như Privacy Badger)", - "You should:": "Bạn nên:", - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "Bạn nên xóa dữ liệu cá nhân của mình remove your personal data khỏi máy chủ nhận dạng trước khi ngắt kết nối. Rất tiếc, máy chủ nhận dạng hiện đang ngoại tuyến hoặc không thể kết nối được.", - "Disconnect from the identity server ?": "Ngắt kết nối với máy chủ định danh ?", "They'll still be able to access whatever you're not an admin of.": "Họ sẽ vẫn có thể truy cập vào bất cứ gì mà bạn không phải là quản trị viên.", "Disinvite from %(roomName)s": "Hủy mời từ %(roomName)s", "Demote": "Giáng cấp", @@ -788,15 +627,6 @@ "Room avatar": "Hình đại diện phòng", "Room Topic": "Chủ đề phòng", "Room Name": "Tên phòng", - "Disconnect identity server": "Ngắt kết nối máy chủ định danh", - "The identity server you have chosen does not have any terms of service.": "Máy chủ định danh bạn đã chọn không có bất kỳ điều khoản dịch vụ nào.", - "Terms of service not accepted or the identity server is invalid.": "Điều khoản dịch vụ không được chấp nhận hoặc máy chủ định danh không hợp lệ.", - "Disconnect from the identity server and connect to instead?": "Ngắt kết nối với máy chủ định danh và thay vào đó kết nối với ?", - "Change identity server": "Đổi máy chủ định danh", - "Checking server": "Kiểm tra máy chủ", - "Could not connect to identity server": "Không thể kết nối với máy chủ xác thực", - "Not a valid identity server (status code %(code)s)": "Không phải là một máy chủ định danh hợp lệ (mã trạng thái %(code)s)", - "Identity server URL must be HTTPS": "URL máy chủ định danh phải là HTTPS", "Set up": "Cài đặt", "Back up your keys before signing out to avoid losing them.": "Sao lưu chìa khóa của bạn trước khi đăng xuất để tránh mất chúng.", "Backup version:": "Phiên bản dự phòng:", @@ -804,7 +634,6 @@ "Home": "Nhà", "To join a space you'll need an invite.": "Để tham gia vào một space, bạn sẽ cần một lời mời.", "Create a space": "Tạo một Space", - "Address": "Địa chỉ", "Folder": "Thư mục", "Headphones": "Tai nghe", "Anchor": "Mỏ neo", @@ -868,20 +697,10 @@ "Lion": "Sư tử", "Cat": "Con mèo", "Dog": "Chó", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (chỉ số %(powerLevelNumber)s)", - "Filter room members": "Lọc thành viên phòng", - "Invited": "Đã mời", - "Invite to this space": "Mời vào space này", - "Invite to this room": "Mời vào phòng này", "and %(count)s others...": { "one": "và một cái khác…", "other": "và %(count)s khác…" }, - "Close preview": "Đóng bản xem trước", - "Show %(count)s other previews": { - "one": "Hiển thị %(count)s bản xem trước khác", - "other": "Hiển thị %(count)s bản xem trước khác" - }, "Scroll to most recent messages": "Di chuyển đến các tin nhắn gần đây nhất", "Failed to send": "Gửi thất bại", "Your message was sent": "Tin nhắn của bạn đã được gửi đi", @@ -901,38 +720,10 @@ "You have verified this user. This user has verified all of their sessions.": "Bạn đã xác thực người dùng này. Người dùng này đã xác thực tất cả các phiên của họ.", "You have not verified this user.": "Bạn chưa xác thực người dùng này.", "This user has not verified all of their sessions.": "Người dùng này chưa xác thực tất cả các phiên của họ.", - "Phone Number": "Số điện thoại", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "Một tin nhắn văn bản đã được gửi tới +%(msisdn)s. Vui lòng nhập mã xác minh trong đó.", - "Remove %(phone)s?": "Xóa %(phone)s?", - "Email Address": "Địa chỉ thư điện tử", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "Chúng tôi đã gửi cho bạn một thư điện tử để xác minh địa chỉ của bạn. Vui lòng làm theo hướng dẫn ở đó và sau đó nhấp vào nút bên dưới.", - "Unable to add email address": "Không thể thêm địa chỉ địa chỉ thư điện tử", - "This doesn't appear to be a valid email address": "Đây có vẻ không phải là một địa chỉ thư điện tử hợp lệ", - "Invalid Email Address": "Địa chỉ thư điện tử không hợp lệ", - "Remove %(email)s?": "Xóa %(email)s?", - "Unable to remove contact information": "Không thể xóa thông tin liên hệ", - "Discovery options will appear once you have added a phone number above.": "Các tùy chọn khám phá sẽ xuất hiện khi bạn đã thêm số điện thoại ở trên.", - "Verification code": "Mã xác nhận", - "Please enter verification code sent via text.": "Vui lòng nhập mã xác minh được gửi qua văn bản.", - "Incorrect verification code": "Mã xác minh không chính xác", - "Unable to verify phone number.": "Không thể xác minh số điện thoại.", - "Unable to share phone number": "Không thể chia sẻ số điện thoại", - "Unable to revoke sharing for phone number": "Không thể thu hồi chia sẻ cho số điện thoại", - "Discovery options will appear once you have added an email above.": "Tùy chọn khám phá sẽ xuất hiện khi nào bạn đã thêm địa chỉ thư điện tử.", - "Verify the link in your inbox": "Xác minh liên kết trong hộp thư đến của bạn", - "Unable to verify email address.": "Không thể xác minh địa chỉ thư điện tử.", - "Click the link in the email you received to verify and then click continue again.": "Nhấp vào liên kết trong thư điện tử bạn nhận được để xác minh và sau đó nhấp lại tiếp tục.", - "Your email address hasn't been verified yet": "Địa chỉ thư điện tử của bạn chưa được xác minh", - "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ử", - "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", "IRC display name width": "Chiều rộng tên hiển thị IRC", "Ok": "OK", "Your homeserver has exceeded one of its resource limits.": "Máy chủ của bạn đã vượt quá một trong các giới hạn tài nguyên của nó.", "Your homeserver has exceeded its user limit.": "Máy chủ của bạn đã vượt quá giới hạn người dùng của nó.", - "Failed to set display name": "Không đặt được tên hiển thị", - "Authentication": "Đăng nhập", "Warning!": "Cảnh báo!", "Zimbabwe": "Zimbabwe", "Zambia": "Zambia", @@ -1182,16 +973,7 @@ "Afghanistan": "Afghanistan", "United States": "Hoa Kỳ", "United Kingdom": "Vương quốc Anh", - "Store your Security Key somewhere safe, like a password manager or a safe, as it's used to safeguard your encrypted data.": "Lưu trữ Khóa bảo mật của bạn ở nơi an toàn, như trình quản lý mật khẩu hoặc két sắt, vì nó được sử dụng để bảo vệ dữ liệu được mã hóa của bạn.", - "We'll generate a Security Key for you to store somewhere safe, like a password manager or a safe.": "Chúng tôi sẽ tạo khóa bảo mật để bạn lưu trữ ở nơi an toàn, như trình quản lý mật khẩu hoặc két sắt.", "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.": "Lấy lại quyền truy cập vào tài khoản của bạn và khôi phục các khóa mã hóa được lưu trữ trong phiên này. Nếu không có chúng, bạn sẽ không thể đọc tất cả các tin nhắn an toàn của mình trong bất kỳ phiên nào.", - "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.": "Sẽ không thể hoàn tác lại việc đặt lại các khóa xác thực của bạn. Sau khi đặt lại, bạn sẽ không có quyền truy cập vào các tin nhắn đã được mã hóa cũ, và bạn bè đã được xác thực trước đó bạn sẽ thấy các cảnh báo bảo mật cho đến khi bạn xác thực lại với họ.", - "I'll verify later": "Tôi sẽ xác thực sau", - "Without verifying, you won't have access to all your messages and may appear as untrusted to others.": "Nếu không xác thực, bạn sẽ không thể truy cập vào tất cả tin nhắn của bạn và có thể hiển thị là không đáng tin cậy với những người khác.", - "Verify with Security Key": "Xác thực bằng Khóa Bảo mật", - "Verify with Security Key or Phrase": "Xác thực bằng Khóa hoặc Chuỗi Bảo mật", - "Proceed with reset": "Tiến hành đặt lại", - "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.": "Có vẻ như bạn không có Khóa Bảo mật hoặc bất kỳ thiết bị nào bạn có thể xác thực. Thiết bị này sẽ không thể truy cập vào các tin nhắn mã hóa cũ. Để xác minh danh tính của bạn trên thiết bị này, bạn sẽ cần đặt lại các khóa xác thực của mình.", "Skip verification for now": "Bỏ qua xác thực ngay bây giờ", "Really reset verification keys?": "Thực sự đặt lại các khóa xác minh?", "Uploading %(filename)s and %(count)s others": { @@ -1236,25 +1018,8 @@ "Yours, or the other users' session": "Của bạn, hoặc phiên của các người dùng khác", "Yours, or the other users' internet connection": "Của bạn, hoặc kết nối internet của các người dùng khác", "The homeserver the user you're verifying is connected to": "Máy chủ nhà người dùng bạn đang xác thực được kết nối đến", - "Home options": "Các tùy chọn Home", - "%(spaceName)s menu": "%(spaceName)s menu", - "Currently joining %(count)s rooms": { - "one": "Hiện đang tham gia %(count)s phòng", - "other": "Hiện đang tham gia %(count)s phòng" - }, - "Join public room": "Tham gia vào phòng công cộng", - "Add people": "Thêm người", - "Invite to space": "Mời vào space", - "Start new chat": "Bắt đầu trò chuyện mới", "Recently viewed": "Được xem gần đây", - "You do not have permission to start polls in this room.": "Bạn không có quyền để bắt đầu các cuộc thăm dò trong phòng này.", "Reply in thread": "Trả lời theo chủ đề", - "You won't get any notifications": "Bạn sẽ không nhận bất kỳ thông báo nào", - "Get notified only with mentions and keywords as set up in your settings": "Chỉ nhận thông báo với các đề cập và từ khóa được thiết lập trong cài đặt của bạn", - "@mentions & keywords": "@đề cập & từ khóa", - "Get notified for every message": "Nhận thông báo cho mọi tin nhắn", - "Get notifications as set up in your settings": "Nhận thông báo như được thiết lập trong cài đặt của bạn", - "This room isn't bridging messages to any platforms. Learn more.": "Phòng này không nối các tin nhắn đến bất kỳ nền tảng nào. Tìm hiểu thêm", "Developer": "Nhà phát triển", "Experimental": "Thử nghiệm", "Themes": "Chủ đề", @@ -1264,9 +1029,6 @@ "one": "%(spaceName)s và %(count)s khác", "other": "%(spaceName)s và %(count)s khác" }, - "Your new device is now verified. Other users will see it as trusted.": "Thiết bị mới của bạn hiện đã được xác thực. Các người dùng khác sẽ thấy nó đáng tin cậy.", - "Your new device is now verified. It has access to your encrypted messages, and other users will see it as trusted.": "Thiết bị mới của bạn hiện đã được xác thực. Nó có quyền truy cập vào các tin nhắn bảo mật của bạn, và các người dùng khác sẽ thấy nó đáng tin cậy.", - "Verify with another device": "Xác thực bằng thiết bị khác", "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", @@ -1302,64 +1064,27 @@ "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.", "Explore public spaces in the new search dialog": "Khám phá các space công cộng trong hộp thoại tìm kiếm mới", "%(space1Name)s and %(space2Name)s": "%(space1Name)s và %(space2Name)s", - "You do not have sufficient permissions to change this.": "Bạn không có đủ quyền để thay đổi cái này.", - "Connection": "Kết nối", - "Voice processing": "Xử lý âm thanh", - "Video settings": "Cài đặt truyền hình", - "Voice settings": "Cài đặt âm thanh", - "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!", - "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", - "Secure Backup successful": "Sao lưu bảo mật thành công", "unknown": "không rõ", "Starting export process…": "Bắt đầu trích xuất…", - "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", - "%(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)", "Unsent": "Chưa gửi", "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", - "Automatically adjust the microphone volume": "Tự điều chỉnh âm lượng cho micrô", "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ư", - "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.", "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", - "New room": "Tạo phòng", - "%(brand)s is end-to-end encrypted, but is currently limited to smaller numbers of users.": "%(brand)s được mã hóa đầu cuối, nhưng hiện giới hạn cho một lượng người dùng nhỏ.", "Feedback sent! Thanks, we appreciate it!": "Đã gửi phản hồi! Cảm ơn bạn, chúng tôi đánh giá cao các phản hồi này!", "The scanned code is invalid.": "Mã vừa quét là không hợp lệ.", "Sign out of all devices": "Đăng xuất khỏi mọi thiết bị", "Confirm new password": "Xác nhận mật khẩu mới", "%(members)s and more": "%(members)s và nhiều người khác", - "Read receipts": "Thông báo đã đọc", - "Hide stickers": "Ẩn thẻ (sticker)", - "This room or space does not exist.": "Phòng này hay space này không tồn tại.", "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", - "Seen by %(count)s people": { - "one": "Gửi bởi %(count)s người", - "other": "Gửi bởi %(count)s người" - }, "Search all rooms": "Tìm tất cả phòng", - "Rejecting invite…": "Từ chối lời mời…", - "Are you sure you're at the right place?": "Bạn có chắc là bạn đang ở đúng chỗ?", - "To view %(roomName)s, you need an invite": "Để xem %(roomName)s, bạn cần một lời mời", "Disinvite from room": "Không mời vào phòng nữa", "%(count)s participants": { "one": "1 người tham gia", "other": "%(count)s người tham gia" }, - "You were removed from %(roomName)s by %(memberName)s": "Bạn đã bị loại khỏi %(roomName)s bởi %(memberName)s", - "Voice Message": "Tin nhắn thoại", - "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", - "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", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", "Search this room": "Tìm trong phòng này", @@ -1372,46 +1097,22 @@ "Unban from room": "Bỏ cấm trong phòng", "Ban from room": "Cấm khỏi phòng", "Invites by email can only be sent one at a time": "Chỉ có thể gửi một thư điện tử mời mỗi lần", - "Please only proceed if you're sure you've lost all of your other devices and your Security Key.": "Chỉ tiếp tục nếu bạn chắc chắn là mình đã mất mọi thiết bị khác và khóa bảo mật.", "Room info": "Thông tin phòng", - "You do not have permission to invite users": "Bạn không có quyền mời người khác", "Remove them from everything I'm able to": "Loại bỏ khỏi mọi phòng mà tôi có thể", - "Hide formatting": "Ẩn định dạng", "The beginning of the room": "Bắt đầu phòng", - "Poll": "Bỏ phiếu", - "Joining…": "Đang tham gia…", "Pinned": "Đã ghim", "Open room": "Mở phòng", - "Send email": "Gửi thư", "Remove from room": "Loại bỏ khỏi phòng", "%(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", "Edit link": "Sửa liên kết", "Create a link": "Tạo liên kết", "Text": "Chữ", "Error starting verification": "Lỗi khi bắt đầu xác thực", - "Video call (Jitsi)": "Cuộc gọi truyền hình (Jitsi)", "Encrypting your message…": "Đang mã hóa tin nhắn…", "Sending your message…": "Đang gửi tin nhắn…", "This message could not be decrypted": "Không giải mã được tin nhắn", - "Video call (%(brand)s)": "Cuộc gọi truyền hình (%(brand)s)", - "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", - "This room or space is not accessible at this time.": "Phòng hoặc space này không thể truy cập được bây giờ.", - "Currently removing messages in %(count)s rooms": { - "one": "Hiện đang xóa tin nhắn ở %(count)s phòng", - "other": "Hiện đang xóa tin nhắn ở %(count)s phòng" - }, - "Joining space…": "Đang tham gia space…", - "Joining room…": "Đang tham gia phòng…", - "View chat timeline": "Xem dòng tin nhắn", - "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.", - "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", "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ủ.", "Join %(roomAddress)s": "Tham gia %(roomAddress)s", @@ -1434,7 +1135,6 @@ }, "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", "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", "Interactively verify by emoji": "Xác thực có tương tác bằng biểu tượng cảm xúc", @@ -1449,7 +1149,6 @@ "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", "%(name)s started a video call": "%(name)s đã bắt đầu một cuộc gọi truyền hình", - "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.", "View poll in timeline": "Xem cuộc bỏ phiếu trong dòng thời gian", @@ -1477,16 +1176,6 @@ "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:", "Declining…": "Đang từ chối…", - "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ử", - "Reset to default settings": "Đặt lại về cài đặt mặc định", - "This setting will be applied by default to all your rooms.": "Cài đặt này sẽ được áp dụng theo mặc định cho các tất cả các phòng của bạn.", - "Notify when someone uses a keyword": "Thông báo khi có người dùng một từ khóa", - "Messages sent by bots": "Tin nhắn bởi bot", - "Invited to a room": "Được mời vào phòng", - "New room activity, upgrades and status messages occur": "Hoạt động mới trong phòng, nâng cấp và tin nhắn trạng thái", - "Mark all messages as read": "Đánh dấu đã đọc cho mọi tin nhắn", "common": { "about": "Giới thiệu", "analytics": "Về dữ liệu phân tích", @@ -1589,7 +1278,18 @@ "saving": "Đang lưu…", "profile": "Hồ sơ", "display_name": "Tên hiển thị", - "user_avatar": "Ảnh đại diện" + "user_avatar": "Ảnh đại diện", + "authentication": "Đăng nhập", + "public_room": "Phòng công cộng", + "video_room": "Phòng truyền hình", + "public_space": "Space công cộng", + "private_space": "Space riêng tư", + "private_room": "Phòng riêng tư", + "rooms": "Phòng", + "low_priority": "Ưu tiên thấp", + "historical": "Lịch sử", + "go_to_settings": "Đi tới Cài đặt", + "setup_secure_messages": "Cài đặt Tin nhắn được bảo toàn" }, "action": { "continue": "Tiếp tục", @@ -1695,7 +1395,16 @@ "unban": "Bỏ cấm", "click_to_copy": "Bấm để sao chép", "hide_advanced": "Ẩn nâng cao", - "show_advanced": "Hiện nâng cao" + "show_advanced": "Hiện nâng cao", + "unignore": "Hủy bỏ qua", + "start_new_chat": "Bắt đầu trò chuyện mới", + "invite_to_space": "Mời vào space", + "add_people": "Thêm người", + "explore_rooms": "Khám phá các phòng", + "new_room": "Tạo phòng", + "new_video_room": "Tạo phòng truyền hình", + "add_existing_room": "Thêm phòng hiện có", + "explore_public_rooms": "Khám phá các phòng chung" }, "a11y": { "user_menu": "Menu người dùng", @@ -1708,7 +1417,8 @@ "other": "%(count)s tin nhắn chưa đọc." }, "unread_messages": "Các tin nhắn chưa đọc.", - "jump_first_invite": "Chuyển đến lời mời đầu tiên." + "jump_first_invite": "Chuyển đến lời mời đầu tiên.", + "room_name": "Phòng %(name)s" }, "labs": { "video_rooms": "Phòng video", @@ -1873,7 +1583,22 @@ "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" - } + }, + "room_upgraded_link": "Cuộc trò chuyện tiếp tục tại đây.", + "room_upgraded_notice": "Phòng này đã được thay thế và không còn hoạt động nữa.", + "no_perms_notice": "Bạn không có quyền đăng lên phòng này", + "send_button_voice_message": "Gửi tin nhắn thoại", + "close_sticker_picker": "Ẩn thẻ (sticker)", + "voice_message_button": "Tin nhắn thoại", + "poll_button_no_perms_title": "Yêu cầu Cấp quyền", + "poll_button_no_perms_description": "Bạn không có quyền để bắt đầu các cuộc thăm dò trong phòng này.", + "poll_button": "Bỏ phiếu", + "mode_plain": "Ẩn định dạng", + "mode_rich_text": "Hiện định dạng", + "formatting_toolbar_label": "Định dạng", + "format_italics": "In nghiêng", + "format_insert_link": "Chèn liên kết", + "replying_title": "Đang trả lời" }, "Link": "Liên kết", "Code": "Mã", @@ -2047,7 +1772,15 @@ "error_title": "Không thể bật thông báo", "error_updating": "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.", "push_targets": "Mục tiêu thông báo", - "error_loading": "Đã xảy ra lỗi khi tải cài đặt thông báo của bạn." + "error_loading": "Đã xảy ra lỗi khi tải cài đặt thông báo của bạn.", + "default_setting_description": "Cài đặt này sẽ được áp dụng theo mặc định cho các tất cả các phòng của bạn.", + "play_sound_for_section": "Phát âm thanh cho", + "invites": "Được mời vào phòng", + "room_activity": "Hoạt động mới trong phòng, nâng cấp và tin nhắn trạng thái", + "notices": "Tin nhắn bởi bot", + "notify_keyword": "Thông báo khi có người dùng một từ khóa", + "quick_actions_mark_all_read": "Đánh dấu đã đọc cho mọi tin nhắn", + "quick_actions_reset": "Đặt lại về cài đặt mặc định" }, "appearance": { "layout_irc": "IRC (thử nghiệm)", @@ -2085,7 +1818,19 @@ "echo_cancellation": "Loại bỏ tiếng vang", "noise_suppression": "Loại bỏ tạp âm", "enable_fallback_ice_server": "Cho phép máy chủ hỗ trợ cuộc gọi dự phòng (%(server)s)", - "enable_fallback_ice_server_description": "Chỉ áp dụng nếu máy chủ nhà của bạn không cung cấp. Địa chỉ Internet (IP) của bạn có thể được chia sẻ trong một cuộc gọi." + "enable_fallback_ice_server_description": "Chỉ áp dụng nếu máy chủ nhà của bạn không cung cấp. Địa chỉ Internet (IP) của bạn có thể được chia sẻ trong một cuộc gọi.", + "missing_permissions_prompt": "Thiếu quyền phương tiện, hãy nhấp vào nút bên dưới để yêu cầu.", + "request_permissions": "Yêu cầu quyền phương tiện", + "audio_output": "Đầu ra âm thanh", + "audio_output_empty": "Không phát hiện thấy đầu ra âm thanh", + "audio_input_empty": "Không phát hiện thấy micrô", + "video_input_empty": "Không có Webcam nào được phát hiện", + "title": "Âm thanh & Hình ảnh", + "voice_section": "Cài đặt âm thanh", + "voice_agc": "Tự điều chỉnh âm lượng cho micrô", + "video_section": "Cài đặt truyền hình", + "voice_processing": "Xử lý âm thanh", + "connection_section": "Kết nối" }, "send_read_receipts_unsupported": "Máy chủ của bạn không hỗ trợ tắt gửi thông báo đã học.", "security": { @@ -2158,7 +1903,11 @@ "key_backup_in_progress": "Đang sao lưu %(sessionsRemaining)s khóa…", "key_backup_complete": "Tất cả các khóa được sao lưu", "key_backup_algorithm": "Thuật toán:", - "key_backup_inactive_warning": "Các khóa của bạn not being backed up from this session." + "key_backup_inactive_warning": "Các khóa của bạn not being backed up from this session.", + "key_backup_active_version_none": "Không có", + "ignore_users_empty": "Bạn không có người dùng bị bỏ qua.", + "ignore_users_section": "Người dùng bị bỏ qua", + "e2ee_default_disabled_warning": "Người quản trị máy chủ của bạn đã vô hiệu hóa mã hóa đầu cuối theo mặc định trong phòng riêng và Tin nhắn trực tiếp." }, "preferences": { "room_list_heading": "Danh sách phòng", @@ -2299,7 +2048,46 @@ "add_msisdn_dialog_title": "Thêm Số Điện Thoại", "name_placeholder": "Không có tên hiển thị", "error_saving_profile_title": "Không lưu được hồ sơ của bạn", - "error_saving_profile": "Lệnh không thể hoàn thành" + "error_saving_profile": "Lệnh không thể hoàn thành", + "error_password_change_unknown": "Lỗi không xác định khi đổi mật khẩu (%(stringifiedError)s)", + "error_password_change_403": "Không thể thay đổi mật khẩu. Mật khẩu của bạn có đúng không?", + "error_password_change_http": "%(errorMessage)s (Trạng thái HTTP %(httpStatus)s)", + "error_password_change_title": "Lỗi khi đổi mật khẩu", + "password_change_success": "Đã đổi mật khẩu thành công.", + "emails_heading": "Địa chỉ thư điện tử", + "msisdns_heading": "Số điện thoại", + "password_change_section": "Đặt mật khẩu tài khoản mới…", + "external_account_management": "Thông tin tài khoản bạn được quản lý riêng ở %(hostname)s.", + "discovery_needs_terms": "Đồ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.", + "deactivate_section": "Hủy kích hoạt Tài khoản", + "account_management_section": "Quản lý tài khoản", + "deactivate_warning": "Vô hiệu hóa tài khoản của bạn là vĩnh viễn — hãy cẩn trọng!", + "discovery_section": "Khám phá", + "error_revoke_email_discovery": "Không thể thu hồi chia sẻ cho địa chỉ thư điện tử", + "error_share_email_discovery": "Không thể chia sẻ địa chỉ thư điện tử", + "email_not_verified": "Địa chỉ thư điện tử của bạn chưa được xác minh", + "email_verification_instructions": "Nhấp vào liên kết trong thư điện tử bạn nhận được để xác minh và sau đó nhấp lại tiếp tục.", + "error_email_verification": "Không thể xác minh địa chỉ thư điện tử.", + "discovery_email_verification_instructions": "Xác minh liên kết trong hộp thư đến của bạn", + "discovery_email_empty": "Tùy chọn khám phá sẽ xuất hiện khi nào bạn đã thêm địa chỉ thư điện tử.", + "error_revoke_msisdn_discovery": "Không thể thu hồi chia sẻ cho số điện thoại", + "error_share_msisdn_discovery": "Không thể chia sẻ số điện thoại", + "error_msisdn_verification": "Không thể xác minh số điện thoại.", + "incorrect_msisdn_verification": "Mã xác minh không chính xác", + "msisdn_verification_instructions": "Vui lòng nhập mã xác minh được gửi qua văn bản.", + "msisdn_verification_field_label": "Mã xác nhận", + "discovery_msisdn_empty": "Các tùy chọn khám phá sẽ xuất hiện khi bạn đã thêm số điện thoại ở trên.", + "error_set_name": "Không đặt được tên hiển thị", + "error_remove_3pid": "Không thể xóa thông tin liên hệ", + "remove_email_prompt": "Xóa %(email)s?", + "error_invalid_email": "Địa chỉ thư điện tử không hợp lệ", + "error_invalid_email_detail": "Đây có vẻ không phải là một địa chỉ thư điện tử hợp lệ", + "error_add_email": "Không thể thêm địa chỉ địa chỉ thư điện tử", + "add_email_instructions": "Chúng tôi đã gửi cho bạn một thư điện tử để xác minh địa chỉ của bạn. Vui lòng làm theo hướng dẫn ở đó và sau đó nhấp vào nút bên dưới.", + "email_address_label": "Địa chỉ thư điện tử", + "remove_msisdn_prompt": "Xóa %(phone)s?", + "add_msisdn_instructions": "Một tin nhắn văn bản đã được gửi tới +%(msisdn)s. Vui lòng nhập mã xác minh trong đó.", + "msisdn_label": "Số điện thoại" }, "sidebar": { "title": "Thanh bên", @@ -2312,6 +2100,52 @@ "metaspaces_orphans_description": "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.", "metaspaces_home_all_rooms_description": "Hiển thị tất cả các phòng trong Home, ngay cả nếu chúng ở trong space.", "metaspaces_home_all_rooms": "Hiển thị tất cả các phòng" + }, + "key_backup": { + "backup_in_progress": "Các khóa của bạn đang được sao lưu (bản sao lưu đầu tiên có thể mất vài phút).", + "backup_success": "Thành công!", + "create_title": "Tạo bản sao lưu chính", + "cannot_create_backup": "Không thể tạo bản sao lưu khóa", + "setup_secure_backup": { + "generate_security_key_title": "Tạo khóa bảo mật", + "generate_security_key_description": "Chúng tôi sẽ tạo khóa bảo mật để bạn lưu trữ ở nơi an toàn, như trình quản lý mật khẩu hoặc két sắt.", + "enter_phrase_title": "Nhập cụm từ bảo mật", + "description": "Bảo vệ chống mất quyền truy cập vào các tin nhắn và dữ liệu được mã hóa bằng cách sao lưu các khóa mã hóa trên máy chủ của bạn.", + "requires_password_confirmation": "Nhập mật khẩu tài khoản của bạn để xác nhận nâng cấp:", + "requires_key_restore": "Khôi phục bản sao lưu khóa của bạn để nâng cấp mã hóa của bạn", + "requires_server_authentication": "Bạn sẽ cần xác thực với máy chủ để xác nhận nâng cấp.", + "session_upgrade_description": "Nâng cấp phiên này để cho phép nó xác thực các phiên khác, cấp cho họ quyền truy cập vào các thư được mã hóa và đánh dấu chúng là đáng tin cậy đối với những người dùng khác.", + "phrase_strong_enough": "Tuyệt vời! Cụm từ bảo mật này trông đủ mạnh.", + "pass_phrase_match_success": "Điều đó phù hợp!", + "use_different_passphrase": "Sử dụng một cụm mật khẩu khác?", + "pass_phrase_match_failed": "Điều đó không phù hợp.", + "set_phrase_again": "Quay lại để thiết lập lại.", + "enter_phrase_to_confirm": "Nhập Cụm từ bảo mật của bạn lần thứ hai để xác nhận.", + "confirm_security_phrase": "Xác nhận cụm từ bảo mật của bạn", + "security_key_safety_reminder": "Lưu trữ Khóa bảo mật của bạn ở nơi an toàn, như trình quản lý mật khẩu hoặc két sắt, vì nó được sử dụng để bảo vệ dữ liệu được mã hóa của bạn.", + "backup_setup_success_title": "Sao lưu bảo mật thành công", + "secret_storage_query_failure": "Không thể truy vấn trạng thái lưu trữ bí mật", + "cancel_warning": "Nếu bạn hủy ngay bây giờ, bạn có thể mất tin nhắn và dữ liệu được mã hóa nếu bạn mất quyền truy cập vào thông tin đăng nhập của mình.", + "settings_reminder": "Bạn cũng có thể thiết lập Sao lưu bảo mật và quản lý khóa của mình trong Cài đặt.", + "title_upgrade_encryption": "Nâng cấp mã hóa của bạn", + "title_set_phrase": "Đặt Cụm từ Bảo mật", + "title_confirm_phrase": "Xác nhận cụm từ bảo mật", + "title_save_key": "Lưu Khóa Bảo mật của bạn", + "unable_to_setup": "Không thể thiết lập bộ nhớ bí mật", + "use_phrase_only_you_know": "Sử dụng một cụm từ bí mật mà chỉ bạn biết và tùy chọn lưu Khóa bảo mật để sử dụng để sao lưu." + } + }, + "key_export_import": { + "export_title": "Xuất các mã khoá phòng", + "export_description_1": "Quá trình này cho phép bạn xuất khóa cho các tin nhắn bạn đã nhận được trong các phòng được mã hóa sang một tệp cục bộ. Sau đó, bạn sẽ có thể nhập tệp vào ứng dụng khách Matrix khác trong tương lai, do đó ứng dụng khách đó cũng sẽ có thể giải mã các thông báo này.", + "enter_passphrase": "Nhập cụm mật khẩu", + "confirm_passphrase": "Xác nhận cụm mật khẩu", + "phrase_cannot_be_empty": "Cụm mật khẩu không được để trống", + "phrase_must_match": "Cụm mật khẩu phải khớp", + "import_title": "Nhập các mã khoá phòng", + "import_description_1": "Quá trình này cho phép bạn nhập các khóa mã hóa mà bạn đã xuất trước đó từ một ứng dụng khách Matrix khác. Sau đó, bạn sẽ có thể giải mã bất kỳ thông báo nào mà ứng dụng khách khác có thể giải mã.", + "import_description_2": "Tệp xuất sẽ được bảo vệ bằng cụm mật khẩu. Bạn nên nhập cụm mật khẩu vào đây để giải mã tệp.", + "file_to_import": "Tệp để nhập" } }, "devtools": { @@ -2765,7 +2599,19 @@ "collapse_reply_thread": "Thu gọn chuỗi trả lời", "view_related_event": "Xem sự kiện liên quan", "report": "Bản báo cáo" - } + }, + "url_preview": { + "show_n_more": { + "one": "Hiển thị %(count)s bản xem trước khác", + "other": "Hiển thị %(count)s bản xem trước khác" + }, + "close": "Đóng bản xem trước" + }, + "read_receipt_title": { + "one": "Gửi bởi %(count)s người", + "other": "Gửi bởi %(count)s người" + }, + "read_receipts_label": "Thông báo đã đọc" }, "slash_command": { "spoiler": "Đánh dấu tin nhắn chỉ định thành một tin nhắn ẩn", @@ -3032,7 +2878,14 @@ "permissions_section_description_room": "Chọn vai trò được yêu cầu để thay đổi thiết lập của phòng", "add_privileged_user_heading": "Thêm người dùng quyền lực", "add_privileged_user_description": "Cho người trong phòng này nhiều quyền hơn", - "add_privileged_user_filter_placeholder": "Tìm người trong phòng…" + "add_privileged_user_filter_placeholder": "Tìm người trong phòng…", + "error_unbanning": "Không thể bỏ cấm", + "banned_by": "Bị cấm bởi %(displayName)s", + "ban_reason": "Lý do", + "error_changing_pl_reqs_title": "Lỗi khi thay đổi yêu cầu mức nguồn", + "error_changing_pl_reqs_description": "Đã 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.", + "error_changing_pl_title": "Lỗi khi thay đổi mức công suất", + "error_changing_pl_description": "Đã 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." }, "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", @@ -3087,7 +2940,9 @@ "join_rule_upgrade_updating_spaces": { "one": "Đang cập nhật space…", "other": "Đang cập nhật space… (%(progress)s trên %(count)s)" - } + }, + "error_join_rule_change_title": "Cập nhật quy tắc tham gia thất bại", + "error_join_rule_change_unknown": "Thất bại không xác định" }, "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?", @@ -3101,7 +2956,9 @@ "error_save_space_settings": "Không thể lưu cài đặt space.", "description_space": "Chỉnh sửa cài đặt liên quan đến space của bạn.", "save": "Lưu thay đổi", - "leave_space": "Rời khỏi Space" + "leave_space": "Rời khỏi Space", + "aliases_section": "Các địa chỉ Phòng", + "other_section": "Khác" }, "advanced": { "unfederated": "Phòng này không thể truy cập từ xa bằng máy chủ Matrix", @@ -3112,7 +2969,9 @@ "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:" + "room_version": "Phiên bản phòng:", + "information_section_space": "Thông tin Space", + "information_section_room": "Thông tin phòng" }, "delete_avatar_label": "Xoá ảnh đại diện", "upload_avatar_label": "Tải lên hình đại diện", @@ -3126,11 +2985,32 @@ "history_visibility_anyone_space": "Xem trước space", "history_visibility_anyone_space_description": "Cho phép mọi người xem trước space của bạn trước khi tham gia.", "history_visibility_anyone_space_recommendation": "Được đề xuất cho space công cộng.", - "guest_access_label": "Bật quyền truy cập của khách" + "guest_access_label": "Bật quyền truy cập của khách", + "alias_section": "Địa chỉ" }, "access": { "title": "Truy cập", "description_space": "Lựa chọn ai được xem và tham gia %(spaceName)s." + }, + "bridges": { + "description": "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.", + "empty": "Phòng này không nối các tin nhắn đến bất kỳ nền tảng nào. Tìm hiểu thêm", + "title": "Cầu nối" + }, + "notifications": { + "uploaded_sound": "Đã tải lên âm thanh", + "settings_link": "Nhận thông báo như được thiết lập trong cài đặt của bạn", + "sounds_section": "Âm thanh", + "notification_sound": "Âm thanh thông báo", + "custom_sound_prompt": "Đặt âm thanh tùy chỉnh mới", + "upload_sound_label": "Tải lên âm thanh tùy chỉnh", + "browse_button": "Duyệt qua" + }, + "voip": { + "enable_element_call_label": "Cho phép %(brand)s được làm tùy chọn gọi bổ sung trong phòng này", + "enable_element_call_caption": "%(brand)s được mã hóa đầu cuối, nhưng hiện giới hạn cho một lượng người dùng nhỏ.", + "enable_element_call_no_permissions_tooltip": "Bạn không có đủ quyền để thay đổi cái này.", + "call_type_section": "Loại cuộc gọi" } }, "encryption": { @@ -3165,7 +3045,19 @@ "unverified_session_toast_accept": "Đó là tôi", "request_toast_detail": "%(deviceId)s từ %(ip)s", "request_toast_decline_counter": "Ẩn (%(counter)s)", - "request_toast_accept": "Xác thực phiên" + "request_toast_accept": "Xác thực phiên", + "no_key_or_device": "Có vẻ như bạn không có Khóa Bảo mật hoặc bất kỳ thiết bị nào bạn có thể xác thực. Thiết bị này sẽ không thể truy cập vào các tin nhắn mã hóa cũ. Để xác minh danh tính của bạn trên thiết bị này, bạn sẽ cần đặt lại các khóa xác thực của mình.", + "reset_proceed_prompt": "Tiến hành đặt lại", + "verify_using_key_or_phrase": "Xác thực bằng Khóa hoặc Chuỗi Bảo mật", + "verify_using_key": "Xác thực bằng Khóa Bảo mật", + "verify_using_device": "Xác thực bằng thiết bị khác", + "verification_description": "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.", + "verification_success_with_backup": "Thiết bị mới của bạn hiện đã được xác thực. Nó có quyền truy cập vào các tin nhắn bảo mật của bạn, và các người dùng khác sẽ thấy nó đáng tin cậy.", + "verification_success_without_backup": "Thiết bị mới của bạn hiện đã được xác thực. Các người dùng khác sẽ thấy nó đáng tin cậy.", + "verification_skip_warning": "Nếu không xác thực, bạn sẽ không thể truy cập vào tất cả tin nhắn của bạn và có thể hiển thị là không đáng tin cậy với những người khác.", + "verify_later": "Tôi sẽ xác thực sau", + "verify_reset_warning_1": "Sẽ không thể hoàn tác lại việc đặt lại các khóa xác thực của bạn. Sau khi đặt lại, bạn sẽ không có quyền truy cập vào các tin nhắn đã được mã hóa cũ, và bạn bè đã được xác thực trước đó bạn sẽ thấy các cảnh báo bảo mật cho đến khi bạn xác thực lại với họ.", + "verify_reset_warning_2": "Chỉ tiếp tục nếu bạn chắc chắn là mình đã mất mọi thiết bị khác và khóa bảo mật." }, "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.", @@ -3186,7 +3078,19 @@ "cross_signing_ready_no_backup": "Xác thực chéo đã sẵn sàng nhưng các khóa chưa được sao lưu.", "cross_signing_untrusted": "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_not_ready": "Tính năng xác thực chéo chưa được thiết lập.", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Phương pháp Khôi phục mới", + "description_1": "Đã phát hiện thấy Cụm từ bảo mật và khóa mới cho Tin nhắn an toàn.", + "description_2": "Phiên này đang mã hóa lịch sử bằng phương pháp khôi phục mới.", + "warning": "Nếu bạn không đặt phương pháp khôi phục mới, kẻ tấn công có thể đang cố truy cập vào tài khoản của bạn. Thay đổi mật khẩu tài khoản của bạn và đặt phương pháp khôi phục mới ngay lập tức trong Cài đặt." + }, + "recovery_method_removed": { + "title": "Phương thức Khôi phục đã bị xóa", + "description_1": "Phiên này đã phát hiện rằng Cụm từ bảo mật và khóa cho Tin nhắn an toàn của bạn đã bị xóa.", + "description_2": "Nếu bạn vô tình làm điều này, bạn có thể Cài đặt Tin nhắn được bảo toàn trên phiên này. Tính năng này sẽ mã hóa lại lịch sử tin nhắn của phiên này bằng một phương pháp khôi phục mới.", + "warning": "Nếu bạn không xóa phương pháp khôi phục, kẻ tấn công có thể đang cố truy cập vào tài khoản của bạn. Thay đổi mật khẩu tài khoản của bạn và đặt phương pháp khôi phục mới ngay lập tức trong Cài đặt." + } }, "emoji": { "category_frequently_used": "Thường xuyên sử dụng", @@ -3354,7 +3258,10 @@ "autodiscovery_unexpected_error_hs": "Lỗi xảy ra khi xử lý thiết lập máy chủ", "autodiscovery_unexpected_error_is": "Lỗi xảy ra khi xử lý thiết lập máy chủ định danh", "incorrect_credentials_detail": "Xin lưu ý rằng bạn đang đăng nhập vào máy chủ %(hs)s, không phải matrix.org.", - "create_account_title": "Tạo tài khoản" + "create_account_title": "Tạo tài khoản", + "failed_soft_logout_homeserver": "Không xác thực lại được do sự cố máy chủ", + "soft_logout_subheading": "Xóa dữ liệu cá nhân", + "forgot_password_send_email": "Gửi thư" }, "room_list": { "sort_unread_first": "Hiển thị các phòng có tin nhắn chưa đọc trước", @@ -3370,7 +3277,23 @@ "show_less": "Hiện ít hơn", "notification_options": "Tùy chọn thông báo", "failed_remove_tag": "Không xóa được thẻ %(tagName)s khỏi phòng", - "failed_add_tag": "Không thêm được thẻ %(tagName)s vào phòng" + "failed_add_tag": "Không thêm được thẻ %(tagName)s vào phòng", + "breadcrumbs_label": "Các phòng đã ghé thăm gần đây", + "breadcrumbs_empty": "Không có phòng nào được truy cập gần đây", + "add_room_label": "Thêm phòng", + "suggested_rooms_heading": "Phòng được đề xuất", + "add_space_label": "Thêm space", + "join_public_room_label": "Tham gia vào phòng công cộng", + "joining_rooms_status": { + "one": "Hiện đang tham gia %(count)s phòng", + "other": "Hiện đang tham gia %(count)s phòng" + }, + "redacting_messages_status": { + "one": "Hiện đang xóa tin nhắn ở %(count)s phòng", + "other": "Hiện đang xóa tin nhắn ở %(count)s phòng" + }, + "space_menu_label": "%(spaceName)s menu", + "home_menu_label": "Các tùy chọn Home" }, "report_content": { "missing_reason": "Vui lòng điền lý do bạn đang báo cáo.", @@ -3620,7 +3543,8 @@ "search_children": "Tìm kiếm %(spaceName)s", "invite_link": "Chia sẻ liên kết mời", "invite": "Mời mọi người", - "invite_description": "Mời bằng thư điện tử hoặc tên người dùng" + "invite_description": "Mời bằng thư điện tử hoặc tên người dùng", + "invite_this_space": "Mời vào space này" }, "location_sharing": { "MapStyleUrlNotConfigured": "Homeserver này không được cấu hình để hiển thị bản đồ.", @@ -3670,7 +3594,8 @@ "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" + "lists_new_label": "ID phòng hoặc địa chỉ của danh sách cấm", + "rules_empty": "Không có" }, "create_space": { "name_required": "Vui lòng nhập tên cho Space", @@ -3767,8 +3692,64 @@ "forget": "Quên phòng", "mark_read": "Đánh dấu đã đọc", "notifications_default": "Theo cài đặt mặc định", - "notifications_mute": "Tắt tiếng phòng" - } + "notifications_mute": "Tắt tiếng phòng", + "title": "Tùy chọn phòng" + }, + "invite_this_room": "Mời vào phòng này", + "header": { + "video_call_button_jitsi": "Cuộc gọi truyền hình (Jitsi)", + "video_call_button_ec": "Cuộc gọi truyền hình (%(brand)s)", + "video_call_ec_layout_freedom": "Tự do", + "forget_room_button": "Quên phòng", + "hide_widgets_button": "Ẩn widget", + "show_widgets_button": "Hiển thị widget", + "close_call_button": "Đóng cuộc gọi", + "video_room_view_chat_button": "Xem dòng tin nhắn" + }, + "joining_space": "Đang tham gia space…", + "joining_room": "Đang tham gia phòng…", + "joining": "Đang tham gia…", + "rejecting": "Từ chối lời mời…", + "join_title": "Tham gia phòng để tương tác", + "join_title_account": "Tham gia cuộc trò chuyện bằng một tài khoản", + "join_button_account": "Đăng Ký", + "loading_preview": "Đang tải xem trước", + "kicked_from_room_by": "Bạn đã bị loại khỏi %(roomName)s bởi %(memberName)s", + "kicked_by": "Bạn đã bị loại bởi %(memberName)s", + "kick_reason": "Lý do: %(reason)s", + "forget_space": "Quên space này", + "forget_room": "Quên phòng này đi", + "rejoin_button": "Tham gia lại", + "banned_from_room_by": "Bạn đã bị cấm ở %(roomName)s bởi %(memberName)s", + "banned_by": "Bạn đã bị cấm bởi %(memberName)s", + "3pid_invite_error_title_room": "Đã xảy ra sự cố với lời mời của bạn vào %(roomName)s", + "3pid_invite_error_title": "Đã xảy ra sự cố với lời mời của bạn.", + "3pid_invite_error_invite_subtitle": "Bạn chỉ có thể tham gia nó với một lời mời làm việc.", + "3pid_invite_error_invite_action": "Cố gắng tham gia bằng mọi cách", + "3pid_invite_error_public_subtitle": "Bạn vẫn có thể tham gia.", + "join_the_discussion": "Tham gia thảo luận", + "3pid_invite_email_not_found_account_room": "Lời mời đến %(roomName)s 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", + "3pid_invite_email_not_found_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", + "link_email_to_receive_3pid_invite": "Liên kết địa chỉ thư điện tử này với tài khoản của bạn trong Cài đặt để nhận lời mời trực tiếp trong %(brand)s.", + "invite_sent_to_email_room": "Lời mời đến %(roomName)s này đã được gửi tới %(email)s", + "invite_sent_to_email": "Lời mời này đã được gửi tới %(email)s", + "3pid_invite_no_is_subtitle": "Sử dụng máy chủ nhận dạng trong Cài đặt để nhận lời mời trực tiếp trong %(brand)s.", + "invite_email_mismatch_suggestion": "Chia sẻ địa chỉ thư điện tử này trong Cài đặt để nhận lời mời trực tiếp trong %(brand)s.", + "dm_invite_title": "Bạn có muốn trò chuyện với %(user)s?", + "dm_invite_subtitle": " muốn trò chuyện", + "dm_invite_action": "Bắt đầu trò chuyện", + "invite_title": "Bạn có muốn tham gia %(roomName)s không?", + "invite_subtitle": " đã mời bạn", + "invite_reject_ignore": "Từ chối & Bỏ qua người dùng", + "peek_join_prompt": "Bạn đang xem trước %(roomName)s. Bạn muốn tham gia nó?", + "no_peek_join_prompt": "Không thể xem trước %(roomName)s. Bạn có muốn tham gia nó không?", + "no_peek_no_name_join_prompt": "Không xem trước được, bạn có muốn tham gia?", + "not_found_title_name": "%(roomName)s không tồn tại.", + "not_found_title": "Phòng này hay space này không tồn tại.", + "not_found_subtitle": "Bạn có chắc là bạn đang ở đúng chỗ?", + "inaccessible_name": "Không thể truy cập %(roomName)s vào lúc này.", + "inaccessible": "Phòng hoặc space này không thể truy cập được bây giờ.", + "join_failed_needs_invite": "Để xem %(roomName)s, bạn cần một lời mời" }, "file_panel": { "guest_note": "Bạn phải đăng ký register để sử dụng chức năng này", @@ -3915,7 +3896,15 @@ "keyword_new": "Từ khóa mới", "class_global": "Toàn cầu", "class_other": "Khác", - "mentions_keywords": "Đề cập & từ khóa" + "mentions_keywords": "Đề cập & từ khóa", + "default": "Mặc định", + "all_messages": "Tất cả tin nhắn", + "all_messages_description": "Nhận thông báo cho mọi tin nhắn", + "mentions_and_keywords": "@đề cập & từ khóa", + "mentions_and_keywords_description": "Chỉ nhận thông báo với các đề cập và từ khóa được thiết lập trong cài đặt của bạn", + "mute_description": "Bạn sẽ không nhận bất kỳ thông báo nào", + "email_pusher_app_display_name": "Thông báo qua thư điện tử", + "message_didnt_send": "Tin nhắn chưa gửi. Nhấn để biết thông tin." }, "mobile_guide": { "toast_title": "Sử dụng ứng dụng để có trải nghiệm tốt hơn", @@ -3941,6 +3930,44 @@ "integration_manager": { "connecting": "Đang kết nối tới quản lý tích hợp…", "error_connecting_heading": "Không thể kết nối với trình quản lý tích hợp", - "error_connecting": "Trình quản lý tích hợp đang ngoại tuyến hoặc không thể kết nối với Máy chủ của bạn." + "error_connecting": "Trình quản lý tích hợp đang ngoại tuyến hoặc không thể kết nối với Máy chủ của bạn.", + "use_im_default": "Sử dụng trình quản lý tích hợp (%(serverName)s) để quản lý bot, tiện ích và gói sticker cảm xúc.", + "use_im": "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.", + "manage_title": "Quản lý các tích hợp", + "explainer": "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." + }, + "identity_server": { + "url_not_https": "URL máy chủ định danh phải là HTTPS", + "error_invalid": "Không phải là một máy chủ định danh hợp lệ (mã trạng thái %(code)s)", + "error_connection": "Không thể kết nối với máy chủ xác thực", + "checking": "Kiểm tra máy chủ", + "change": "Đổi máy chủ định danh", + "change_prompt": "Ngắt kết nối với máy chủ định danh và thay vào đó kết nối với ?", + "error_invalid_or_terms": "Điều khoản dịch vụ không được chấp nhận hoặc máy chủ định danh không hợp lệ.", + "no_terms": "Máy chủ định danh bạn đã chọn không có bất kỳ điều khoản dịch vụ nào.", + "disconnect": "Ngắt kết nối máy chủ định danh", + "disconnect_server": "Ngắt kết nối với máy chủ định danh ?", + "disconnect_offline_warning": "Bạn nên xóa dữ liệu cá nhân của mình remove your personal data khỏi máy chủ nhận dạng trước khi ngắt kết nối. Rất tiếc, máy chủ nhận dạng hiện đang ngoại tuyến hoặc không thể kết nối được.", + "suggestions": "Bạn nên:", + "suggestions_1": "kiểm tra các plugin trình duyệt của bạn để tìm bất kỳ thứ gì có thể chặn máy chủ nhận dạng (chẳng hạn như Privacy Badger)", + "suggestions_2": "liên hệ với quản trị viên của máy chủ nhận dạng ", + "suggestions_3": "đợi và thử lại sau", + "disconnect_anyway": "Vẫn ngắt kết nối", + "disconnect_personal_data_warning_1": "Bạn vẫn đang chia sẻ dữ liệu cá nhân của mình sharing your personal data trên máy chủ nhận dạng .", + "disconnect_personal_data_warning_2": "Chúng tôi khuyên bạn nên xóa địa chỉ thư điện tử và số điện thoại của mình khỏi máy chủ định danh trước khi ngắt kết nối.", + "url": "Máy chủ định danh (%(server)s)", + "description_connected": "Bạn hiện đang sử dụng để khám phá và có thể khám phá những liên hệ hiện có mà bạn biết. Bạn có thể thay đổi máy chủ nhận dạng của mình bên dưới.", + "change_server_prompt": "Nếu bạn không muốn sử dụng để khám phá và có thể phát hiện ra bởi các liên hệ hiện có mà bạn biết, hãy nhập một máy chủ nhận dạng khác bên dưới.", + "description_disconnected": "Bạn hiện không sử dụng máy chủ nhận dạng. Để khám phá và có thể khám phá các địa chỉ liên hệ hiện có mà bạn biết, hãy thêm một địa chỉ liên hệ bên dưới.", + "disconnect_warning": "Ngắt kết nối khỏi máy chủ định danh của bạn sẽ có nghĩa là bạn sẽ không xuất hiện trong tìm kiếm và bạn sẽ không thể mời người khác qua thư điện tử hoặc điện thoại.", + "description_optional": "Sử dụng máy chủ định danh là tùy chọn. Nếu bạn chọn không sử dụng máy chủ định danh, bạn sẽ không thể bị phát hiện bởi những người dùng khác và bạn sẽ không thể mời người khác qua thư điện tử hoặc số điện thoại.", + "do_not_use": "Không sử dụng máy chủ nhận dạng", + "url_field_label": "Nhập một máy chủ nhận dạng mới" + }, + "member_list": { + "invite_button_no_perms_tooltip": "Bạn không có quyền mời người khác", + "invited_list_heading": "Đã mời", + "filter_placeholder": "Lọc thành viên phòng", + "power_label": "%(userName)s (chỉ số %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/vls.json b/src/i18n/strings/vls.json index 78ce71debe..8c29819c32 100644 --- a/src/i18n/strings/vls.json +++ b/src/i18n/strings/vls.json @@ -1,5 +1,4 @@ { - "Permission Required": "Toestemmienge vereist", "Send": "Verstuurn", "Sun": "Zun", "Mon": "Moa", @@ -26,10 +25,8 @@ "%(weekDayName)s, %(monthName)s %(day)s %(time)s": "%(weekDayName)s %(day)s %(monthName)s, %(time)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s": "%(weekDayName)s %(day)s %(monthName)s %(fullYear)s", "%(weekDayName)s, %(monthName)s %(day)s %(fullYear)s %(time)s": "%(weekDayName)s %(day)s %(monthName)s %(fullYear)s, %(time)s", - "Default": "Standoard", "Restricted": "Beperkten toegank", "Moderator": "Moderator", - "Reason": "Reedn", "%(items)s and %(lastItem)s": "%(items)s en %(lastItem)s", "Dog": "Hound", "Cat": "Katte", @@ -94,41 +91,10 @@ "Headphones": "Koptelefong", "Folder": "Mappe", "Warning!": "Let ip!", - "Authentication": "Authenticoasje", - "Failed to set display name": "Instelln van weergavenoame es mislukt", - "Unable to remove contact information": "Kan contactinformoasje nie verwydern", "Are you sure?": "Zy je zeker?", - "Invalid Email Address": "Oungeldig e-mailadresse", - "This doesn't appear to be a valid email address": "’t En ziet er nie noar uut da dit e geldig e-mailadresse es", - "Unable to add email address": "Kostege ’t e-mailadresse nie toevoegn", - "Unable to verify email address.": "Kostege ’t e-mailadresse nie verifieern.", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "M'èn joun een e-mail gestuurd vo jen adresse te verifieern. Gelieve de doarin gegeven anwyziengn ip te volgn en ton ip de knop hierounder te klikkn.", - "Email Address": "E-mailadresse", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "Versleuterde berichtn zyn beveiligd me eind-tout-eind-versleuterienge. Alleene d’ountvanger(s) en gy èn de sleuters vo deze berichtn te leezn.", "Back up your keys before signing out to avoid losing them.": "Makt een back-up van je sleuters vooraleer da je jen afmeldt vo ze nie kwyt te speeln.", "Start using Key Backup": "Begint me de sleuterback-up te gebruukn", - "Unable to verify phone number.": "Kostege de telefongnumero nie verifieern.", - "Incorrect verification code": "Onjuste verificoasjecode", - "Verification code": "Verificoasjecode", - "Phone Number": "Telefongnumero", - "Failed to change password. Is your password correct?": "Wyzign van ’t paswoord es mislukt. Es je paswoord wel juste?", - "Email addresses": "E-mailadressn", - "Phone numbers": "Telefongnumero’s", - "Account management": "Accountbeheer", - "Deactivate Account": "Account deactiveern", - "Unignore": "Nie mi negeern", - "Ignored users": "Genegeerde gebruukers", - "Missing media permissions, click the button below to request.": "Mediatoestemmiengn ountbreekn, klikt ip de knop hierounder vo deze an te vroagn.", - "Request media permissions": "Mediatoestemmiengn verzoekn", - "No Audio Outputs detected": "Geen geluudsuutgangn gedetecteerd", - "No Microphones detected": "Geen microfoons gevoundn", - "No Webcams detected": "Geen webcams gevoundn", - "Audio Output": "Geluudsuutgang", - "Voice & Video": "Sproak & video", - "Room information": "Gespreksinformoasje", - "Room Addresses": "Gespreksadressn", - "Failed to unban": "Ountbann mislukt", - "Banned by %(displayName)s": "Verbann deur %(displayName)s", "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?", @@ -143,46 +109,17 @@ "other": "en %(count)s anderen…", "one": "en één andere…" }, - "Invite to this room": "Uutnodign in dit gesprek", - "Invited": "Uutgenodigd", - "Filter room members": "Gespreksleedn filtern", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s (macht %(powerLevelNumber)s)", - "The conversation continues here.": "’t Gesprek goat hier verder.", - "This room has been replaced and is no longer active.": "Dit gesprek is vervangn gewist en is nie langer actief.", - "You do not have permission to post to this room": "J’èt geen toestemmienge voor in dit gesprek te postn", "%(duration)ss": "%(duration)ss", "%(duration)sm": "%(duration)sm", "%(duration)sh": "%(duration)su", "%(duration)sd": "%(duration)sd", - "Replying": "An ’t beantwoordn", "Unnamed room": "Noamloos gesprek", "(~%(count)s results)": { "other": "(~%(count)s resultoatn)", "one": "(~%(count)s resultoat)" }, "Join Room": "Gesprek toetreedn", - "Forget room": "Gesprek vergeetn", "Share room": "Gesprek deeln", - "Rooms": "Gesprekkn", - "Low priority": "Leige prioriteit", - "Historical": "Historisch", - "Join the conversation with an account": "Neemt deel an ’t gesprek met een account", - "Sign Up": "Registreern", - "Reason: %(reason)s": "Reden: %(reason)s", - "Forget this room": "Dit gesprek vergeetn", - "Re-join": "Were toetreedn", - "You were banned from %(roomName)s by %(memberName)s": "Je zyt uut %(roomName)s verbann gewist deur %(memberName)s", - "Something went wrong with your invite to %(roomName)s": "’t Es etwa misgegoan me jen uutnodigienge voor %(roomName)s", - "You can only join it with a working invite.": "Je kut ’t gesprek alleene moa toetreedn met e werkende uutnodigienge.", - "Join the discussion": "Neemt deel an ’t gesprek", - "Try to join anyway": "Algelyk probeern deelneemn", - "Do you want to chat with %(user)s?": "Wil j’e gesprek beginn me %(user)s?", - "Do you want to join %(roomName)s?": "Wil je %(roomName)s toetreedn?", - " invited you": " èt joun uutgenodigd", - "You're previewing %(roomName)s. Want to join it?": "Je bekykt %(roomName)s. Wil je deran deelneemn?", - "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s ku nie bekeekn wordn. Wil je deran deelneemn?", - "%(roomName)s does not exist.": "%(roomName)s bestoa nie.", - "%(roomName)s is not accessible at this time.": "%(roomName)s es vo de moment nie toegankelik.", "Upgrading this room will shut down the current instance of the room and create an upgraded room with the same name.": "Dit gesprek actualiseern goat de huudige instantie van ’t gesprek sluutn, en e geactualiseerde versie ounder dezelfste noame anmoakn.", "This room has already been upgraded.": "Dit gesprek es al ipgewoardeerd gewist.", "This room is running room version , which this homeserver has marked as unstable.": "Dit gesprek droait ip groepsgespreksversie , da deur deze thuusserver als ounstabiel gemarkeerd gewist es.", @@ -317,7 +254,6 @@ "You cannot delete this message. (%(code)s)": "Je kut dit bericht nie verwydern. (%(code)s)", "unknown error code": "ounbekende foutcode", "Failed to forget room %(errCode)s": "Vergeetn van gesprek is mislukt %(errCode)s", - "All messages": "Alle berichtn", "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.", "Some characters not allowed": "Sommige tekens zyn nie toegeloatn", @@ -332,7 +268,6 @@ "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.", "Connectivity to the server has been lost.": "De verbindienge me de server is verbrookn.", "Sent messages will be stored until your connection has returned.": "Verstuurde berichtn goan ipgesloagn wordn toutda je verbindienge hersteld is.", - "Add room": "Gesprek toevoegn", "You seem to be uploading files, are you sure you want to quit?": "’t Ziet er noar uut da je bestandn an ’t iploadn zyt, zy je zeker da je wilt afsluutn?", "You seem to be in a call, are you sure you want to quit?": "’t Ziet er noar uut da je nog in gesprek zyt, zy je zeker da je wilt afsluutn?", "Search failed": "Zoekn mislukt", @@ -361,34 +296,7 @@ "Identity server URL does not appear to be a valid identity server": "De identiteitsserver-URL lykt geen geldige identiteitsserver te zyn", "General failure": "Algemene foute", "Session ID": "Sessie-ID", - "Passphrases must match": "Paswoordn moetn overeenkommn", - "Passphrase must not be empty": "Paswoord meug nie leeg zyn", - "Export room keys": "Gesprekssleuters exporteern", - "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 ku je de sleuters van jen ontvangn berichtn in versleuterde gesprekkn noar e lokoal bestand exporteern. Je kut dit bestand loater in een andere Matrix-cliënt importeern, zodat ook die cliënt deze berichtn ga kunn ountsleutern.", - "Enter passphrase": "Gif ’t paswoord in", - "Confirm passphrase": "Bevestig ’t paswoord", - "Import room keys": "Gesprekssleuters importeern", - "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 ku je de versleuteriengssleuters da j’uut een andere Matrix-cliënt had geëxporteerd importeern, zoda j’alle berichtn da ’t ander programma kostege ountsleutern ook hier goa kunn leezn.", - "The export file will be protected with a passphrase. You should enter the passphrase here, to decrypt the file.": "’t Geëxporteerd bestand is beveiligd met e paswoord. Gift da paswoord hier in vo ’t bestand t’ountsleutern.", - "File to import": "T’importeern bestand", - "That matches!": "Da komt overeen!", - "That doesn't match.": "Da kom nie overeen.", - "Go back to set it again.": "Goa were vo ’t herin te stelln.", - "Your keys are being backed up (the first backup could take a few minutes).": "’t Wordt e back-up van je sleuters gemakt (den eesten back-up kut e poar minuutn deurn).", - "Success!": "Gereed!", - "Unable to create key backup": "Kostege de sleuterback-up nie anmoakn", "Set up": "Instelln", - "New Recovery Method": "Nieuwe herstelmethode", - "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.": "A je gy deze nieuwe herstelmethode nie èt ingesteld, is ’t meuglik dat der een anvaller toegank tout jen account probeert te verkrygn. Wyzigt ounmiddellik jen accountpaswoord en stelt e nieuwe herstelmethode in in d’instelliengn.", - "Go to Settings": "Goa noa d’instelliengn", - "Set up Secure Messages": "Beveiligde berichtn instelln", - "Recovery Method Removed": "Herstelmethode verwyderd", - "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.": "A je de herstelmethode nie è verwyderd, is ’t meuglik dat der een anvaller toegank tout jen account probeert te verkrygn. Wyzigt ounmiddellik jen accountpaswoord en stelt e nieuwe herstelmethode in in d’instelliengn.", - "Uploaded sound": "Ipgeloadn-geluud", - "Sounds": "Geluudn", - "Notification sound": "Meldiengsgeluud", - "Set a new custom sound": "Stelt e nieuw angepast geluud in", - "Browse": "Bloadern", "Edited at %(date)s. Click to view edits.": "Bewerkt ip %(date)s. Klikt vo de bewerkiengn te bekykn.", "Message edits": "Berichtbewerkiengn", "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:": "Dit gesprek bywerkn vereist da je d’huudige instantie dervan ofsluut en in de plekke dervan e nieuw gesprek anmakt. Vo de gespreksleedn de best meuglike ervoarienge te biedn, goan me:", @@ -398,36 +306,10 @@ "Clear all data": "Alle gegeevns wissn", "Your homeserver doesn't seem to support this feature.": "Je thuusserver biedt geen oundersteunienge vo deze functie.", "Resend %(unsentCount)s reaction(s)": "%(unsentCount)s reactie(s) herverstuurn", - "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", - "Clear personal data": "Persoonlike gegeevns wissn", - "Checking server": "Server wor gecontroleerd", - "Disconnect from the identity server ?": "Wil je de verbindienge me den identiteitsserver verbreekn?", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "Je makt vo de moment gebruuk van vo deur je contactn gevoundn te kunn wordn, en von hunder te kunn viendn. Je kut hierounder jen identiteitsserver wyzign.", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "Je makt vo de moment geen gebruuk van een identiteitsserver. Voegt der hierounder één toe vo deur je contactn gevoundn te kunn wordn en von hunder te kunn viendn.", - "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.": "De verbindienge me jen identiteitsserver verbreekn goat dervoorn zorgn da je nie mi deur andere gebruukers gevoundn goa kunn wordn, en dat andere menschn je nie via e-mail of telefong goan kunn uutnodign.", - "Discovery": "Ountdekkienge", "Deactivate account": "Account deactiveern", - "Unable to revoke sharing for email address": "Kostege ’t deeln vo dat e-mailadresse hier nie intrekkn", - "Unable to share email address": "Kostege ’t e-mailadresse nie deeln", - "Discovery options will appear once you have added an email above.": "Ountdekkiengsopties goan verschynn a j’een e-mailadresse toegevoegd ghed èt.", - "Unable to revoke sharing for phone number": "Kostege ’t deeln vo dien telefongnumero hier nie intrekkn", - "Unable to share phone number": "Kostege den telefongnumero nie deeln", - "Please enter verification code sent via text.": "Gift de verificoasjecode in da je in een smse gekreegn ghed èt.", - "Discovery options will appear once you have added a phone number above.": "Ountdekkiengsopties goan verschynn a j’e telefongnumero toegevoegd ghed èt.", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "’t Is een smse versteur noa +%(msisdn)s. Gift de verificoasjecode in da derin stoat.", "Command Help": "Hulp by ipdrachtn", - "The identity server you have chosen does not have any terms of service.": "Den identiteitsserver da je gekozen ghed èt, èt geen dienstvoorwoardn.", - "Terms of service not accepted or the identity server is invalid.": "Dienstvoorwoardn nie anveird, of den identiteitsserver is oungeldig.", - "Enter a new identity server": "Gift e nieuwen identiteitsserver in", - "Remove %(email)s?": "%(email)s verwydern?", - "Remove %(phone)s?": "%(phone)s verwydern?", - "Explore rooms": "Gesprekkn ountdekkn", - "Identity server (%(server)s)": "Identiteitsserver (%(server)s)", - "Could not connect to identity server": "Kostege geen verbindienge moakn me den identiteitsserver", - "Not a valid identity server (status code %(code)s)": "Geen geldigen identiteitsserver (statuscode %(code)s)", - "Identity server URL must be HTTPS": "Den identiteitsserver-URL moet HTTPS zyn", "common": { "analytics": "Statistische gegeevns", "error": "Foute", @@ -472,7 +354,13 @@ "general": "Algemeen", "profile": "Profiel", "display_name": "Weergavenoame", - "user_avatar": "Profielfoto" + "user_avatar": "Profielfoto", + "authentication": "Authenticoasje", + "rooms": "Gesprekkn", + "low_priority": "Leige prioriteit", + "historical": "Historisch", + "go_to_settings": "Goa noa d’instelliengn", + "setup_secure_messages": "Beveiligde berichtn instelln" }, "action": { "continue": "Verdergoan", @@ -527,7 +415,9 @@ "refresh": "Herloadn", "mention": "Vermeldn", "submit": "Bevestign", - "unban": "Ountbann" + "unban": "Ountbann", + "unignore": "Nie mi negeern", + "explore_rooms": "Gesprekkn ountdekkn" }, "labs": { "pinning": "Bericht vastprikkn", @@ -549,7 +439,12 @@ "@room_description": "Loat dit an gans ’t groepsgesprek weetn", "notification_description": "Groepsgespreksmeldienge", "user_description": "Gebruukers" - } + }, + "room_upgraded_link": "’t Gesprek goat hier verder.", + "room_upgraded_notice": "Dit gesprek is vervangn gewist en is nie langer actief.", + "no_perms_notice": "J’èt geen toestemmienge voor in dit gesprek te postn", + "poll_button_no_perms_title": "Toestemmienge vereist", + "replying_title": "An ’t beantwoordn" }, "Code": "Code", "power_level": { @@ -609,7 +504,14 @@ "inline_url_previews_room_account": "URL-voorvertoniengn in dit gesprek inschoakeln (geldt alleene vo joun)", "inline_url_previews_room": "URL-voorvertoniengn standoard vo de gebruukers in dit gesprek inschoakeln", "voip": { - "mirror_local_feed": "Lokoale videoanvoer ook elders ipsloan (spiegeln)" + "mirror_local_feed": "Lokoale videoanvoer ook elders ipsloan (spiegeln)", + "missing_permissions_prompt": "Mediatoestemmiengn ountbreekn, klikt ip de knop hierounder vo deze an te vroagn.", + "request_permissions": "Mediatoestemmiengn verzoekn", + "audio_output": "Geluudsuutgang", + "audio_output_empty": "Geen geluudsuutgangn gedetecteerd", + "audio_input_empty": "Geen microfoons gevoundn", + "video_input_empty": "Geen webcams gevoundn", + "title": "Sproak & video" }, "security": { "send_analytics": "Statistische gegeevns (analytics) verstuurn", @@ -624,7 +526,8 @@ "delete_backup_confirm_description": "Zy je zeker? Je goa je versleuterde berichtn kwytspeeln a je sleuters nie correct geback-upt zyn.", "error_loading_key_backup_status": "Kostege de sleuterback-upstatus nie loadn", "restore_key_backup": "Herstelln uut back-up", - "key_backup_complete": "Alle sleuters zyn geback-upt" + "key_backup_complete": "Alle sleuters zyn geback-upt", + "ignore_users_section": "Genegeerde gebruukers" }, "preferences": { "room_list_heading": "Gesprekslyste", @@ -641,7 +544,57 @@ "email_address_in_use": "Dat e-mailadresse hier es al in gebruuk", "msisdn_in_use": "Dezen telefongnumero es al in gebruuk", "add_email_failed_verification": "Kostege ’t e-mailadresse nie verifieern: zorgt dervoor da je de koppelienge in den e-mail èt angeklikt", - "name_placeholder": "Geen weergavenoame" + "name_placeholder": "Geen weergavenoame", + "error_password_change_403": "Wyzign van ’t paswoord es mislukt. Es je paswoord wel juste?", + "emails_heading": "E-mailadressn", + "msisdns_heading": "Telefongnumero’s", + "deactivate_section": "Account deactiveern", + "account_management_section": "Accountbeheer", + "discovery_section": "Ountdekkienge", + "error_revoke_email_discovery": "Kostege ’t deeln vo dat e-mailadresse hier nie intrekkn", + "error_share_email_discovery": "Kostege ’t e-mailadresse nie deeln", + "error_email_verification": "Kostege ’t e-mailadresse nie verifieern.", + "discovery_email_empty": "Ountdekkiengsopties goan verschynn a j’een e-mailadresse toegevoegd ghed èt.", + "error_revoke_msisdn_discovery": "Kostege ’t deeln vo dien telefongnumero hier nie intrekkn", + "error_share_msisdn_discovery": "Kostege den telefongnumero nie deeln", + "error_msisdn_verification": "Kostege de telefongnumero nie verifieern.", + "incorrect_msisdn_verification": "Onjuste verificoasjecode", + "msisdn_verification_instructions": "Gift de verificoasjecode in da je in een smse gekreegn ghed èt.", + "msisdn_verification_field_label": "Verificoasjecode", + "discovery_msisdn_empty": "Ountdekkiengsopties goan verschynn a j’e telefongnumero toegevoegd ghed èt.", + "error_set_name": "Instelln van weergavenoame es mislukt", + "error_remove_3pid": "Kan contactinformoasje nie verwydern", + "remove_email_prompt": "%(email)s verwydern?", + "error_invalid_email": "Oungeldig e-mailadresse", + "error_invalid_email_detail": "’t En ziet er nie noar uut da dit e geldig e-mailadresse es", + "error_add_email": "Kostege ’t e-mailadresse nie toevoegn", + "add_email_instructions": "M'èn joun een e-mail gestuurd vo jen adresse te verifieern. Gelieve de doarin gegeven anwyziengn ip te volgn en ton ip de knop hierounder te klikkn.", + "email_address_label": "E-mailadresse", + "remove_msisdn_prompt": "%(phone)s verwydern?", + "add_msisdn_instructions": "’t Is een smse versteur noa +%(msisdn)s. Gift de verificoasjecode in da derin stoat.", + "msisdn_label": "Telefongnumero" + }, + "key_backup": { + "backup_in_progress": "’t Wordt e back-up van je sleuters gemakt (den eesten back-up kut e poar minuutn deurn).", + "backup_success": "Gereed!", + "cannot_create_backup": "Kostege de sleuterback-up nie anmoakn", + "setup_secure_backup": { + "pass_phrase_match_success": "Da komt overeen!", + "pass_phrase_match_failed": "Da kom nie overeen.", + "set_phrase_again": "Goa were vo ’t herin te stelln." + } + }, + "key_export_import": { + "export_title": "Gesprekssleuters exporteern", + "export_description_1": "Hiermee ku je de sleuters van jen ontvangn berichtn in versleuterde gesprekkn noar e lokoal bestand exporteern. Je kut dit bestand loater in een andere Matrix-cliënt importeern, zodat ook die cliënt deze berichtn ga kunn ountsleutern.", + "enter_passphrase": "Gif ’t paswoord in", + "confirm_passphrase": "Bevestig ’t paswoord", + "phrase_cannot_be_empty": "Paswoord meug nie leeg zyn", + "phrase_must_match": "Paswoordn moetn overeenkommn", + "import_title": "Gesprekssleuters importeern", + "import_description_1": "Hiermee ku je de versleuteriengssleuters da j’uut een andere Matrix-cliënt had geëxporteerd importeern, zoda j’alle berichtn da ’t ander programma kostege ountsleutern ook hier goa kunn leezn.", + "import_description_2": "’t Geëxporteerd bestand is beveiligd met e paswoord. Gift da paswoord hier in vo ’t bestand t’ountsleutern.", + "file_to_import": "T’importeern bestand" } }, "devtools": { @@ -903,7 +856,10 @@ "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" + "permissions_section_description_room": "Selecteert de rolln vereist vo verschillende deeln van ’t gesprek te wyzign", + "error_unbanning": "Ountbann mislukt", + "banned_by": "Verbann deur %(displayName)s", + "ban_reason": "Reedn" }, "security": { "enable_encryption_confirm_title": "Versleuterienge inschoakeln?", @@ -926,16 +882,26 @@ "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" + "url_previews_section": "URL-voorvertoniengn", + "aliases_section": "Gespreksadressn", + "other_section": "Overige" }, "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:" + "room_version": "Gespreksversie:", + "information_section_room": "Gespreksinformoasje" }, - "upload_avatar_label": "Avatar iploadn" + "upload_avatar_label": "Avatar iploadn", + "notifications": { + "uploaded_sound": "Ipgeloadn-geluud", + "sounds_section": "Geluudn", + "notification_sound": "Meldiengsgeluud", + "custom_sound_prompt": "Stelt e nieuw angepast geluud in", + "browse_button": "Bloadern" + } }, "encryption": { "verification": { @@ -953,7 +919,15 @@ "export_unsupported": "Je browser oundersteunt de benodigde cryptografie-extensies nie", "import_invalid_keyfile": "Geen geldig %(brand)s-sleuterbestand", "import_invalid_passphrase": "Anmeldiengscontrole mislukt: verkeerd paswoord?", - "not_supported": "" + "not_supported": "", + "new_recovery_method_detected": { + "title": "Nieuwe herstelmethode", + "warning": "A je gy deze nieuwe herstelmethode nie èt ingesteld, is ’t meuglik dat der een anvaller toegank tout jen account probeert te verkrygn. Wyzigt ounmiddellik jen accountpaswoord en stelt e nieuwe herstelmethode in in d’instelliengn." + }, + "recovery_method_removed": { + "title": "Herstelmethode verwyderd", + "warning": "A je de herstelmethode nie è verwyderd, is ’t meuglik dat der een anvaller toegank tout jen account probeert te verkrygn. Wyzigt ounmiddellik jen accountpaswoord en stelt e nieuwe herstelmethode in in d’instelliengn." + } }, "auth": { "sign_in_with_sso": "Anmeldn met enkele anmeldienge", @@ -1022,7 +996,9 @@ "autodiscovery_unexpected_error_hs": "Ounverwachte foute by ’t controleern van de thuusserverconfiguroasje", "autodiscovery_unexpected_error_is": "Ounverwachte foute by ’t iplossn van d’identiteitsserverconfiguroasje", "incorrect_credentials_detail": "Zy je dervan bewust da je jen anmeldt by de %(hs)s-server, nie by matrix.org.", - "create_account_title": "Account anmoakn" + "create_account_title": "Account anmoakn", + "failed_soft_logout_homeserver": "’t Heranmeldn is mislukt omwille van e probleem me de thuusserver", + "soft_logout_subheading": "Persoonlike gegeevns wissn" }, "export_chat": { "messages": "Berichtn" @@ -1079,7 +1055,8 @@ }, "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" + "failed_add_tag": "Toevoegn van %(tagName)s-label an gesprek is mislukt", + "add_room_label": "Gesprek toevoegn" }, "room": { "drop_file_prompt": "Versleep ’t bestand noar hier vo ’t ip te loaden", @@ -1093,7 +1070,28 @@ "context_menu": { "favourite": "Favoriet", "low_priority": "Leige prioriteit" - } + }, + "invite_this_room": "Uutnodign in dit gesprek", + "header": { + "forget_room_button": "Gesprek vergeetn" + }, + "join_title_account": "Neemt deel an ’t gesprek met een account", + "join_button_account": "Registreern", + "kick_reason": "Reden: %(reason)s", + "forget_room": "Dit gesprek vergeetn", + "rejoin_button": "Were toetreedn", + "banned_from_room_by": "Je zyt uut %(roomName)s verbann gewist deur %(memberName)s", + "3pid_invite_error_title_room": "’t Es etwa misgegoan me jen uutnodigienge voor %(roomName)s", + "3pid_invite_error_invite_subtitle": "Je kut ’t gesprek alleene moa toetreedn met e werkende uutnodigienge.", + "3pid_invite_error_invite_action": "Algelyk probeern deelneemn", + "join_the_discussion": "Neemt deel an ’t gesprek", + "dm_invite_title": "Wil j’e gesprek beginn me %(user)s?", + "invite_title": "Wil je %(roomName)s toetreedn?", + "invite_subtitle": " èt joun uutgenodigd", + "peek_join_prompt": "Je bekykt %(roomName)s. Wil je deran deelneemn?", + "no_peek_join_prompt": "%(roomName)s ku nie bekeekn wordn. Wil je deran deelneemn?", + "not_found_title_name": "%(roomName)s bestoa nie.", + "inaccessible_name": "%(roomName)s es vo de moment nie toegankelik." }, "file_panel": { "guest_note": "Je moe je registreern vo deze functie te gebruukn", @@ -1176,7 +1174,9 @@ }, "notifications": { "enable_prompt_toast_title": "Meldiengn", - "class_other": "Overige" + "class_other": "Overige", + "default": "Standoard", + "all_messages": "Alle berichtn" }, "room_summary_card_back_action_label": "Gespreksinformoasje", "onboarding": { @@ -1185,5 +1185,24 @@ "lightbox": { "rotate_left": "Links droain", "rotate_right": "Rechts droain" + }, + "identity_server": { + "url_not_https": "Den identiteitsserver-URL moet HTTPS zyn", + "error_invalid": "Geen geldigen identiteitsserver (statuscode %(code)s)", + "error_connection": "Kostege geen verbindienge moakn me den identiteitsserver", + "checking": "Server wor gecontroleerd", + "error_invalid_or_terms": "Dienstvoorwoardn nie anveird, of den identiteitsserver is oungeldig.", + "no_terms": "Den identiteitsserver da je gekozen ghed èt, èt geen dienstvoorwoardn.", + "disconnect_server": "Wil je de verbindienge me den identiteitsserver verbreekn?", + "url": "Identiteitsserver (%(server)s)", + "description_connected": "Je makt vo de moment gebruuk van vo deur je contactn gevoundn te kunn wordn, en von hunder te kunn viendn. Je kut hierounder jen identiteitsserver wyzign.", + "description_disconnected": "Je makt vo de moment geen gebruuk van een identiteitsserver. Voegt der hierounder één toe vo deur je contactn gevoundn te kunn wordn en von hunder te kunn viendn.", + "disconnect_warning": "De verbindienge me jen identiteitsserver verbreekn goat dervoorn zorgn da je nie mi deur andere gebruukers gevoundn goa kunn wordn, en dat andere menschn je nie via e-mail of telefong goan kunn uutnodign.", + "url_field_label": "Gift e nieuwen identiteitsserver in" + }, + "member_list": { + "invited_list_heading": "Uutgenodigd", + "filter_placeholder": "Gespreksleedn filtern", + "power_label": "%(userName)s (macht %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/zh_Hans.json b/src/i18n/strings/zh_Hans.json index cc6fead9a1..8a1aadaad4 100644 --- a/src/i18n/strings/zh_Hans.json +++ b/src/i18n/strings/zh_Hans.json @@ -1,27 +1,16 @@ { - "Deactivate Account": "停用账户", "Decrypt %(text)s": "解密 %(text)s", - "Default": "默认", "Download %(text)s": "下载 %(text)s", "Email address": "邮箱地址", "Error decrypting attachment": "解密附件时出错", "Failed to ban user": "封禁失败", - "Failed to change password. Is your password correct?": "修改密码失败。确认原密码输入正确吗?", "Failed to forget room %(errCode)s": "忘记房间失败,错误代码: %(errCode)s", "Failed to load timeline position": "加载时间线位置失败", "Failed to mute user": "禁言用户失败", "Failed to reject invite": "拒绝邀请失败", "Failed to reject invitation": "拒绝邀请失败", - "Failed to set display name": "设置显示名称失败", - "Failed to unban": "解除封禁失败", - "Filter room members": "过滤房间成员", - "Forget room": "忘记房间", - "Historical": "历史", - "Incorrect verification code": "验证码错误", - "Invalid Email Address": "邮箱地址格式错误", "Invalid file%(extra)s": "无效文件 %(extra)s", "Return to login screen": "返回登录页面", - "Rooms": "房间", "Search failed": "搜索失败", "Server may be unavailable, overloaded, or search timed out :(": "服务器可能不可用、超载,或者搜索超时 :(", "Session ID": "会话 ID", @@ -30,9 +19,6 @@ "Join Room": "加入房间", "Jump to first unread message.": "跳到第一条未读消息。", "Admin Tools": "管理员工具", - "No Microphones detected": "未检测到麦克风", - "No Webcams detected": "未检测到摄像头", - "Authentication": "认证", "%(items)s and %(lastItem)s": "%(items)s 和 %(lastItem)s", "and %(count)s others...": { "other": "和其他%(count)s个人……", @@ -42,37 +28,21 @@ "Are you sure you want to leave the room '%(roomName)s'?": "你确定要离开房间 “%(roomName)s” 吗?", "Are you sure you want to reject the invitation?": "你确定要拒绝邀请吗?", "Custom level": "自定义级别", - "Enter passphrase": "输入口令词组", "Home": "主页", - "Invited": "已邀请", "Moderator": "协管员", "not specified": "未指定", "Create new room": "创建新房间", "unknown error code": "未知错误代码", - "Low priority": "低优先级", "No more results": "没有更多结果", - "Reason": "理由", "Reject invitation": "拒绝邀请", "Warning!": "警告!", "Connectivity to the server has been lost.": "到服务器的连接已经丢失。", - "Passphrases must match": "口令词组必须匹配", - "Passphrase must not be empty": "口令词组不能为空", - "Export room keys": "导出房间密钥", - "Confirm passphrase": "确认口令词组", - "Import room keys": "导入房间密钥", - "File to import": "要导入的文件", "Unable to restore session": "无法恢复会话", "New passwords must match each other.": "新密码必须互相匹配。", - "%(roomName)s does not exist.": "%(roomName)s 不存在。", "This room has no local addresses": "此房间没有本地地址", - "This doesn't appear to be a valid email address": "这似乎不是有效的邮箱地址", "Please check your email and click on the link it contains. Once this is done, click continue.": "请检查你的电子邮箱并点击里面包含的链接。完成时请点击继续。", "AM": "上午", "PM": "下午", - "%(roomName)s is not accessible at this time.": "%(roomName)s 此时无法访问。", - "Unable to add email address": "无法添加邮箱地址", - "Unable to verify email address.": "无法验证邮箱地址。", - "You do not have permission to post to this room": "你没有在此房间发送消息的权限", "You seem to be in a call, are you sure you want to quit?": "你似乎正在通话,确定要退出吗?", "You seem to be uploading files, are you sure you want to quit?": "你似乎正在上传文件,确定要退出吗?", "Error decrypting image": "解密图像时出错", @@ -103,11 +73,9 @@ "Nov": "十一月", "Dec": "十二月", "Confirm Removal": "确认移除", - "Unable to remove contact information": "无法移除联系人信息", "Add an Integration": "添加集成", "This will allow you to reset your password and receive notifications.": "这将允许你重置你的密码和接收通知。", "Send": "发送", - "Unignore": "取消忽略", "Jump to read receipt": "跳到阅读回执", "Unnamed room": "未命名的房间", "Delete Widget": "删除挂件", @@ -117,13 +85,10 @@ "%(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 封禁", "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.": "如果你是房间中最后一位拥有权限的用户,在你降低自己的权限等级后将无法撤销此修改,你将无法重新获得权限。", "You will not be able to undo this change as you are promoting the user to have the same power level as yourself.": "你将无法撤回此修改,因为此用户的权力级别将与你相同。", - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s(权力 %(powerLevelNumber)s)", "%(duration)ss": "%(duration)s 秒", "%(duration)sm": "%(duration)s 分钟", "%(duration)sh": "%(duration)s 小时", @@ -135,9 +100,6 @@ "one": "正在上传 %(filename)s 与其他 %(count)s 个文件" }, "Uploading %(filename)s": "正在上传 %(filename)s", - "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 客户端中导出的加密密钥文件。导入完成后,你将能够解密那个客户端可以解密的加密消息。", "Tried to load a specific point in this room's timeline, but was unable to find it.": "尝试加载此房间的时间线的特定时间点,但是无法找到。", "Sunday": "星期日", "Today": "今天", @@ -154,8 +116,6 @@ "All Rooms": "全部房间", "Wednesday": "星期三", "You cannot delete this message. (%(code)s)": "你无法删除这条消息。(%(code)s)", - "All messages": "全部消息", - "Invite to this room": "邀请到此房间", "Thursday": "星期四", "Search…": "搜索…", "Logs sent": "日志已发送", @@ -168,7 +128,6 @@ }, "Demote yourself?": "是否降低你自己的权限?", "Demote": "降权", - "Permission Required": "需要权限", "This event could not be displayed": "无法显示此事件", "Share Link to User": "分享链接给其他用户", "Share room": "分享房间", @@ -184,10 +143,6 @@ "This room is not public. You will not be able to rejoin without an invite.": "此房间不是公开房间。如果没有成员邀请,你将无法重新加入。", "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": "未检测到可用的音频输出方式", - "Audio Output": "音频输出", - "This room has been replaced and is no longer active.": "此房间已被取代,且不再活跃。", - "The conversation continues here.": "对话在这里继续。", "Only room administrators will see this warning": "此警告仅房间管理员可见", "Failed to upgrade room": "房间升级失败", "The room upgrade could not be completed": "房间可能没有完整地升级", @@ -208,7 +163,6 @@ "No backup found!": "找不到备份!", "Unable to restore backup": "无法还原备份", "Unable to load backup status": "无法获取备份状态", - "Go to Settings": "打开设置", "Dog": "狗", "Cat": "猫", "Lion": "狮子", @@ -271,23 +225,9 @@ "Anchor": "锚", "Headphones": "耳机", "Folder": "文件夹", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "我们已向你发送了一封电子邮件,以验证你的地址。 请按照里面的说明操作,然后单击下面的按钮。", - "Email Address": "电子邮箱地址", "Encrypted messages are secured with end-to-end encryption. Only you and the recipient(s) have the keys to read these messages.": "加密消息已使用端到端加密保护。只有你和拥有密钥的收件人可以阅读这些消息。", "Back up your keys before signing out to avoid losing them.": "在登出之前请备份密钥以免丢失。", "Start using Key Backup": "开始使用密钥备份", - "Unable to verify phone number.": "无法验证电话号码。", - "Verification code": "验证码", - "Phone Number": "电话号码", - "Email addresses": "电子邮箱地址", - "Phone numbers": "电话号码", - "Account management": "账户管理", - "Ignored users": "已忽略的用户", - "Missing media permissions, click the button below to request.": "缺少媒体权限,点击下面的按钮以请求权限。", - "Request media permissions": "请求媒体权限", - "Voice & Video": "语音和视频", - "Room information": "房间信息", - "Room Addresses": "房间地址", "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.": "更新房间的主要地址时发生错误。可能是此服务器不允许,也可能是出现了一个临时错误。", @@ -322,17 +262,6 @@ "Invalid homeserver discovery response": "无效的家服务器搜索响应", "Invalid identity server discovery response": "无效的身份服务器搜索响应", "General failure": "一般错误", - "That matches!": "匹配成功!", - "That doesn't match.": "不匹配。", - "Go back to set it again.": "返回重新设置。", - "Your keys are being backed up (the first backup could take a few minutes).": "正在备份你的密钥(第一次备份可能会花费几分钟时间)。", - "Success!": "成功!", - "Unable to create key backup": "无法创建密钥备份", - "New Recovery Method": "新恢复方式", - "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.": "如果你没有设置新恢复方式,可能有攻击者正试图侵入你的账户。请立即更改你的账户密码并在设置中设定一个新恢复方式。", - "Set up Secure Messages": "设置安全消息", - "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.": "如果你没有移除此恢复方式,可能有攻击者正试图侵入你的账户。请立即更改你的账户密码并在设置中设定一个新的恢复方式。", "Power level": "权力级别", "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.": "升级此房间将会关闭房间的当前实例并创建一个具有相同名称的升级版房间。", @@ -352,60 +281,11 @@ "Lock": "锁", "Show more": "显示更多", "This backup is trusted because it has been restored on this session": "此备份是受信任的因为它恢复到了此会话上", - "Checking server": "检查服务器", - "Change identity server": "更改身份服务器", - "Disconnect from the identity server and connect to instead?": "从身份服务器断开连接而连接到吗?", - "Terms of service not accepted or the identity server is invalid.": "服务协议未同意或身份服务器无效。", - "The identity server you have chosen does not have any terms of service.": "你选择的身份服务器没有服务协议。", - "Disconnect identity server": "断开身份服务器连接", - "Disconnect from the identity server ?": "从身份服务器 断开连接吗?", - "You should remove your personal data from identity server before disconnecting. Unfortunately, identity server is currently offline or cannot be reached.": "断开连接前,你应从身份服务器删除你的个人数据。不幸的是,身份服务器当前处于离线状态或无法访问。", - "You should:": "你应该:", - "contact the administrators of identity server ": "联系身份服务器 的管理员", - "wait and try again later": "等待并稍后重试", - "Disconnect anyway": "仍然断开连接", - "You are still sharing your personal data on the identity server .": "你仍然在身份服务器 共享你的个人数据。", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "我们推荐你在断开连接前从身份服务器上删除你的邮箱地址和电话号码。", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "你正在使用来发现你认识的现存联系人,同时也让他们可以发现你。你可以在下方更改你的身份服务器。", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "如果你不想使用 以发现你认识的现存联系人并被其发现,请在下方输入另一个身份服务器。", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "你现在没有使用身份服务器。若想发现你认识的现存联系人并被其发现,请在下方添加一个身份服务器。", - "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.": "断开身份服务器连接意味着你将无法被其他用户发现,同时你也将无法使用电子邮件或电话邀请别人。", - "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": "输入一个新的身份服务器", - "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": "发现", - "None": "无", - "Uploaded sound": "已上传的声音", - "Sounds": "声音", - "Notification sound": "通知声音", - "Set a new custom sound": "设置新的自定义声音", - "Browse": "浏览", - "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": "更改权力级别时出错", - "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "更改此用户的权力级别时出错。请确保你有足够权限后重试。", - "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.": "点击你所收到的电子邮件中的链接进行验证,然后再次点击继续。", - "Verify the link in your inbox": "验证你的收件箱中的链接", - "Discovery options will appear once you have added an email above.": "你在上方添加邮箱后发现选项将会出现。", - "Unable to share phone number": "无法共享电话号码", - "Please enter verification code sent via text.": "请输入短信中发送的验证码。", - "Discovery options will appear once you have added a phone number above.": "你添加电话号码后发现选项将会出现。", - "Remove %(email)s?": "删除 %(email)s 吗?", - "Remove %(phone)s?": "删除 %(phone)s 吗?", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "一封短信已发送至 +%(msisdn)s。请输入其中包含的验证码。", "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.": "你验证了此用户。此用户已验证了其全部会话。", - "check your browser plugins for anything that might block the identity server (such as Privacy Badger)": "检查你的浏览器是否安装有可能屏蔽身份服务器的插件(例如 Privacy Badger)", - "Manage integrations": "管理集成", "Deactivate account": "停用账户", "To report a Matrix-related security issue, please read the Matrix.org Security Disclosure Policy.": "要报告 Matrix 相关的安全问题,请阅读 Matrix.org 的安全公开策略。", - "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": "桥接", "Someone is using an unknown session": "有人在使用未知会话", "This room is end-to-end encrypted": "此房间是端到端加密的", "Everyone in this room is verified": "房间中所有人都已被验证", @@ -415,34 +295,6 @@ "Encrypted by a deleted session": "由已删除的会话加密", "The authenticity of this encrypted message can't be guaranteed on this device.": "此加密消息的真实性无法在此设备上保证。", "Scroll to most recent messages": "滚动到最近的消息", - "Close preview": "关闭预览", - "Italics": "斜体", - "Room %(name)s": "房间 %(name)s", - "No recently visited rooms": "没有最近访问过的房间", - "Join the conversation with an account": "使用一个账户加入对话", - "Sign Up": "注册", - "Reason: %(reason)s": "原因:%(reason)s", - "Forget this room": "忘记此房间", - "Re-join": "重新加入", - "You were banned from %(roomName)s by %(memberName)s": "你被 %(memberName)s 从 %(roomName)s 封禁了", - "Something went wrong with your invite to %(roomName)s": "你到 %(roomName)s 的邀请出错", - "Try to join anyway": "仍然尝试加入", - "Join the discussion": "加入讨论", - "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 中直接接收邀请,请在设置中将你的账户连接到此邮箱。", - "This invite to %(roomName)s was sent to %(email)s": "这个到 %(roomName)s 的邀请是发送给 %(email)s 的", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "要直接在 %(brand)s 中接收邀请,请在设置中使用一个身份服务器。", - "Share this email in Settings to receive invites directly in %(brand)s.": "要在 %(brand)s 中直接接收邀请,请在设置中共享此邮箱。", - "Do you want to chat with %(user)s?": "你想和 %(user)s 聊天吗?", - " wants to chat": " 想聊天", - "Start chatting": "开始聊天", - "Do you want to join %(roomName)s?": "你想加入 %(roomName)s 吗?", - " invited you": " 邀请了你", - "Reject & Ignore user": "拒绝并忽略用户", - "You're previewing %(roomName)s. Want to join it?": "你正在预览 %(roomName)s。想加入吗?", - "%(roomName)s can't be previewed. Do you want to join it?": "%(roomName)s 不能被预览。你想加入吗?", - "Add room": "添加房间", - "Room options": "房间选项", "This room is public": "此房间为公共的", "This room has already been upgraded.": "此房间已经被升级。", "Failed to connect to integration manager": "连接至集成管理器失败", @@ -646,42 +498,15 @@ "Successfully restored %(sessionCount)s keys": "成功恢复了 %(sessionCount)s 个密钥", "Resend %(unsentCount)s reaction(s)": "重新发送%(unsentCount)s个反应", "Sign in with SSO": "使用单点登录", - "Explore rooms": "探索房间", "Switch theme": "切换主题", "Failed to get autodiscovery configuration from server": "从服务器获取自动发现配置时失败", "Invalid base_url for m.homeserver": "m.homeserver 的 base_url 无效", "Homeserver URL does not appear to be a valid Matrix homeserver": "家服务器链接不像是有效的 Matrix 家服务器", "Invalid base_url for m.identity_server": "m.identity_server 的 base_url 无效", "Identity server URL does not appear to be a valid identity server": "身份服务器链接不像是有效的身份服务器", - "Failed to re-authenticate due to a homeserver problem": "由于家服务器的问题,重新认证失败", - "Clear personal data": "清除个人数据", "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.": "通过在你的服务器上备份加密密钥来防止丢失你对加密消息和数据的访问权。", - "Generate a Security Key": "生成一个安全密钥", - "Enter a Security Phrase": "输入一个安全密码", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "使用一个只有你知道的密码,你也可以保存安全密钥以供备份使用。", - "Enter your account password to confirm the upgrade:": "输入你的账户密码以确认升级:", - "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.": "更新此会话以允许其验证其他会话、允许其他会话访问加密消息,并将它们对别的用户标记为已信任。", - "Use a different passphrase?": "使用不同的口令词组?", - "Unable to query secret storage status": "无法查询秘密存储状态", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "如果你现在取消,你可能会丢失加密的消息和数据,如果你丢失了登录信息的话。", - "You can also set up Secure Backup & manage your keys in Settings.": "你也可以在设置中设置安全备份并管理你的密钥。", - "Upgrade your encryption": "更新你的加密方法", - "Set a Security Phrase": "设置一个安全密码", - "Confirm Security Phrase": "确认安全密码", - "Save your Security Key": "保存你的安全密钥", - "Unable to set up secret storage": "无法设置秘密存储", - "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.": "如果你出于意外这样做了,你可以在此会话上设置安全消息,以使用新的加密方式重新加密此会话的消息历史。", "IRC display name width": "IRC 显示名称宽度", - "Unable to revoke sharing for email address": "无法撤消电子邮件地址共享", - "Unable to revoke sharing for phone number": "无法撤销电话号码共享", - "Explore public rooms": "探索公共房间", - "You can only join it with a working invite.": "你只能通过有效邀请加入。", "Language Dropdown": "语言下拉菜单", "Preparing to download logs": "正在准备下载日志", "%(brand)s encountered an error during upload of:": "%(brand)s 在上传此文件时出错:", @@ -760,11 +585,7 @@ "Server Options": "服务器选项", "Information": "信息", "Not encrypted": "未加密", - "Add existing room": "添加现有的房间", "Open dial pad": "打开拨号键盘", - "Show Widgets": "显示挂件", - "Hide Widgets": "隐藏挂件", - "Invite to this space": "邀请至此空间", "Your message was sent": "消息已发送", "Leave space": "离开空间", "Create a space": "创建空间", @@ -875,8 +696,6 @@ "Invite to %(roomName)s": "邀请至 %(roomName)s", "Invite by email": "通过邮箱邀请", "Edit devices": "编辑设备", - "Suggested Rooms": "建议的房间", - "Recently visited rooms": "最近访问的房间", "Zimbabwe": "津巴布韦", "Zambia": "赞比亚", "Western Sahara": "西撒哈拉", @@ -955,7 +774,6 @@ "Malta": "马耳他", "Mali": "马里", "Ignored attempt to disable encryption": "已忽略禁用加密的尝试", - "Confirm your Security Phrase": "确认你的安全短语", "Sint Maarten": "圣马丁岛", "Slovenia": "斯洛文尼亚", "Singapore": "新加坡", @@ -994,11 +812,6 @@ "Guernsey": "根西岛", "Unable to access secret storage. Please verify that you entered the correct Security Phrase.": "无法访问秘密存储。请确认你输入了正确的安全短语。", "Backup could not be decrypted with this Security Key: please verify that you entered the correct Security Key.": "无法使用此安全密钥解密备份:请检查你输入的安全密钥是否正确。", - "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.": "检测到新的安全短语和安全消息密钥。", - "Enter your Security Phrase a second time to confirm it.": "再次输入你的安全短语进行确认。", - "Great! This Security Phrase looks strong enough.": "棒!这个安全短语看着够强。", - "Verify your identity to access encrypted messages and prove your identity to others.": "验证你的身份来获取已加密的消息并向其他人证明你的身份。", "You can select all or individual messages to retry or delete": "你可以选择全部或单独的消息来重试或删除", "Sending": "正在发送", "Delete all": "删除全部", @@ -1029,8 +842,6 @@ "Start a conversation with someone using their name, email address or username (like ).": "使用某人的名称、电子邮箱地址或用户名来与其开始对话(如 )。", "A call can only be transferred to a single user.": "通话只能转移到单个用户。", "We couldn't create your DM.": "我们无法创建你的私聊。", - "Private space": "私有空间", - "Public space": "公开空间", "Search names and descriptions": "搜索名称和描述", "You may want to try a different search or check for typos.": "你可能要尝试其他搜索或检查是否有错别字。", "You may contact me if you have any follow up questions": "如果你有任何后续问题,可以联系我", @@ -1067,7 +878,6 @@ "We were unable to access your microphone. Please check your browser settings and try again.": "我们无法访问你的麦克风。 请检查浏览器设置并重试。", "Unable to access your microphone": "无法访问你的麦克风", "Failed to send": "发送失败", - "You have no ignored users.": "你没有设置忽略用户。", "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.": "你是这里唯一的人。如果你离开了,以后包括你在内任何人都将无法加入。", @@ -1084,10 +894,6 @@ "Access your secure message history and set up secure messaging by entering your Security Phrase.": "无法通过你的安全短语访问你的安全消息历史记录并设置安全通信。", "Backup could not be decrypted with this Security Phrase: please verify that you entered the correct Security Phrase.": "无法使用此安全短语解密备份:请确认你是否输入了正确的安全短语。", "Incorrect Security Phrase": "安全短语错误", - "Currently joining %(count)s rooms": { - "one": "目前正在加入 %(count)s 个房间", - "other": "目前正在加入 %(count)s 个房间" - }, "Or send invite link": "或发送邀请链接", "Some suggestions may be hidden for privacy.": "出于隐私考虑,部分建议可能会被隐藏。", "Search for rooms or people": "搜索房间或用户", @@ -1104,22 +910,12 @@ "Published addresses can be used by anyone on any server to join your room.": "任何服务器上的人均可通过公布的地址加入你的房间。", "Published addresses can be used by anyone on any server to join your space.": "任何服务器上的人均可通过公布的地址加入你的空间。", "This space has no local addresses": "此空间没有本地地址", - "Space information": "空间信息", - "Address": "地址", "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "你的 %(brand)s 不允许你使用集成管理器来完成此操作,请联系管理员。", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "集成管理器接收配置数据,并可以以你的名义修改挂件、发送房间邀请及设置权力级别。", - "Use an integration manager to manage bots, widgets, and sticker packs.": "使用集成管理器管理机器人、挂件和贴纸包。", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "使用集成管理器(%(serverName)s)管理机器人、挂件和贴纸包。", - "Identity server (%(server)s)": "身份服务器(%(server)s)", - "Could not connect to identity server": "无法连接到身份服务器", - "Not a valid identity server (status code %(code)s)": "身份服务器无效(状态码 %(code)s)", - "Identity server URL must be HTTPS": "身份服务器URL必须是HTTPS", "Send voice message": "发送语音消息", "Unable to copy a link to the room to the clipboard.": "无法将房间的链接复制到剪贴板。", "Unable to copy room link": "无法复制房间链接", "Error downloading audio": "下载音频时出错", "Unnamed audio": "未命名的音频", - "Add space": "添加空间", "Please note upgrading will make a new version of the room. All current messages will stay in this archived room.": "请注意升级将使这个房间有一个新版本。所有当前的消息都将保留在此存档房间中。", "Automatically invite members from this room to the new one": "自动邀请该房间的成员加入新房间", "These are likely ones other room admins are a part of.": "这些可能是其他房间管理员的一部分。", @@ -1141,7 +937,6 @@ "Anyone in will be able to find and join.": " 中的任何人都可以找到并加入。", "Private space (invite only)": "私有空间(仅邀请)", "Space visibility": "空间可见度", - "Public room": "公共房间", "Adding spaces has moved.": "新增空间已移动。", "Search for rooms": "搜索房间", "Search for spaces": "搜索空间", @@ -1161,17 +956,10 @@ "Call back": "回拨", "Call declined": "拒绝通话", "Stop recording": "停止录制", - "Show %(count)s other previews": { - "one": "显示 %(count)s 个其他预览", - "other": "显示 %(count)s 个其他预览" - }, "Rooms and spaces": "房间与空间", "Results": "结果", "Some encryption parameters have been changed.": "一些加密参数已更改。", "Role in ": " 中的角色", - "Unknown failure": "未知失败", - "Failed to update the join rules": "未能更新加入列表", - "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?": "你想俩开此空间内的房间吗?", "You are about to leave .": "你即将离开 。", @@ -1181,12 +969,6 @@ "MB": "MB", "In reply to this message": "答复此消息", "Export chat": "导出聊天", - "Verify with Security Key or Phrase": "使用安全密钥或短语进行验证", - "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.": "无法撤消重置验证密钥的操作。重置后,你将无法访问旧的加密消息,任何之前验证过你的朋友将看到安全警告,直到你再次和他们进行验证。", - "I'll verify later": "我稍后进行验证", - "Verify with Security Key": "使用安全密钥进行验证", - "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.": "看起来你没有安全密钥或者任何其他可以验证的设备。 此设备将无法访问旧的加密消息。为了在这个设备上验证你的身份,你需要重置你的验证密钥。", "Skip verification for now": "暂时跳过验证", "Really reset verification keys?": "确实要重置验证密钥?", "Disinvite from %(roomName)s": "取消邀请加入 %(roomName)s", @@ -1205,30 +987,19 @@ }, "View in room": "在房间内查看", "Enter your Security Phrase or to continue.": "输入安全短语或以继续。", - "Insert link": "插入链接", "Joined": "已加入", "Joining": "加入中", - "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.": "如果不进行验证,您将无法访问您的所有消息,并且在其他人看来可能不受信任。", "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": "你或其他用户的会话", "Yours, or the other users' internet connection": "你或其他用户的互联网连接", "The homeserver the user you're verifying is connected to": "你正在验证的用户所连接的家服务器", - "This room isn't bridging messages to any platforms. Learn more.": "这个房间不会将消息桥接到任何平台。了解更多", - "You do not have permission to start polls in this room.": "你无权在此房间启动投票。", "Copy link to thread": "复制到消息列的链接", "Thread options": "消息列选项", "Reply in thread": "在消息列中回复", "Forget": "忘记", "Files": "文件", - "You won't get any notifications": "你不会收到任何通知", - "Get notified only with mentions and keywords as set up in your settings": "如设置中设定的那样仅通知提及和关键词", - "@mentions & keywords": "@提及和关键词", - "Get notified for every message": "获得每条消息的通知", - "Get notifications as set up in your settings": "如设置中设定的那样获取通知", "Close this widget to view it in this panel": "关闭此小部件以在此面板中查看", "Unpin this widget to view it in this panel": "取消固定此小部件以在此面板中查看", "%(spaceName)s and %(count)s others": { @@ -1252,12 +1023,6 @@ "Messaging": "消息传递", "Spaces you know that contain this space": "你知道的包含这个空间的空间", "Chat": "聊天", - "Home options": "主页选项", - "%(spaceName)s menu": "%(spaceName)s菜单", - "Join public room": "加入公共房间", - "Add people": "加人", - "Invite to space": "邀请到空间", - "Start new chat": "开始新的聊天", "Recently viewed": "最近查看", "%(count)s votes cast. Vote to see the results": { "one": "票数已达 %(count)s 票。要查看结果请亲自投票", @@ -1294,56 +1059,21 @@ "other": "%(count)s 名参与者", "one": "一名参与者" }, - "Joining…": "加入中…", "Open thread": "打开消息列", - "To join, please enable video rooms in Labs first": "加入前请在实验室允许虚拟房间", - "To view, please enable video rooms in Labs first": "查看前请在实验室允许虚拟房间", - "To view %(roomName)s, you need an invite": "你需要一个邀请来查看 %(roomName)s", - "Try again later, or ask a room or space admin to check if you have access.": "等一会儿再试或联系管理员检查你是否拥有访问权限。", - "This room or space is not accessible at this time.": "这个房间或空间当前不可访问。", - "This room or space does not exist.": "这个房间或空间不存在。", - "This invite was sent to %(email)s which is not associated with your account": "该邀请被发送到了与你的账户无关的 %(email)s", - "You can still join here.": "你依旧可以加入这里。", - "Something went wrong with your invite.": "你的邀请出了问题。", - "Forget this space": "忘记此空间", - "You were removed by %(memberName)s": "%(memberName)s 将你移出了这里", - "You were removed from %(roomName)s by %(memberName)s": "%(memberName)s 将你移出了 %(roomName)s", - "Loading preview": "加载预览中", - "You were banned by %(memberName)s": "你被 %(memberName)s 封禁", - "This invite was sent to %(email)s": "邀请已被发送到 %(email)s", - "There's no preview, would you like to join?": "这里没有预览, 你是否要加入?", - "Are you sure you're at the right place?": "你确定你位于正确的地方?", "Show Labs settings": "显示实验室设置", "Add new server…": "添加新的服务器…", "Verify other device": "验证其他设备", - "Verify with another device": "使用其他设备进行验证", "Unban from space": "从空间取消封锁", "Disinvite from room": "从房间取消邀请", "Remove from space": "从空间移除", "Disinvite from space": "从空间取消邀请", "Saved Items": "已保存的项目", - "Private room": "私有房间", - "Video room": "视频房间", - "Read receipts": "已读回执", - "Seen by %(count)s people": { - "one": "已被%(count)s人查看", - "other": "已被%(count)s人查看" - }, "%(members)s and %(last)s": "%(members)s和%(last)s", "%(members)s and more": "%(members)s和更多", - "Poll": "投票", - "Voice Message": "语音消息", - "Hide stickers": "隐藏贴纸", "From a thread": "来自消息列", "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.": "你的新设备已通过验证。它现在可以访问你的加密消息,并且其它用户会将其视为受信任的。", - "Deactivating your account is a permanent action — be careful!": "停用你的账户是永久性动作——小心!", - "Your password was successfully changed.": "你的密码已成功更改。", "Explore public spaces in the new search dialog": "在新的搜索对话框中探索公开空间", - "Join the room to participate": "加入房间以参与", "Can't create a thread from an event with an existing relation": "无法从既有关系的事件创建消息列", "%(featureName)s Beta feedback": "%(featureName)sBeta反馈", "Use to scroll": "用来滚动", @@ -1352,7 +1082,6 @@ "Wait!": "等等!", "This address does not point at this room": "此地址不指向此房间", "Could not fetch location": "无法获取位置", - "Your new device is now verified. Other users will see it as trusted.": "你的新设备现已验证。其他用户将会视其为受信任的。", "Verify this device": "验证此设备", "Unable to verify this device": "无法验证此设备", "This address had invalid server or is already in use": "此地址的服务器无效或已被使用", @@ -1379,10 +1108,6 @@ "Ban from space": "从空间封禁", "Remove from %(roomName)s": "从%(roomName)s移除", "Remove from room": "从房间移除", - "Currently removing messages in %(count)s rooms": { - "one": "目前正在移除%(count)s个房间中的消息", - "other": "目前正在移除%(count)s个房间中的消息" - }, "What location type do you want to share?": "你想分享什么位置类型?", "Drop a Pin": "放置图钉", "My live location": "我的实时位置", @@ -1415,8 +1140,6 @@ "Online community members": "在线社群成员", "You will not be able to reactivate your account": "你将无法重新激活你的账户", "Preserve system messages": "保留系统消息", - "%(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.": "你的消息未被发送,因为此家服务器已被其管理员屏蔽。请联系你的服务管理员以继续使用服务。", "We're creating a room with %(names)s": "正在创建房间%(names)s", "Remove them from everything I'm able to": "", @@ -1453,21 +1176,9 @@ "Show: Matrix rooms": "显示:Matrix房间", "Choose a locale": "选择区域设置", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s或%(recoveryFile)s", - "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s或%(copyButton)s", "Uncheck if you also want to remove system messages on this user (e.g. membership change, profile change…)": "若你也想移除关于此用户的系统消息(例如,成员更改、用户资料更改……),则取消勾选", - "Video call (Jitsi)": "视频通话(Jitsi)", "Room info": "房间信息", "WARNING: ": "警告:", - "Change layout": "更改布局", - "Connection": "连接", - "Voice processing": "语音处理", - "Video settings": "视频设置", - "Voice settings": "语音设置", - "Automatically adjust the microphone volume": "自动调整话筒音量", - "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作为此房间的额外通话选项", "common": { "about": "关于", "analytics": "统计分析服务", @@ -1565,7 +1276,18 @@ "general": "通用", "profile": "个人资料", "display_name": "显示名称", - "user_avatar": "头像" + "user_avatar": "头像", + "authentication": "认证", + "public_room": "公共房间", + "video_room": "视频房间", + "public_space": "公开空间", + "private_space": "私有空间", + "private_room": "私有房间", + "rooms": "房间", + "low_priority": "低优先级", + "historical": "历史", + "go_to_settings": "打开设置", + "setup_secure_messages": "设置安全消息" }, "action": { "continue": "继续", @@ -1670,7 +1392,16 @@ "unban": "解除封禁", "click_to_copy": "点击复制", "hide_advanced": "隐藏高级", - "show_advanced": "显示高级" + "show_advanced": "显示高级", + "unignore": "取消忽略", + "start_new_chat": "开始新的聊天", + "invite_to_space": "邀请到空间", + "add_people": "加人", + "explore_rooms": "探索房间", + "new_room": "新房间", + "new_video_room": "新视频房间", + "add_existing_room": "添加现有的房间", + "explore_public_rooms": "探索公共房间" }, "a11y": { "user_menu": "用户菜单", @@ -1683,7 +1414,8 @@ "one": "1 个未读消息。" }, "unread_messages": "未读消息。", - "jump_first_invite": "跳转至第一个邀请。" + "jump_first_invite": "跳转至第一个邀请。", + "room_name": "房间 %(name)s" }, "labs": { "video_rooms": "视频房间", @@ -1846,7 +1578,19 @@ "space_a11y": "空间自动完成", "user_description": "用户", "user_a11y": "用户自动补全" - } + }, + "room_upgraded_link": "对话在这里继续。", + "room_upgraded_notice": "此房间已被取代,且不再活跃。", + "no_perms_notice": "你没有在此房间发送消息的权限", + "send_button_voice_message": "发送语音消息", + "close_sticker_picker": "隐藏贴纸", + "voice_message_button": "语音消息", + "poll_button_no_perms_title": "需要权限", + "poll_button_no_perms_description": "你无权在此房间启动投票。", + "poll_button": "投票", + "format_italics": "斜体", + "format_insert_link": "插入链接", + "replying_title": "正在回复" }, "Code": "代码", "power_level": { @@ -2055,7 +1799,19 @@ "auto_gain_control": "自动获得控制权", "echo_cancellation": "回声消除", "noise_suppression": "噪音抑制", - "enable_fallback_ice_server_description": "仅当你的家服务器不提供时才适用。你的IP地址在通话期间会被分享。" + "enable_fallback_ice_server_description": "仅当你的家服务器不提供时才适用。你的IP地址在通话期间会被分享。", + "missing_permissions_prompt": "缺少媒体权限,点击下面的按钮以请求权限。", + "request_permissions": "请求媒体权限", + "audio_output": "音频输出", + "audio_output_empty": "未检测到可用的音频输出方式", + "audio_input_empty": "未检测到麦克风", + "video_input_empty": "未检测到摄像头", + "title": "语音和视频", + "voice_section": "语音设置", + "voice_agc": "自动调整话筒音量", + "video_section": "视频设置", + "voice_processing": "语音处理", + "connection_section": "连接" }, "send_read_receipts_unsupported": "你的服务器不支持禁用发送已读回执。", "security": { @@ -2127,7 +1883,11 @@ "key_backup_connect": "将此会话连接到密钥备份", "key_backup_complete": "所有密钥都已备份", "key_backup_algorithm": "算法:", - "key_backup_inactive_warning": "你的密钥没有被此会话备份。" + "key_backup_inactive_warning": "你的密钥没有被此会话备份。", + "key_backup_active_version_none": "无", + "ignore_users_empty": "你没有设置忽略用户。", + "ignore_users_section": "已忽略的用户", + "e2ee_default_disabled_warning": "你的服务器管理员默认关闭了私人房间和私聊中的端到端加密。" }, "preferences": { "room_list_heading": "房间列表", @@ -2224,7 +1984,41 @@ "add_msisdn_dialog_title": "添加电话号码", "name_placeholder": "无显示名称", "error_saving_profile_title": "个人资料保存失败", - "error_saving_profile": "操作无法完成" + "error_saving_profile": "操作无法完成", + "error_password_change_403": "修改密码失败。确认原密码输入正确吗?", + "password_change_success": "你的密码已成功更改。", + "emails_heading": "电子邮箱地址", + "msisdns_heading": "电话号码", + "discovery_needs_terms": "同意身份服务器(%(serverName)s)的服务协议以允许自己被通过邮件地址或电话号码发现。", + "deactivate_section": "停用账户", + "account_management_section": "账户管理", + "deactivate_warning": "停用你的账户是永久性动作——小心!", + "discovery_section": "发现", + "error_revoke_email_discovery": "无法撤消电子邮件地址共享", + "error_share_email_discovery": "无法共享邮件地址", + "email_not_verified": "你的邮件地址尚未被验证", + "email_verification_instructions": "点击你所收到的电子邮件中的链接进行验证,然后再次点击继续。", + "error_email_verification": "无法验证邮箱地址。", + "discovery_email_verification_instructions": "验证你的收件箱中的链接", + "discovery_email_empty": "你在上方添加邮箱后发现选项将会出现。", + "error_revoke_msisdn_discovery": "无法撤销电话号码共享", + "error_share_msisdn_discovery": "无法共享电话号码", + "error_msisdn_verification": "无法验证电话号码。", + "incorrect_msisdn_verification": "验证码错误", + "msisdn_verification_instructions": "请输入短信中发送的验证码。", + "msisdn_verification_field_label": "验证码", + "discovery_msisdn_empty": "你添加电话号码后发现选项将会出现。", + "error_set_name": "设置显示名称失败", + "error_remove_3pid": "无法移除联系人信息", + "remove_email_prompt": "删除 %(email)s 吗?", + "error_invalid_email": "邮箱地址格式错误", + "error_invalid_email_detail": "这似乎不是有效的邮箱地址", + "error_add_email": "无法添加邮箱地址", + "add_email_instructions": "我们已向你发送了一封电子邮件,以验证你的地址。 请按照里面的说明操作,然后单击下面的按钮。", + "email_address_label": "电子邮箱地址", + "remove_msisdn_prompt": "删除 %(phone)s 吗?", + "add_msisdn_instructions": "一封短信已发送至 +%(msisdn)s。请输入其中包含的验证码。", + "msisdn_label": "电话号码" }, "sidebar": { "title": "侧边栏", @@ -2237,6 +2031,52 @@ "metaspaces_orphans_description": "将所有你那些不属于某个空间的房间集中一处。", "metaspaces_home_all_rooms_description": "在主页展示你所有的房间,即使它们是在一个空间里。", "metaspaces_home_all_rooms": "显示所有房间" + }, + "key_backup": { + "backup_in_progress": "正在备份你的密钥(第一次备份可能会花费几分钟时间)。", + "backup_success": "成功!", + "create_title": "创建密钥备份", + "cannot_create_backup": "无法创建密钥备份", + "setup_secure_backup": { + "generate_security_key_title": "生成一个安全密钥", + "generate_security_key_description": "我们将为您生成一个安全密钥,将其存储在安全的地方,例如密码管理器或保险箱。", + "enter_phrase_title": "输入一个安全密码", + "description": "通过在你的服务器上备份加密密钥来防止丢失你对加密消息和数据的访问权。", + "requires_password_confirmation": "输入你的账户密码以确认升级:", + "requires_key_restore": "恢复你的密钥备份以更新你的加密方式", + "requires_server_authentication": "你需要和服务器进行认证以确认更新。", + "session_upgrade_description": "更新此会话以允许其验证其他会话、允许其他会话访问加密消息,并将它们对别的用户标记为已信任。", + "phrase_strong_enough": "棒!这个安全短语看着够强。", + "pass_phrase_match_success": "匹配成功!", + "use_different_passphrase": "使用不同的口令词组?", + "pass_phrase_match_failed": "不匹配。", + "set_phrase_again": "返回重新设置。", + "enter_phrase_to_confirm": "再次输入你的安全短语进行确认。", + "confirm_security_phrase": "确认你的安全短语", + "security_key_safety_reminder": "将您的安全密钥存放在安全的地方,例如密码管理器或保险箱,因为它用于保护您的加密数据。", + "download_or_copy": "%(downloadButton)s或%(copyButton)s", + "secret_storage_query_failure": "无法查询秘密存储状态", + "cancel_warning": "如果你现在取消,你可能会丢失加密的消息和数据,如果你丢失了登录信息的话。", + "settings_reminder": "你也可以在设置中设置安全备份并管理你的密钥。", + "title_upgrade_encryption": "更新你的加密方法", + "title_set_phrase": "设置一个安全密码", + "title_confirm_phrase": "确认安全密码", + "title_save_key": "保存你的安全密钥", + "unable_to_setup": "无法设置秘密存储", + "use_phrase_only_you_know": "使用一个只有你知道的密码,你也可以保存安全密钥以供备份使用。" + } + }, + "key_export_import": { + "export_title": "导出房间密钥", + "export_description_1": "此操作允许你将加密房间中收到的消息的密钥导出为本地文件。你可以将文件导入其他 Matrix 客户端,以便让别的客户端在未收到密钥的情况下解密这些消息。", + "enter_passphrase": "输入口令词组", + "confirm_passphrase": "确认口令词组", + "phrase_cannot_be_empty": "口令词组不能为空", + "phrase_must_match": "口令词组必须匹配", + "import_title": "导入房间密钥", + "import_description_1": "此操作允许你导入之前从另一个 Matrix 客户端中导出的加密密钥文件。导入完成后,你将能够解密那个客户端可以解密的加密消息。", + "import_description_2": "导出文件受口令词组保护。你应该在此输入口令词组以解密此文件。", + "file_to_import": "要导入的文件" } }, "devtools": { @@ -2691,7 +2531,19 @@ "collapse_reply_thread": "折叠回复消息列", "view_related_event": "查看相关事件", "report": "举报" - } + }, + "url_preview": { + "show_n_more": { + "one": "显示 %(count)s 个其他预览", + "other": "显示 %(count)s 个其他预览" + }, + "close": "关闭预览" + }, + "read_receipt_title": { + "one": "已被%(count)s人查看", + "other": "已被%(count)s人查看" + }, + "read_receipts_label": "已读回执" }, "slash_command": { "spoiler": "此消息包含剧透", @@ -2944,7 +2796,14 @@ "permissions_section_description_room": "选择更改房间各个部分所需的角色", "add_privileged_user_heading": "添加特权用户", "add_privileged_user_description": "授权给该房间内的某人或某些人", - "add_privileged_user_filter_placeholder": "搜索该房间内的用户……" + "add_privileged_user_filter_placeholder": "搜索该房间内的用户……", + "error_unbanning": "解除封禁失败", + "banned_by": "被 %(displayName)s 封禁", + "ban_reason": "理由", + "error_changing_pl_reqs_title": "更改权力级别需求时出错", + "error_changing_pl_reqs_description": "更改此房间的权力级别需求时出错。请确保你有足够的权限后重试。", + "error_changing_pl_title": "更改权力级别时出错", + "error_changing_pl_description": "更改此用户的权力级别时出错。请确保你有足够权限后重试。" }, "security": { "strict_encryption": "永不从此会话向此房间中未验证的会话发送加密消息", @@ -2996,7 +2855,9 @@ "join_rule_upgrade_updating_spaces": { "other": "正在更新房间… (%(count)s 中的 %(progress)s)", "one": "正在更新空间…" - } + }, + "error_join_rule_change_title": "未能更新加入列表", + "error_join_rule_change_unknown": "未知失败" }, "general": { "publish_toggle": "是否将此房间发布至 %(domain)s 的房间目录中?", @@ -3010,7 +2871,9 @@ "error_save_space_settings": "空间设置保存失败。", "description_space": "编辑关于你的空间的设置。", "save": "保存修改", - "leave_space": "离开空间" + "leave_space": "离开空间", + "aliases_section": "房间地址", + "other_section": "其他" }, "advanced": { "unfederated": "此房间无法被远程 Matrix 服务器访问", @@ -3020,7 +2883,9 @@ "room_predecessor": "查看%(roomName)s里更旧的消息。", "room_id": "内部房间ID", "room_version_section": "房间版本", - "room_version": "房间版本:" + "room_version": "房间版本:", + "information_section_space": "空间信息", + "information_section_room": "房间信息" }, "delete_avatar_label": "删除头像", "upload_avatar_label": "上传头像", @@ -3034,11 +2899,31 @@ "history_visibility_anyone_space": "预览空间", "history_visibility_anyone_space_description": "允许人们在加入前预览你的空间。", "history_visibility_anyone_space_recommendation": "建议用于公开空间。", - "guest_access_label": "启用游客访问权限" + "guest_access_label": "启用游客访问权限", + "alias_section": "地址" }, "access": { "title": "访问", "description_space": "决定谁可以查看和加入 %(spaceName)s。" + }, + "bridges": { + "description": "此房间正桥接消息到以下平台。了解更多。", + "empty": "这个房间不会将消息桥接到任何平台。了解更多", + "title": "桥接" + }, + "notifications": { + "uploaded_sound": "已上传的声音", + "settings_link": "如设置中设定的那样获取通知", + "sounds_section": "声音", + "notification_sound": "通知声音", + "custom_sound_prompt": "设置新的自定义声音", + "browse_button": "浏览" + }, + "voip": { + "enable_element_call_label": "启用%(brand)s作为此房间的额外通话选项", + "enable_element_call_caption": "%(brand)s是端到端加密的,但是目前仅限于少数用户。", + "enable_element_call_no_permissions_tooltip": "你没有足够的权限更改这个。", + "call_type_section": "通话类型" } }, "encryption": { @@ -3070,7 +2955,18 @@ "unverified_sessions_toast_description": "检查以确保你的账户是安全的", "unverified_sessions_toast_reject": "稍后再说", "unverified_session_toast_title": "现在登录。请问是你本人吗?", - "request_toast_detail": "来自 %(ip)s 的 %(deviceId)s" + "request_toast_detail": "来自 %(ip)s 的 %(deviceId)s", + "no_key_or_device": "看起来你没有安全密钥或者任何其他可以验证的设备。 此设备将无法访问旧的加密消息。为了在这个设备上验证你的身份,你需要重置你的验证密钥。", + "reset_proceed_prompt": "进行重置", + "verify_using_key_or_phrase": "使用安全密钥或短语进行验证", + "verify_using_key": "使用安全密钥进行验证", + "verify_using_device": "使用其他设备进行验证", + "verification_description": "验证你的身份来获取已加密的消息并向其他人证明你的身份。", + "verification_success_with_backup": "你的新设备已通过验证。它现在可以访问你的加密消息,并且其它用户会将其视为受信任的。", + "verification_success_without_backup": "你的新设备现已验证。其他用户将会视其为受信任的。", + "verification_skip_warning": "如果不进行验证,您将无法访问您的所有消息,并且在其他人看来可能不受信任。", + "verify_later": "我稍后进行验证", + "verify_reset_warning_1": "无法撤消重置验证密钥的操作。重置后,你将无法访问旧的加密消息,任何之前验证过你的朋友将看到安全警告,直到你再次和他们进行验证。" }, "old_version_detected_title": "检测到旧的加密数据", "old_version_detected_description": "已检测到旧版%(brand)s的数据,这将导致端到端加密在旧版本中发生故障。在此版本中,使用旧版本交换的端到端加密消息可能无法解密。这也可能导致与此版本交换的消息失败。如果你遇到问题,请登出并重新登录。要保留历史消息,请先导出并在重新登录后导入你的密钥。", @@ -3091,7 +2987,19 @@ "cross_signing_ready_no_backup": "交叉签名已就绪,但尚未备份密钥。", "cross_signing_untrusted": "你的账户在秘密存储中有交叉签名身份,但并没有被此会话信任。", "cross_signing_not_ready": "未设置交叉签名。", - "not_supported": "<不支持>" + "not_supported": "<不支持>", + "new_recovery_method_detected": { + "title": "新恢复方式", + "description_1": "检测到新的安全短语和安全消息密钥。", + "description_2": "此会话正在使用新的恢复方法加密历史。", + "warning": "如果你没有设置新恢复方式,可能有攻击者正试图侵入你的账户。请立即更改你的账户密码并在设置中设定一个新恢复方式。" + }, + "recovery_method_removed": { + "title": "恢复方式已移除", + "description_1": "此会话已检测到你的安全短语和安全消息密钥被移除。", + "description_2": "如果你出于意外这样做了,你可以在此会话上设置安全消息,以使用新的加密方式重新加密此会话的消息历史。", + "warning": "如果你没有移除此恢复方式,可能有攻击者正试图侵入你的账户。请立即更改你的账户密码并在设置中设定一个新的恢复方式。" + } }, "emoji": { "category_frequently_used": "经常使用", @@ -3250,7 +3158,9 @@ "autodiscovery_unexpected_error_hs": "解析家服务器配置时发生未知错误", "autodiscovery_unexpected_error_is": "解析身份服务器配置时发生未知错误", "incorrect_credentials_detail": "请注意,你正在登录 %(hs)s,而非 matrix.org。", - "create_account_title": "创建账户" + "create_account_title": "创建账户", + "failed_soft_logout_homeserver": "由于家服务器的问题,重新认证失败", + "soft_logout_subheading": "清除个人数据" }, "room_list": { "sort_unread_first": "优先显示有未读消息的房间", @@ -3267,7 +3177,23 @@ "notification_options": "通知选项", "failed_set_dm_tag": "设置私聊标签失败", "failed_remove_tag": "移除房间标签 %(tagName)s 失败", - "failed_add_tag": "无法为房间新增标签 %(tagName)s" + "failed_add_tag": "无法为房间新增标签 %(tagName)s", + "breadcrumbs_label": "最近访问的房间", + "breadcrumbs_empty": "没有最近访问过的房间", + "add_room_label": "添加房间", + "suggested_rooms_heading": "建议的房间", + "add_space_label": "添加空间", + "join_public_room_label": "加入公共房间", + "joining_rooms_status": { + "one": "目前正在加入 %(count)s 个房间", + "other": "目前正在加入 %(count)s 个房间" + }, + "redacting_messages_status": { + "one": "目前正在移除%(count)s个房间中的消息", + "other": "目前正在移除%(count)s个房间中的消息" + }, + "space_menu_label": "%(spaceName)s菜单", + "home_menu_label": "主页选项" }, "report_content": { "missing_reason": "请填写你为何做此报告。", @@ -3508,7 +3434,8 @@ "search_children": "搜索 %(spaceName)s", "invite_link": "分享邀请链接", "invite": "邀请人们", - "invite_description": "使用邮箱或者用户名邀请" + "invite_description": "使用邮箱或者用户名邀请", + "invite_this_space": "邀请至此空间" }, "location_sharing": { "MapStyleUrlNotConfigured": "此家服务器未配置显示地图。", @@ -3562,7 +3489,8 @@ "lists_heading": "订阅的列表", "lists_description_1": "订阅一个封禁列表会使你加入它!", "lists_description_2": "如果这不是你想要的,请使用别的的工具来忽略用户。", - "lists_new_label": "封禁列表的房间 ID 或地址" + "lists_new_label": "封禁列表的房间 ID 或地址", + "rules_empty": "无" }, "create_space": { "name_required": "请输入空间名称", @@ -3652,8 +3580,63 @@ "mentions_only": "仅提及", "copy_link": "复制房间链接", "low_priority": "低优先级", - "forget": "忘记房间" - } + "forget": "忘记房间", + "title": "房间选项" + }, + "invite_this_room": "邀请到此房间", + "header": { + "video_call_button_jitsi": "视频通话(Jitsi)", + "video_call_ec_change_layout": "更改布局", + "forget_room_button": "忘记房间", + "hide_widgets_button": "隐藏挂件", + "show_widgets_button": "显示挂件" + }, + "joining": "加入中…", + "join_title": "加入房间以参与", + "join_title_account": "使用一个账户加入对话", + "join_button_account": "注册", + "loading_preview": "加载预览中", + "kicked_from_room_by": "%(memberName)s 将你移出了 %(roomName)s", + "kicked_by": "%(memberName)s 将你移出了这里", + "kick_reason": "原因:%(reason)s", + "forget_space": "忘记此空间", + "forget_room": "忘记此房间", + "rejoin_button": "重新加入", + "banned_from_room_by": "你被 %(memberName)s 从 %(roomName)s 封禁了", + "banned_by": "你被 %(memberName)s 封禁", + "3pid_invite_error_title_room": "你到 %(roomName)s 的邀请出错", + "3pid_invite_error_title": "你的邀请出了问题。", + "3pid_invite_error_description": "尝试验证你的邀请时返回错误(%(errcode)s)。你可以尝试把这个信息传给邀请你的人。", + "3pid_invite_error_invite_subtitle": "你只能通过有效邀请加入。", + "3pid_invite_error_invite_action": "仍然尝试加入", + "3pid_invite_error_public_subtitle": "你依旧可以加入这里。", + "join_the_discussion": "加入讨论", + "3pid_invite_email_not_found_account_room": "这个到 %(roomName)s 的邀请是发送给 %(email)s 的,而此邮箱没有关联你的账户", + "3pid_invite_email_not_found_account": "该邀请被发送到了与你的账户无关的 %(email)s", + "link_email_to_receive_3pid_invite": "要在 %(brand)s 中直接接收邀请,请在设置中将你的账户连接到此邮箱。", + "invite_sent_to_email_room": "这个到 %(roomName)s 的邀请是发送给 %(email)s 的", + "invite_sent_to_email": "邀请已被发送到 %(email)s", + "3pid_invite_no_is_subtitle": "要直接在 %(brand)s 中接收邀请,请在设置中使用一个身份服务器。", + "invite_email_mismatch_suggestion": "要在 %(brand)s 中直接接收邀请,请在设置中共享此邮箱。", + "dm_invite_title": "你想和 %(user)s 聊天吗?", + "dm_invite_subtitle": " 想聊天", + "dm_invite_action": "开始聊天", + "invite_title": "你想加入 %(roomName)s 吗?", + "invite_subtitle": " 邀请了你", + "invite_reject_ignore": "拒绝并忽略用户", + "peek_join_prompt": "你正在预览 %(roomName)s。想加入吗?", + "no_peek_join_prompt": "%(roomName)s 不能被预览。你想加入吗?", + "no_peek_no_name_join_prompt": "这里没有预览, 你是否要加入?", + "not_found_title_name": "%(roomName)s 不存在。", + "not_found_title": "这个房间或空间不存在。", + "not_found_subtitle": "你确定你位于正确的地方?", + "inaccessible_name": "%(roomName)s 此时无法访问。", + "inaccessible": "这个房间或空间当前不可访问。", + "inaccessible_subtitle_1": "等一会儿再试或联系管理员检查你是否拥有访问权限。", + "inaccessible_subtitle_2": "尝试访问房间或空间时返回%(errcode)s。若你认为你看到这条消息是有问题的,请提交bug报告。", + "join_failed_needs_invite": "你需要一个邀请来查看 %(roomName)s", + "view_failed_enable_video_rooms": "查看前请在实验室允许虚拟房间", + "join_failed_enable_video_rooms": "加入前请在实验室允许虚拟房间" }, "file_panel": { "guest_note": "你必须 注册 以使用此功能", @@ -3797,7 +3780,14 @@ "keyword_new": "新的关键词", "class_global": "全局", "class_other": "其他", - "mentions_keywords": "提及&关键词" + "mentions_keywords": "提及&关键词", + "default": "默认", + "all_messages": "全部消息", + "all_messages_description": "获得每条消息的通知", + "mentions_and_keywords": "@提及和关键词", + "mentions_and_keywords_description": "如设置中设定的那样仅通知提及和关键词", + "mute_description": "你不会收到任何通知", + "message_didnt_send": "消息没有发送。点击查看信息。" }, "mobile_guide": { "toast_title": "使用 app 以获得更好的体验", @@ -3821,6 +3811,43 @@ "a11y_jump_first_unread_room": "跳转至第一个未读房间。", "integration_manager": { "error_connecting_heading": "不能连接到集成管理器", - "error_connecting": "此集成管理器为离线状态或者其不能访问你的家服务器。" + "error_connecting": "此集成管理器为离线状态或者其不能访问你的家服务器。", + "use_im_default": "使用集成管理器(%(serverName)s)管理机器人、挂件和贴纸包。", + "use_im": "使用集成管理器管理机器人、挂件和贴纸包。", + "manage_title": "管理集成", + "explainer": "集成管理器接收配置数据,并可以以你的名义修改挂件、发送房间邀请及设置权力级别。" + }, + "identity_server": { + "url_not_https": "身份服务器URL必须是HTTPS", + "error_invalid": "身份服务器无效(状态码 %(code)s)", + "error_connection": "无法连接到身份服务器", + "checking": "检查服务器", + "change": "更改身份服务器", + "change_prompt": "从身份服务器断开连接而连接到吗?", + "error_invalid_or_terms": "服务协议未同意或身份服务器无效。", + "no_terms": "你选择的身份服务器没有服务协议。", + "disconnect": "断开身份服务器连接", + "disconnect_server": "从身份服务器 断开连接吗?", + "disconnect_offline_warning": "断开连接前,你应从身份服务器删除你的个人数据。不幸的是,身份服务器当前处于离线状态或无法访问。", + "suggestions": "你应该:", + "suggestions_1": "检查你的浏览器是否安装有可能屏蔽身份服务器的插件(例如 Privacy Badger)", + "suggestions_2": "联系身份服务器 的管理员", + "suggestions_3": "等待并稍后重试", + "disconnect_anyway": "仍然断开连接", + "disconnect_personal_data_warning_1": "你仍然在身份服务器 共享你的个人数据。", + "disconnect_personal_data_warning_2": "我们推荐你在断开连接前从身份服务器上删除你的邮箱地址和电话号码。", + "url": "身份服务器(%(server)s)", + "description_connected": "你正在使用来发现你认识的现存联系人,同时也让他们可以发现你。你可以在下方更改你的身份服务器。", + "change_server_prompt": "如果你不想使用 以发现你认识的现存联系人并被其发现,请在下方输入另一个身份服务器。", + "description_disconnected": "你现在没有使用身份服务器。若想发现你认识的现存联系人并被其发现,请在下方添加一个身份服务器。", + "disconnect_warning": "断开身份服务器连接意味着你将无法被其他用户发现,同时你也将无法使用电子邮件或电话邀请别人。", + "description_optional": "使用身份服务器是可选的。如果你选择不使用身份服务器,你将不能被别的用户发现,也不能用邮箱或电话邀请别人。", + "do_not_use": "不使用身份服务器", + "url_field_label": "输入一个新的身份服务器" + }, + "member_list": { + "invited_list_heading": "已邀请", + "filter_placeholder": "过滤房间成员", + "power_label": "%(userName)s(权力 %(powerLevelNumber)s)" } } diff --git a/src/i18n/strings/zh_Hant.json b/src/i18n/strings/zh_Hant.json index 38821dae08..36bbf8cb7b 100644 --- a/src/i18n/strings/zh_Hant.json +++ b/src/i18n/strings/zh_Hant.json @@ -3,79 +3,53 @@ "An error has occurred.": "出現一個錯誤。", "Are you sure?": "您確定嗎?", "Are you sure you want to reject the invitation?": "您確認要拒絕邀請嗎?", - "Authentication": "授權", "%(items)s and %(lastItem)s": "%(items)s 和 %(lastItem)s", - "Deactivate Account": "停用帳號", "Decrypt %(text)s": "解密 %(text)s", - "Default": "預設", "Download %(text)s": "下載 %(text)s", "Email address": "電子郵件地址", "Error decrypting attachment": "解密附件時出錯", "Failed to ban user": "無法封鎖使用者", - "Failed to change password. Is your password correct?": "無法變更密碼。請問您的密碼正確嗎?", "Failed to forget room %(errCode)s": "無法忘記聊天室 %(errCode)s", "Failed to load timeline position": "無法載入時間軸位置", "Failed to mute user": "無法將使用者設為靜音", "Failed to reject invite": "無法拒絕邀請", "Failed to reject invitation": "無法拒絕邀請", - "Failed to set display name": "無法設定顯示名稱", - "Failed to unban": "無法解除封鎖", - "Filter room members": "過濾聊天室成員", - "Forget room": "忘記聊天室", - "Historical": "歷史", - "Incorrect verification code": "驗證碼錯誤", - "Invalid Email Address": "無效的電子郵件地址", "Invalid file%(extra)s": "不存在的文件 %(extra)s", "Join Room": "加入聊天室", "Jump to first unread message.": "跳到第一則未讀訊息。", "Return to login screen": "返回到登入畫面", - "Rooms": "聊天室", "Search failed": "無法搜尋", "Server may be unavailable, overloaded, or search timed out :(": "伺服器可能無法使用、超載,或搜尋時間過長 :(", "Session ID": "工作階段 ID", - "Unable to add email address": "無法新增電子郵件地址", "Sun": "週日", "Mon": "週一", "Tue": "週二", "unknown error code": "未知的錯誤代碼", - "Reason": "原因", "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。請問您要繼續嗎?", "Create new room": "建立新聊天室", "Admin Tools": "管理員工具", - "No Microphones detected": "未偵測到麥克風", - "No Webcams detected": "未偵測到網路攝影機", "Are you sure you want to leave the room '%(roomName)s'?": "您確定要離開聊天室「%(roomName)s」嗎?", "Custom level": "自訂等級", - "Enter passphrase": "輸入安全密語", "Home": "首頁", - "Invited": "已邀請", - "Low priority": "低優先度", "Moderator": "版主", "New passwords must match each other.": "新密碼必須互相相符。", "not specified": "未指定", "No more results": "沒有更多結果", "Please check your email and click on the link it contains. Once this is done, click continue.": "請收信並點擊信中的連結。完成後,再點擊「繼續」。", "Reject invitation": "拒絕邀請", - "%(roomName)s does not exist.": "%(roomName)s 不存在。", - "%(roomName)s is not accessible at this time.": "%(roomName)s 此時無法存取。", "This room has no local addresses": "此聊天室沒有本機位址", - "This doesn't appear to be a valid email address": "不像是有效的電子郵件地址", "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": "無法移除聯絡人資訊", - "Unable to verify email address.": "無法驗證電子郵件。", "Uploading %(filename)s": "正在上傳 %(filename)s", "Uploading %(filename)s and %(count)s others": { "one": "正在上傳 %(filename)s 與另 %(count)s 個檔案", "other": "正在上傳 %(filename)s 與另 %(count)s 個檔案" }, - "%(userName)s (power %(powerLevelNumber)s)": "%(userName)s(權限等級 %(powerLevelNumber)s)", "Verification Pending": "等待驗證", "Warning!": "警告!", - "You do not have permission to post to this room": "您沒有權限在此聊天室貼文", "You seem to be in a call, are you sure you want to quit?": "您似乎尚在通話中,您確定您想要結束通話嗎?", "You seem to be uploading files, 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.": "您將無法復原此變更,因為您正在將其他使用者的權限等級提升到與您相同。", @@ -104,15 +78,6 @@ "one": "(~%(count)s 結果)", "other": "(~%(count)s 結果)" }, - "Passphrases must match": "安全密語必須相符", - "Passphrase must not be empty": "安全密語不能為空", - "Export room keys": "匯出聊天室金鑰", - "Confirm passphrase": "確認安全密語", - "Import room keys": "匯入聊天室金鑰", - "File to import": "要匯入的檔案", - "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.": "匯出檔案被安全密語所保護。您應該在這裡輸入安全密語來解密檔案。", "Confirm Removal": "確認刪除", "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,您的工作階段可能與此版本不相容。關閉此視窗並回到較新的版本。", @@ -126,15 +91,12 @@ "Restricted": "已限制", "Send": "傳送", "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.": "您正在將自己降級,如果您是聊天室中最後一位有特殊權限的使用者,您將無法復原此變更,因為無法再獲得特定權限。", - "Unignore": "取消忽略", "Jump to read receipt": "跳到讀取回條", "%(duration)ss": "%(duration)s 秒", "%(duration)sm": "%(duration)s 分鐘", "%(duration)sh": "%(duration)s 小時", "%(duration)sd": "%(duration)s 天", - "Replying": "正在回覆", "Unnamed room": "未命名的聊天室", - "Banned by %(displayName)s": "被 %(displayName)s 封鎖", "Delete Widget": "刪除小工具", "collapse": "收折", "expand": "展開", @@ -158,8 +120,6 @@ "Saturday": "星期六", "Monday": "星期一", "All Rooms": "所有聊天室", - "All messages": "所有訊息", - "Invite to this room": "邀請加入這個聊天室", "You cannot delete this message. (%(code)s)": "您無法刪除此訊息。(%(code)s)", "Thursday": "星期四", "Search…": "搜尋…", @@ -172,8 +132,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.": "清除您瀏覽器的儲存的東西也許可以修復問題,但會將您登出並造成任何已加密的聊天都無法讀取。", - "No Audio Outputs detected": "未偵測到音訊輸出", - "Audio Output": "音訊輸出", "Share Link to User": "分享使用者連結", "Share room": "分享聊天室", "Share Room": "分享聊天室", @@ -184,7 +142,6 @@ "You can't send any messages until you review and agree to our terms and conditions.": "您在審閱並同意我們的條款與細則前無法傳送訊息。", "Demote yourself?": "將您自己降級?", "Demote": "降級", - "Permission Required": "需要權限", "This event could not be displayed": "此活動無法顯示", "Only room administrators will see this warning": "僅聊天室管理員會看到此警告", "Upgrade Room Version": "更新聊天室版本", @@ -194,8 +151,6 @@ "Put a link back to the old room at the start of the new room so people can see old messages": "在新聊天室的開始處放置連回舊聊天室的連結,這樣夥伴們就可以看到舊的訊息", "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.": "您的訊息未傳送,因為其家伺服器已超過一項資源限制。請聯絡您的服務管理員以繼序使用服務。", - "This room has been replaced and is no longer active.": "這個聊天室已被取代,且不再使用。", - "The conversation continues here.": "對話在此繼續。", "Failed to upgrade room": "無法升級聊天室", "The room upgrade could not be completed": "聊天室升級可能不完整", "Upgrade this room to version %(version)s": "升級此聊天室到版本 %(version)s", @@ -209,10 +164,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": "為了避免遺失您的聊天歷史,您必須在登出前匯出您的聊天室金鑰。您必須回到較新版的 %(brand)s 才能執行此動作", "Incompatible Database": "不相容的資料庫", "Continue With Encryption Disabled": "在停用加密的情況下繼續", - "That matches!": "相符!", - "That doesn't match.": "不相符。", - "Go back to set it again.": "返回重新設定。", - "Unable to create key backup": "無法建立金鑰備份", "Unable to load backup status": "無法載入備份狀態", "Unable to restore backup": "無法復原備份", "No backup found!": "找不到備份!", @@ -221,29 +172,11 @@ "Set up": "設定", "Invalid identity server discovery response": "身份伺服器探索回應無效", "General failure": "一般錯誤", - "New Recovery Method": "新復原方法", - "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.": "如果您沒有設定新的復原方法,攻擊者可能會嘗試存取您的帳號。在設定中立刻變更您的密碼並設定新的復原方法。", - "Set up Secure Messages": "設定安全訊息", - "Go to Settings": "前往設定", "Unable to load commit detail: %(msg)s": "無法載入遞交的詳細資訊:%(msg)s", "The following users may not exist": "以下的使用者可能不存在", "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": "無論如何都要邀請", - "We've sent you an email to verify your address. Please follow the instructions there and then click the button below.": "我們已經傳送給您一封電子郵件以驗證您的地址。請遵照那裡的指示,然後點選下面的按鈕。", - "Email Address": "電子郵件地址", - "Unable to verify phone number.": "無法驗證電話號碼。", - "Verification code": "驗證碼", - "Phone Number": "電話號碼", - "Room information": "聊天室資訊", - "Room Addresses": "聊天室位址", - "Email addresses": "電子郵件地址", - "Phone numbers": "電話號碼", - "Account management": "帳號管理", - "Ignored users": "忽略使用者", - "Missing media permissions, click the button below to request.": "尚未取得媒體權限,請點擊下方的按鈕來授權。", - "Request media permissions": "請求媒體權限", - "Voice & Video": "語音與視訊", "Main address": "主要位址", "Room avatar": "聊天室大頭照", "Room Name": "聊天室名稱", @@ -252,8 +185,6 @@ "Incoming Verification Request": "收到的驗證請求", "Email (optional)": "電子郵件(選擇性)", "Join millions for free on the largest public server": "在最大的公開伺服器上,免費與數百萬人一起交流", - "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.": "如果您沒有移除復原方法,攻擊者可能會試圖存取您的帳號。請立刻在設定中變更您帳號的密碼並設定新的復原方式。", "Dog": "狗", "Cat": "貓", "Lion": "獅", @@ -326,8 +257,6 @@ "You'll lose access to your encrypted messages": "您將會失去您的加密訊息", "Are you sure you want to sign out?": "您確定要登出嗎?", "Warning: you should only set up key backup from a trusted computer.": "警告:您應該只從信任的電腦設定金鑰備份。", - "Your keys are being backed up (the first backup could take a few minutes).": "您的金鑰正在備份(第一次備份會花費數分鐘)。", - "Success!": "成功!", "Scissors": "剪刀", "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.": "更新聊天室的主要位址時發生錯誤。可能是不被伺服器允許或是遇到暫時性的錯誤。", @@ -358,36 +287,15 @@ }, "Cancel All": "全部取消", "Upload Error": "上傳錯誤", - "Join the conversation with an account": "加入與某個帳號的對話", - "Sign Up": "註冊", - "Reason: %(reason)s": "理由:%(reason)s", - "Forget this room": "忘記此聊天室", - "Re-join": "重新加入", - "You were banned from %(roomName)s by %(memberName)s": "您已被 %(memberName)s 從 %(roomName)s 封鎖", - "Something went wrong with your invite to %(roomName)s": "您的 %(roomName)s 邀請出了點問題", - "You can only join it with a working invite.": "您只能透過有效的邀請加入。", - "Join the discussion": "加入此討論", - "Try to join anyway": "無論如何都要嘗試加入", - "Do you want to chat with %(user)s?": "您想要與 %(user)s 聊天嗎?", - "Do you want to join %(roomName)s?": "您想要加入 %(roomName)s 嗎?", - " invited you": " 已邀請您", - "You're previewing %(roomName)s. Want to join it?": "您正在預覽 %(roomName)s。想要加入嗎?", - "%(roomName)s can't be previewed. Do you want to join it?": "無法預覽 %(roomName)s。您想要加入嗎?", "This room has already been upgraded.": "此聊天室已升級。", "edited": "已編輯", "Edit message": "編輯訊息", "Some characters not allowed": "不允許某些字元", - "Add room": "新增聊天室", "Failed to get autodiscovery configuration from server": "無法從伺服器取得自動探索設定", "Invalid base_url for m.homeserver": "無效的 m.homeserver base_url", "Homeserver URL does not appear to be a valid Matrix homeserver": "家伺服器網址似乎不是有效的 Matrix 家伺服器", "Invalid base_url for m.identity_server": "無效的 m.identity_server base_url", "Identity server URL does not appear to be a valid identity server": "身分伺服器網址似乎不是有效的身分伺服器", - "Uploaded sound": "已上傳的音效", - "Sounds": "音效", - "Notification sound": "通知音效", - "Set a new custom sound": "設定新的自訂音效", - "Browse": "瀏覽", "Upload all": "上傳全部", "Edited at %(date)s. Click to view edits.": "編輯於 %(date)s。點擊以檢視編輯。", "Message edits": "訊息編輯紀錄", @@ -396,52 +304,16 @@ "Your homeserver doesn't seem to support this feature.": "您的家伺服器似乎並不支援此功能。", "Clear all data": "清除所有資料", "Removing…": "正在刪除…", - "Failed to re-authenticate due to a homeserver problem": "因為家伺服器的問題,所以無法重新驗證", - "Clear personal data": "清除個人資料", "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": "透過電話或電子郵件找到", "Command Help": "指令說明", - "Discovery": "探索", "Deactivate account": "停用帳號", - "Unable to revoke sharing for email address": "無法撤回電子郵件的分享", - "Unable to share email address": "無法分享電子郵件", - "Discovery options will appear once you have added an email above.": "當您在上面加入電子郵件時將會出現探索選項。", - "Unable to revoke sharing for phone number": "無法撤回電話號碼的分享", - "Unable to share phone number": "無法分享電話號碼", - "Please enter verification code sent via text.": "請輸入透過簡訊傳送的驗證碼。", - "Discovery options will appear once you have added a phone number above.": "在上方加入電話號碼後,就會出現探索選項。", - "A text message has been sent to +%(msisdn)s. Please enter the verification code it contains.": "文字訊息將會被傳送到 +%(msisdn)s。請輸入其中包含的驗證碼。", - "Checking server": "正在檢查伺服器", - "Disconnect from the identity server ?": "要中斷與身分伺服器 的連線嗎?", - "You are currently using to discover and be discoverable by existing contacts you know. You can change your identity server below.": "您目前使用 來尋找聯絡人,以及被您的聯絡人找到。可以在下方變更身分伺服器。", - "You are not currently using an identity server. To discover and be discoverable by existing contacts you know, add one below.": "您目前未使用身分伺服器。若想要尋找聯絡人,或被您認識的聯絡人找到,請在下方加入伺服器。", - "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.": "與您的身分伺服器中斷連線後,其他使用者就無法再探索到您,您也不能透過電子郵件地址或電話號碼邀請其他人。", - "The identity server you have chosen does not have any terms of service.": "您所選擇的身分伺服器沒有任何服務條款。", - "Terms of service not accepted or the identity server is invalid.": "不接受服務條款或身分伺服器無效。", - "Enter a new identity server": "輸入新的身分伺服器", - "Remove %(email)s?": "移除 %(email)s?", - "Remove %(phone)s?": "移除 %(phone)s?", - "Agree to the identity server (%(serverName)s) Terms of Service to allow yourself to be discoverable by email address or phone number.": "需同意身分伺服器(%(serverName)s)的使用條款,讓其他人可以使用電子郵件地址或電話號碼找到您。", - "If you don't want to use to discover and be discoverable by existing contacts you know, enter another identity server below.": "如果您不想要使用 來探索與被您現有的聯絡人探索,在下方輸入其他身分伺服器。", - "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": "不要使用身分伺服器", "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.": "使用身分伺服器以透過電子郵件邀請。在設定中管理。", "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": "停用使用者", - "Change identity server": "變更身分伺服器", - "Disconnect from the identity server and connect to instead?": "取消連線到身分伺服器 並連線到 ?", - "Disconnect identity server": "中斷身分伺服器的連線", - "You are still sharing your personal data on the identity server .": "你仍分享個人資料於身分伺服器.", - "We recommend that you remove your email addresses and phone numbers from the identity server before disconnecting.": "我們建議您在取消連線前,從身分伺服器移除您的電子郵件地址與電話號碼。", - "Disconnect anyway": "仍要中斷連線", - "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": "變更權限等級錯誤", - "An error occurred changing the user's power level. Ensure you have sufficient permissions and try again.": "變更使用者的權限等級時遇到錯誤。請確定您有足夠的權限並再試一次。", - "Verify the link in your inbox": "驗證您收件匣中的連結", "No recent messages by %(user)s found": "找不到 %(user)s 最近的訊息", "Try scrolling up in the timeline to see if there are any earlier ones.": "試著在時間軸上捲動以檢視有沒有較早的。", "Remove recent messages by %(user)s": "移除 %(user)s 最近的訊息", @@ -451,28 +323,13 @@ "one": "移除 1 則訊息" }, "Remove recent messages": "移除最近的訊息", - "Italics": "斜體", - "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 中接收邀請。", - "This invite to %(roomName)s was sent to %(email)s": "此 %(roomName)s 的邀請已傳送給 %(email)s", - "Use an identity server in Settings to receive invites directly in %(brand)s.": "在設定中使用身分伺服器以直接在 %(brand)s 中接收邀請。", - "Share this email in Settings to receive invites directly in %(brand)s.": "在設定中分享此電子郵件以直接在 %(brand)s 中接收邀請。", - "Explore rooms": "探索聊天室", "e.g. my-room": "例如:my-room", "Close dialog": "關閉對話框", "Show image": "顯示圖片", - "Your email address hasn't been verified yet": "您的電子郵件地址尚未被驗證", - "Click the link in the email you received to verify and then click continue again.": "點擊您收到的電子郵件中的連結以驗證然後再次點擊繼續。", - "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": "稍候並再試一次", "Failed to deactivate user": "無法停用使用者", "This client does not support end-to-end encryption.": "此客戶端不支援端對端加密。", "Messages in this room are not end-to-end encrypted.": "此聊天室內的訊息未經端到端加密。", "Cancel search": "取消搜尋", - "Room %(name)s": "聊天室 %(name)s", "Message Actions": "訊息動作", "You verified %(name)s": "您驗證了 %(name)s", "You cancelled verifying %(name)s": "您已取消驗證 %(name)s", @@ -483,13 +340,11 @@ "%(name)s cancelled": "%(name)s 已取消", "%(name)s wants to verify": "%(name)s 想要驗證", "You sent a verification request": "您已傳送了驗證請求", - "None": "無", "You have ignored this user, so their message is hidden. Show anyways.": "您已忽略這個使用者,所以他們的訊息會隱藏。無論如何都顯示。", "Messages in this room are end-to-end encrypted.": "此聊天室內的訊息有端對端加密。", "Failed to connect to integration manager": "無法連線到整合服務伺服器", "Integrations are disabled": "整合已停用", "Integrations not allowed": "不允許整合", - "Manage integrations": "管理整合功能", "Verification Request": "驗證請求", "Unencrypted": "未加密", "Upgrade private room": "升級私密聊天室", @@ -497,15 +352,11 @@ "Upgrading a room is an advanced action and is usually recommended when a room is unstable due to bugs, missing features or security vulnerabilities.": "升級聊天室為進階動作,通常建議在聊天室因為錯誤而不穩定、缺少功能或安全漏洞等才升級。", "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 相關的問題,請回報錯誤。", "You'll upgrade this room from to .": "您將要把此聊天室從 升級到 。", - " wants to chat": " 想要聊天", - "Start chatting": "開始聊天", "Hide verified sessions": "隱藏已驗證的工作階段", "%(count)s verified sessions": { "other": "%(count)s 個已驗證的工作階段", "one": "1 個已驗證的工作階段" }, - "Unable to set up secret storage": "無法設定秘密資訊儲存空間", - "Close preview": "關閉預覽", "Language Dropdown": "語言下拉式選單", "Country Dropdown": "國家下拉式選單", "Show more": "顯示更多", @@ -522,13 +373,7 @@ "Start Verification": "開始驗證", "This room is end-to-end encrypted": "此聊天室已端對端加密", "Everyone in this room is verified": "此聊天室中每個人都已驗證", - "Reject & Ignore user": "拒絕並忽略使用者", - "Enter your account password to confirm the upgrade:": "輸入您的帳號密碼以確認升級:", - "You'll need to authenticate with the server to confirm the upgrade.": "您必須透過伺服器驗證以確認升級。", - "Upgrade your encryption": "升級您的加密", "This backup is trusted because it has been restored on this session": "此備份已受信任,因為它已在此工作階段上復原", - "This room is bridging messages to the following platforms. Learn more.": "此聊天室已橋接訊息到以下平臺。取得更多詳細資訊。", - "Bridges": "橋接", "This user has not verified all of their sessions.": "此使用者尚未驗證他們的所有工作階段。", "You have verified this user. This user has verified all of their sessions.": "您已驗證此使用者。此使用者已驗證他們所有的工作階段。", "Someone is using an unknown session": "某人正在使用未知的工作階段", @@ -554,16 +399,11 @@ "Session name": "工作階段名稱", "Session key": "工作階段金鑰", "Verifying this user will mark their session as trusted, and also mark your session as trusted to them.": "驗證此使用者將會把他們的工作階段標記為受信任,並同時為他們標記您的工作階段為可信任。", - "Restore your key backup to upgrade your encryption": "復原您的金鑰備份以升級您的加密", - "Upgrade this session to allow it to verify other sessions, granting them access to encrypted messages and marking them as trusted for other users.": "升級此工作階段以驗證其他工作階段,給予其他工作階段存取加密訊息的權限,並為其他使用者標記它們為受信任。", - "This session is encrypting history using the new recovery method.": "此工作階段正在使用新的復原方法加密歷史。", "Encryption not enabled": "加密未啟用", "The encryption used by this room isn't supported.": "不支援此聊天室使用的加密。", "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 device will mark it as trusted, and users who have verified with you will trust this device.": "驗證此裝置將會將其標記為受信任,且已驗證您的使用者將會信任此裝置。", - "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.": "如果您不小心這樣做了,您可以在此工作階段上設定安全訊息,這將會以新的復原方法重新加密此工作階段的訊息歷史。", "You have not verified this user.": "您尚未驗證此使用者。", - "Create key backup": "建立金鑰備份", "Destroy cross-signing keys?": "摧毀交叉簽署金鑰?", "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.": "永久刪除交叉簽署金鑰。任何您已驗證過的人都會看到安全性警告。除非您遺失了所有可以進行交叉簽署的裝置,否則您不會想要這樣做。", "Clear cross-signing keys": "清除交叉簽署金鑰", @@ -623,7 +463,6 @@ "Submit logs": "遞交紀錄檔", "Reminder: Your browser is unsupported, so your experience may be unpredictable.": "提醒:您的瀏覽器不受支援,所以您的使用體驗可能無法預測。", "Unable to upload": "無法上傳", - "Unable to query secret storage status": "無法查詢秘密儲存空間狀態", "Restoring keys from backup": "從備份還原金鑰", "%(completed)s of %(total)s keys restored": "%(total)s 中的 %(completed)s 金鑰已復原", "Keys restored": "金鑰已復原", @@ -646,30 +485,17 @@ "This address is available to use": "此位址可用", "This address is already in use": "此位址已被使用", "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。要再次與此版本使用端對端加密,您必須先登出再登入。", - "Use a different passphrase?": "使用不同的安全密語?", "Your homeserver has exceeded its user limit.": "您的家伺服器已超過使用者限制。", "Your homeserver has exceeded one of its resource limits.": "您的家伺服器已超過其中一種資源限制。", "Ok": "確定", - "Your server admin has disabled end-to-end encryption by default in private rooms & Direct Messages.": "您的伺服器管理員已停用在私密聊天室與私人訊息中預設的端對端加密。", "Switch theme": "切換佈景主題", - "No recently visited rooms": "沒有最近造訪過的聊天室", "Message preview": "訊息預覽", - "Room options": "聊天室選項", "Looks good!": "看起來真棒!", "The authenticity of this encrypted message can't be guaranteed on this device.": "無法在此裝置上保證加密訊息的真實性。", "Wrong file type": "錯誤的檔案類型", "Security Phrase": "安全密語", "Security Key": "安全金鑰", "Use your Security Key to continue.": "使用您的安全金鑰以繼續。", - "Safeguard against losing access to encrypted messages & data by backing up encryption keys on your server.": "透過備份您伺服器上的加密金鑰,來防止失去對加密訊息與資料的存取權。", - "Generate a Security Key": "產生一把加密金鑰", - "Enter a Security Phrase": "輸入安全密語", - "Use a secret phrase only you know, and optionally save a Security Key to use for backup.": "使用僅有您知道的安全密語,也可再儲存安全金鑰作為備份。", - "If you cancel now, you may lose encrypted messages & data if you lose access to your logins.": "如果您現在取消,只要失去登入的存取權,就可能遺失加密訊息與資料。", - "You can also set up Secure Backup & manage your keys in Settings.": "您也可以在設定中設定安全備份並管理您的金鑰。", - "Set a Security Phrase": "設定安全密語", - "Confirm Security Phrase": "確認安全密語", - "Save your Security Key": "儲存您的安全金鑰", "This room is public": "此聊天室為公開聊天室", "Edited at %(date)s": "編輯於 %(date)s", "Click to view edits": "點擊以檢視編輯", @@ -686,7 +512,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": "尚未收到最新變更", - "Explore public rooms": "探索公開聊天室", "Preparing to download logs": "正在準備下載紀錄檔", "Information": "資訊", "Not encrypted": "未加密", @@ -711,8 +536,6 @@ "You can only pin up to %(count)s widgets": { "other": "您最多只能釘選 %(count)s 個小工具" }, - "Show Widgets": "顯示小工具", - "Hide Widgets": "隱藏小工具", "Data on this screen is shared with %(widgetDomain)s": "在此畫面上的資料會與 %(widgetDomain)s 分享", "Modal Widget": "程式小工具", "Invite someone using their name, email address, username (like ) or share this room.": "使用某人的名字、電子郵件地址、使用者名稱(如 )或分享此聊天空間來邀請人。", @@ -980,10 +803,6 @@ "A call can only be transferred to a single user.": "一個通話只能轉接給ㄧ個使用者。", "Open dial pad": "開啟撥號鍵盤", "Dial pad": "撥號鍵盤", - "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.": "很好!此安全密語看起來夠強。", "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": "不是有效的安全金鑰", @@ -1003,7 +822,6 @@ "Remember this": "記住這個", "The widget will verify your user ID, but won't be able to perform actions for you:": "小工具將會驗證您的使用者 ID,但將無法為您執行動作:", "Allow this widget to verify your identity": "允許此小工具驗證您的身分", - "Recently visited rooms": "最近造訪過的聊天室", "%(count)s members": { "one": "%(count)s 位成員", "other": "%(count)s 位成員" @@ -1017,14 +835,9 @@ "Create a new room": "建立新聊天室", "Space selection": "選取聊天空間", "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.": "如果您將自己降級,將無法撤銷此變更,而且如果您是空間中的最後一個特殊權限使用者,將無法再取得這類特殊權限。", - "Suggested Rooms": "建議的聊天室", - "Add existing room": "新增既有的聊天室", - "Invite to this space": "邀請加入此聊天空間", "Your message was sent": "您的訊息已傳送", "Leave space": "離開聊天空間", "Create a space": "建立聊天空間", - "Private space": "私密聊天空間", - "Public space": "公開聊天空間", " invites you": " 邀請您", "You may want to try a different search or check for typos.": "您可能要嘗試其他搜尋或檢查是否有拼字錯誤。", "No results found": "找不到結果", @@ -1036,7 +849,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.": "這通常只影響伺服器如何處理聊天室。如果您的 %(brand)s 遇到問題,請回報錯誤。", "Invite to %(roomName)s": "邀請加入 %(roomName)s", "Edit devices": "編輯裝置", - "Verify your identity to access encrypted messages and prove your identity to others.": "驗證您的身分來存取已加密的訊息並對其他人證明您的身分。", "%(count)s people you know have already joined": { "other": "%(count)s 個您認識的人已加入", "one": "%(count)s 個您認識的人已加入" @@ -1067,8 +879,6 @@ "other": "檢視全部 %(count)s 個成員" }, "Failed to send": "傳送失敗", - "Enter your Security Phrase a second time to confirm it.": "再次輸入您的安全密語以確認。", - "You have no ignored users.": "您沒有忽略的使用者。", "Want to add a new room instead?": "想要新增新聊天室嗎?", "Adding rooms... (%(progress)s out of %(count)s)": { "one": "正在新增聊天室…", @@ -1085,10 +895,6 @@ "You may contact me if you have any follow up questions": "如果後續有任何問題,可以聯絡我", "To leave the beta, visit your settings.": "請到設定頁面離開 Beta 測試版。", "Add reaction": "新增反應", - "Currently joining %(count)s rooms": { - "one": "目前正在加入 %(count)s 個聊天室", - "other": "目前正在加入 %(count)s 個聊天室" - }, "Or send invite link": "或傳送邀請連結", "Some suggestions may be hidden for privacy.": "出於隱私考量,可能會隱藏一些建議。", "Search for rooms or people": "搜尋聊天室或夥伴", @@ -1104,22 +910,9 @@ "Published addresses can be used by anyone on any server to join your room.": "任何伺服器上的人都可以使用已發佈的位址加入您的聊天室。", "Published addresses can be used by anyone on any server to join your space.": "任何伺服器上的人都可以使用已發佈的位址加入您的聊天空間。", "This space has no local addresses": "此聊天空間沒有本機位址", - "Space information": "聊天空間資訊", - "Address": "位址", "Unnamed audio": "未命名的音訊", "Error processing audio message": "處理音訊訊息時出現問題", - "Show %(count)s other previews": { - "one": "顯示 %(count)s 個其他預覽", - "other": "顯示 %(count)s 個其他預覽" - }, "Your %(brand)s doesn't allow you to use an integration manager to do this. Please contact an admin.": "您的 %(brand)s 不允許您使用整合管理員來執行此動作。請聯絡管理員。", - "Integration managers receive configuration data, and can modify widgets, send room invites, and set power levels on your behalf.": "整合管理員會為您接收設定資料,修改小工具、傳送聊天室邀請並設定權限等級。", - "Use an integration manager to manage bots, widgets, and sticker packs.": "使用整合管理員以管理聊天機器人、小工具與貼圖包。", - "Use an integration manager (%(serverName)s) to manage bots, widgets, and sticker packs.": "使用整合管理員 (%(serverName)s) 以管理聊天機器人、小工具與貼圖包。", - "Identity server (%(server)s)": "身分伺服器 (%(server)s)", - "Could not connect to identity server": "無法連線到身分伺服器", - "Not a valid identity server (status code %(code)s)": "不是有效的身分伺服器(狀態碼 %(code)s)", - "Identity server URL must be HTTPS": "身分伺服器網址必須為 HTTPS 網址", "Unable to copy a link to the room to the clipboard.": "無法複製聊天室連結至剪貼簿。", "Unable to copy room link": "無法複製聊天室連結", "User Directory": "使用者目錄", @@ -1140,7 +933,6 @@ "Decide which spaces can access this room. If a space is selected, its members can find and join .": "決定哪些聊天空間可以存取此聊天室。若選取了聊天空間,其成員就可以找到並加入。", "Select spaces": "選取聊天空間", "You're removing all spaces. Access will default to invite only": "您將取消所有聊天空間。存取權限將會預設為邀請制", - "Public room": "公開聊天室", "Want to add an existing space instead?": "想要新增既有的聊天空間嗎?", "Private space (invite only)": "私密聊天空間(邀請制)", "Space visibility": "空間能見度", @@ -1154,7 +946,6 @@ "Create a new space": "建立新聊天空間", "Want to add a new space instead?": "想要新增聊天空間?", "Add existing space": "新增既有的聊天空間", - "Add space": "新增聊天空間", "Leave %(spaceName)s": "離開 %(spaceName)s", "You're the only admin of some of the rooms or spaces you wish to leave. Leaving them will leave them without any admins.": "您是將要離開的聊天室與聊天空間唯一的管理員。您離開之後會讓它們沒有任何管理員。", "You're the only admin of this space. Leaving it will mean no one has control over it.": "您是此聊天空間唯一的管理員。離開將代表沒有人可以控制它。", @@ -1169,9 +960,6 @@ "Results": "結果", "Some encryption parameters have been changed.": "部份加密參數已變更。", "Role in ": " 中的角色", - "Unknown failure": "未知錯誤", - "Failed to update the join rules": "加入規則更新失敗", - "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?": "您想要離開此聊天空間中的聊天室嗎?", "You are about to leave .": "您將要離開 。", @@ -1181,12 +969,6 @@ "MB": "MB", "In reply to this message": "回覆此訊息", "Export chat": "匯出聊天", - "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.": "重設您的驗證金鑰將無法復原。重設後,您將無法存取舊的加密訊息,之前任何驗證過您的朋友也會看到安全警告,直到您重新驗證。", - "I'll verify later": "我稍後驗證", - "Verify with Security Key": "使用安全金鑰進行驗證", - "Verify with Security Key or Phrase": "使用安全金鑰或密語進行驗證", - "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.": "您似乎沒有安全金鑰或其他可以驗證的裝置。此裝置將無法存取舊的加密訊息。為了在此裝置上驗證您的身分,您必須重設您的驗證金鑰。", "Skip verification for now": "暫時略過驗證", "Really reset verification keys?": "真的要重設驗證金鑰?", "They won't be able to access whatever you're not an admin of.": "他們將無法存取您不是管理員的任何地方。", @@ -1206,29 +988,18 @@ "View in room": "在聊天室中檢視", "Enter your Security Phrase or to continue.": "輸入您的安全密語或以繼續。", "Joined": "已加入", - "Insert link": "插入連結", "Joining": "正在加入", - "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.": "如果不進行驗證,您將無法存取您的所有訊息,且可能會被其他人視為不信任。", "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": "您或其他使用者的工作階段", "Yours, or the other users' internet connection": "您或其他使用者的網際網路連線", "The homeserver the user you're verifying is connected to": "您正在驗證的使用者所連線的家伺服器", - "This room isn't bridging messages to any platforms. Learn more.": "此聊天室不會將訊息橋接至任何平台。取得更多資訊。", "Copy link to thread": "複製討論串連結", "Thread options": "討論串選項", - "You do not have permission to start polls in this room.": "您沒有權限在此聊天室發起投票。", "Reply in thread": "在討論串中回覆", "Forget": "忘記", "Files": "檔案", - "You won't get any notifications": "不會收到任何通知", - "Get notified only with mentions and keywords as set up in your settings": "僅在提及您與您在設定中列出的關鍵字時收到通知", - "@mentions & keywords": "@提及與關鍵字", - "Get notified for every message": "收到所有訊息的通知", - "Get notifications as set up in your settings": "依照您在設定中設定的方式接收通知", "Close this widget to view it in this panel": "關閉此小工具以在此面板中檢視", "Unpin this widget to view it in this panel": "取消釘選這個小工具以在此面板中檢視", "Based on %(count)s votes": { @@ -1252,12 +1023,6 @@ "Messaging": "訊息傳遞", "Spaces you know that contain this space": "您知道的包含此聊天空間的聊天空間", "Chat": "聊天", - "Home options": "家選項", - "%(spaceName)s menu": "%(spaceName)s 選單", - "Join public room": "加入公開聊天室", - "Add people": "新增夥伴", - "Invite to space": "邀請加入聊天空間", - "Start new chat": "開始新聊天", "Recently viewed": "最近檢視過", "%(count)s votes cast. Vote to see the results": { "one": "已投 %(count)s 票。投票後即可檢視結果", @@ -1290,9 +1055,6 @@ "This address had invalid server or is already in use": "此位址的伺服器無效或已被使用", "Missing room name or separator e.g. (my-room:domain.org)": "缺少聊天室名稱或分隔符號,例如 (my-room:domain.org)", "Missing domain separator e.g. (:domain.org)": "缺少網域名分隔符號,例如 (:domain.org)", - "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.": "您的新裝置已通過驗證。其可以存取您的加密訊息,其他使用者也會看到其為受信任的裝置。", - "Verify with another device": "用另一台裝置驗證", "Device verified": "裝置已驗證", "Verify this device": "驗證此裝置", "Unable to verify this device": "無法驗證此裝置", @@ -1307,7 +1069,6 @@ "Remove them from specific things I'm able to": "從我有權限的特定地方移除", "Remove them from everything I'm able to": "從我有權限的所有地方移除", "Remove from %(roomName)s": "從 %(roomName)s 移除", - "You were removed from %(roomName)s by %(memberName)s": "您已被 %(memberName)s 從 %(roomName)s 中移除", "Message pending moderation": "待審核的訊息", "Message pending moderation: %(reason)s": "待審核的訊息:%(reason)s", "Pick a date to jump to": "挑選要跳至的日期", @@ -1316,9 +1077,6 @@ "Wait!": "等等!", "This address does not point at this room": "此位址並未指向此聊天室", "Location": "位置", - "Poll": "投票", - "Voice Message": "語音訊息", - "Hide stickers": "隱藏貼圖", "Use to scroll": "使用 捲動", "Feedback sent! Thanks, we appreciate it!": "已傳送回饋!謝謝,我們感激不盡!", "%(space1Name)s and %(space2Name)s": "%(space1Name)s 與 %(space2Name)s", @@ -1347,35 +1105,14 @@ "other": "您將要移除 %(user)s 的 %(count)s 則訊息。將會為對話中的所有人永久移除它們。確定要繼續嗎?" }, "%(displayName)s's live location": "%(displayName)s 的即時位置", - "Currently removing messages in %(count)s rooms": { - "one": "目前正在移除 %(count)s 個聊天室中的訊息", - "other": "目前正在移除 %(count)s 個聊天室中的訊息" - }, "Unsent": "未傳送", "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 伺服器。使用自訂伺服器選項讓您可以使用 %(brand)s 登入到不同家伺服器上的 Matrix 帳號。", - "%(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。若您認為到這個訊息是個錯誤,請遞交錯誤回報。", - "Try again later, or ask a room or space admin to check if you have access.": "稍後再試,或是要求聊天室或聊天空間的管理員來檢查您是否有權存取。", - "This room or space is not accessible at this time.": "目前無法存取此聊天室或聊天空間。", - "Are you sure you're at the right place?": "您確定您在正確的地方嗎?", - "This room or space does not exist.": "此聊天室或聊天空間不存在。", - "There's no preview, would you like to join?": "沒有預覽,您想要加入嗎?", - "This invite was sent to %(email)s": "此邀請已傳送至 %(email)s", - "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)。您可以嘗試傳遞此資訊給邀請您的人。", - "Something went wrong with your invite.": "您的邀請出了點問題。", - "You were banned by %(memberName)s": "您已被 %(memberName)s 封鎖", - "Forget this space": "忘記此聊天空間", - "You were removed by %(memberName)s": "您已被 %(memberName)s 移除", - "Loading preview": "正在載入預覽", "An error occurred while stopping your live location, please try again": "停止您的即時位置時發生錯誤,請再試一次", "%(featureName)s Beta feedback": "%(featureName)s Beta 測試回饋", "%(count)s participants": { "one": "1 位成員", "other": "%(count)s 個參與者" }, - "New video room": "新視訊聊天室", - "New room": "新聊天室", "Live location ended": "即時位置已結束", "View live location": "檢視即時位置", "Live location enabled": "即時位置已啟用", @@ -1405,11 +1142,6 @@ "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.": "登出您的裝置將會刪除儲存在其上的訊息加密金鑰,讓加密的聊天紀錄變為無法讀取。", - "Seen by %(count)s people": { - "one": "已被 %(count)s 個人看過", - "other": "已被 %(count)s 個人看過" - }, - "Your password was successfully changed.": "您的密碼已成功變更。", "An error occurred while stopping your live location": "停止您的即時位置時發生錯誤", "%(members)s and %(last)s": "%(members)s 與 %(last)s", "%(members)s and more": "%(members)s 與更多", @@ -1418,18 +1150,10 @@ "Output devices": "輸出裝置", "Input devices": "輸入裝置", "Show Labs settings": "顯示「實驗室」設定", - "To join, please enable video rooms in Labs first": "要加入,請先在「實驗室」中啟用視訊聊天室", - "To view, please enable video rooms in Labs first": "要檢視,請先在「實驗室」中啟用視訊聊天室", - "To view %(roomName)s, you need an invite": "要檢視 %(roomName)s,您需要邀請", - "Private room": "私密聊天室", - "Video room": "視訊聊天室", "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": "分享您的即時位置時發生錯誤", "Unread email icon": "未讀電子郵件圖示", - "Joining…": "正在加入…", - "Read receipts": "讀取回條", - "Deactivating your account is a permanent action — be careful!": "停用帳號無法還原 — 請小心!", "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.": "當您登出時,這些金鑰將會從此裝置被刪除,這代表您將無法再閱讀加密的訊息,除非您在其他裝置上有那些訊息的金鑰,或是將它們備份到伺服器上。", "Remove search filter for %(filter)s": "移除 %(filter)s 的搜尋過濾條件", "Start a group chat": "開始群組聊天", @@ -1452,7 +1176,6 @@ "Show spaces": "顯示聊天空間", "Show rooms": "顯示聊天室", "Explore public spaces in the new search dialog": "在新的搜尋對話方框中探索公開聊天空間", - "Join the room to participate": "加入聊天室以參與", "Stop and close": "停止並關閉", "Online community members": "線上社群成員", "Coworkers and teams": "同事與團隊", @@ -1468,22 +1191,10 @@ "We're creating a room with %(names)s": "正在建立包含 %(names)s 的聊天室", "Interactively verify by emoji": "透過表情符號互動來驗證", "Manually verify by text": "透過文字手動驗證", - "%(downloadButton)s or %(copyButton)s": "%(downloadButton)s 或 %(copyButton)s", "%(securityKey)s or %(recoveryFile)s": "%(securityKey)s 或 %(recoveryFile)s", - "Video call (Jitsi)": "視訊通話 (Jitsi)", - "Failed to set pusher state": "無法設定推送程式狀態", "Video call ended": "視訊通話已結束", "%(name)s started a video call": "%(name)s 開始了視訊通話", "Room info": "聊天室資訊", - "View chat timeline": "檢視聊天時間軸", - "Close call": "關閉通話", - "Spotlight": "聚焦", - "Freedom": "自由", - "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 作為此聊天室的額外通話選項", "Completing set up of your new device": "完成您新裝置的設定", "Waiting for device to sign in": "正在等待裝置登入", "Review and approve the sign in": "審閱並批准登入", @@ -1502,16 +1213,8 @@ "The scanned code is invalid.": "掃描的代碼無效。", "The linking wasn't completed in the required time.": "未在要求的時間內完成連結。", "Sign in new device": "登入新裝置", - "Show formatting": "顯示格式", - "Hide formatting": "隱藏格式化", - "Connection": "連線", - "Voice processing": "語音處理", - "Video settings": "視訊設定", - "Automatically adjust the microphone volume": "自動調整麥克風音量", - "Voice settings": "語音設定", "Error downloading image": "下載圖片時發生錯誤", "Unable to show image due to error": "因為錯誤而無法顯示圖片", - "Send email": "寄信", "Sign out of all devices": "登出所有裝置", "Confirm new password": "確認新密碼", "Too many attempts in a short time. Retry after %(timeout)s.": "短時間內嘗試太多次,請稍等 %(timeout)s 秒後再嘗試。", @@ -1520,7 +1223,6 @@ "WARNING: ": "警告: ", "We were unable to start a chat with the other user.": "我們無法與其他使用者開始聊天。", "Error starting verification": "開始驗證時發生錯誤", - "Change layout": "變更排列", "Unable to decrypt message": "無法解密訊息", "This message could not be decrypted": "此訊息無法解密", " in %(room)s": " 在 %(room)s", @@ -1530,35 +1232,24 @@ "Can't start voice message": "無法開始語音訊息", "Edit link": "編輯連結", "%(displayName)s (%(matrixId)s)": "%(displayName)s (%(matrixId)s)", - "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", "unknown": "未知", "There are no past polls in this room": "此聊天室沒有過去的投票", "There are no active polls in this room": "此聊天室沒有正在進行的投票", "Declining…": "正在拒絕…", - "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.": "警告:您的個人資料(包含加密金鑰)仍儲存於此工作階段。若您使用完此工作階段或想要登入其他帳號,請清除它。", "Scan QR code": "掃描 QR Code", "Select '%(scanQRCode)s'": "選取「%(scanQRCode)s」", "Enable '%(manageIntegrations)s' in Settings to do this.": "在設定中啟用「%(manageIntegrations)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.": "請僅在您確定遺失了您其他所有裝置與安全金鑰時才繼續。", "Connecting…": "連線中…", "Loading live location…": "正在載入即時位置…", "Fetching keys from server…": "正在取得來自伺服器的金鑰…", "Checking…": "正在檢查…", "Waiting for partner to confirm…": "正在等待夥伴確認…", "Adding…": "正在新增…", - "Rejecting invite…": "正在回絕邀請…", - "Joining room…": "正在加入聊天室…", - "Joining space…": "正在加入聊天空間…", "Encrypting your message…": "正在加密您的訊息…", "Sending your message…": "正在傳送您的訊息…", - "Set a new account password…": "設定新帳號密碼…", "Starting export process…": "正在開始匯出流程…", - "Secure Backup successful": "安全備份成功", - "Your keys are now being backed up from this device.": "您已備份此裝置的金鑰。", "Loading polls": "正在載入投票", "Ended a poll": "投票已結束", "Due to decryption errors, some votes may not be counted": "因為解密錯誤,不會計算部份投票", @@ -1596,59 +1287,16 @@ "Start DM anyway": "開始直接訊息", "Start DM anyway and never warn me again": "開始直接訊息且不要再次警告", "Unable to find profiles for the Matrix IDs listed below - would you like to start a DM anyway?": "找不到下方列出的 Matrix ID 個人檔案,您是否仍要開始直接訊息?", - "Formatting": "格式化", - "Upload custom sound": "上傳自訂音效", "Search all rooms": "搜尋所有聊天室", "Search this room": "搜尋此聊天室", - "Error changing password": "變更密碼錯誤", - "%(errorMessage)s (HTTP status %(httpStatus)s)": "%(errorMessage)s(HTTP 狀態 %(httpStatus)s)", - "Unknown password change error (%(stringifiedError)s)": "未知密碼變更錯誤(%(stringifiedError)s)", "Once invited users have joined %(brand)s, you will be able to chat and the room will be end-to-end encrypted": "被邀請的使用者加入 %(brand)s 後,您就可以聊天,聊天室將會進行端到端加密", "Waiting for users to join %(brand)s": "等待使用者加入 %(brand)s", - "You do not have permission to invite users": "您沒有權限邀請使用者", - "Email summary": "電子郵件摘要", - "Select which emails you want to send summaries to. Manage your emails in .": "選取您要將摘要傳送到的電子郵件地址。請在中管理您的電子郵件地址。", - "Mentions and Keywords only": "僅提及與關鍵字", - "Show message preview in desktop notification": "在桌面通知顯示訊息預覽", - "I want to be notified for (Default Setting)": "我想收到相關的通知(預設設定)", - "Email Notifications": "電子郵件通知", - "People, Mentions and Keywords": "人們、提及與關鍵字", - "This setting will be applied by default to all your rooms.": "預設情況下,此設定將會套用於您所有的聊天室。", - "Receive an email summary of missed notifications": "接收錯過通知的電子郵件摘要", - "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": "更新:我們簡化了通知設定,讓選項更容易找到。您過去選擇的一些自訂設定未在此處顯示,但它們仍然作用中。若繼續,您的某些設定可能會發生變化。取得更多資訊", - "Other things we think you might be interested in:": "我們認為您可能感興趣的其他事情:", - "Notify when someone mentions using @room": "當有人使用 @room 提及時通知", - "Reset to default settings": "重設為預設設定", "Upgrade room": "升級聊天室", - "Great! This passphrase looks strong enough": "很好!此密碼看起來夠強", - "Messages sent by bots": "由機器人傳送的訊息", - "Show a badge when keywords are used in a room.": "聊天室中使用關鍵字時,顯示徽章 。", - "Notify when someone mentions using @displayname or %(mxid)s": "當有人使用 @displayname 或 %(mxid)s 提及時通知", - "Notify when someone uses a keyword": "當有人使用關鍵字時通知", - "Enter keywords here, or use for spelling variations or nicknames": "在此輸入關鍵字,或用於拼寫變體或暱稱", - "Quick Actions": "快速動作", - "Mark all messages as read": "將所有訊息標記為已讀", - "Play a sound for": "播放音效", - "Applied by default to all rooms on all devices.": "預設情況下適用於所有裝置上的所有聊天室。", - "Mentions and Keywords": "提及與關鍵字", - "Audio and Video calls": "音訊與視訊通話", "Note that removing room changes like this could undo the change.": "請注意,像這樣移除聊天是變更可能會還原變更。", - "Unable to find user by email": "無法透過電子郵件找到使用者", - "Invited to a room": "已邀請至聊天室", - "New room activity, upgrades and status messages occur": "出現新的聊天室活動、升級與狀態訊息", "Messages here are end-to-end encrypted. Verify %(displayName)s in their profile - tap on their profile picture.": "此處的訊息為端到端加密。請在其個人檔案中驗證 %(displayName)s - 點擊其個人檔案圖片。", "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.": "此聊天室中的訊息為端到端加密。當人們加入時,您可以在他們的個人檔案中驗證他們,點擊他們的個人檔案就可以了。", "Are you sure you wish to remove (delete) this event?": "您真的想要移除(刪除)此活動嗎?", - "The exported file will allow anyone who can read it to decrypt any encrypted messages that you can see, so you should be careful to keep it secure. To help with this, you should enter a unique passphrase below, which will only be used to encrypt the exported data. It will only be possible to import the data by using the same passphrase.": "匯出的檔案將允許任何可以讀取該檔案的人解密您可以看到的任何加密訊息,因此您應該小心確保其安全。為了協助解決此問題,您應該在下面輸入一個唯一的密碼,該密碼僅用於加密匯出的資料。只能使用相同的密碼匯入資料。", "Other spaces you know": "您知道的其他空間", - "You need to be granted access to this room in order to view or participate in the conversation. You can send a request to join below.": "您需要被授予存取此聊天室的權限才能檢視或參與對話。您可以在下面傳送加入請求。", - "Ask to join %(roomName)s?": "要求加入 %(roomName)s?", - "Ask to join?": "要求加入?", - "Message (optional)": "訊息(選擇性)", - "Request access": "請求存取權", - "Request to join sent": "已傳送加入請求", - "Your request to join is pending.": "您的加入請求正在等待處理。", - "Cancel request": "取消請求", "Failed to query public rooms": "檢索公開聊天室失敗", "common": { "about": "關於", @@ -1755,7 +1403,18 @@ "saving": "正在儲存…", "profile": "基本資料", "display_name": "顯示名稱", - "user_avatar": "大頭照" + "user_avatar": "大頭照", + "authentication": "授權", + "public_room": "公開聊天室", + "video_room": "視訊聊天室", + "public_space": "公開聊天空間", + "private_space": "私密聊天空間", + "private_room": "私密聊天室", + "rooms": "聊天室", + "low_priority": "低優先度", + "historical": "歷史", + "go_to_settings": "前往設定", + "setup_secure_messages": "設定安全訊息" }, "action": { "continue": "繼續", @@ -1861,7 +1520,16 @@ "unban": "解除封鎖", "click_to_copy": "點擊複製", "hide_advanced": "隱藏進階設定", - "show_advanced": "顯示進階設定" + "show_advanced": "顯示進階設定", + "unignore": "取消忽略", + "start_new_chat": "開始新聊天", + "invite_to_space": "邀請加入聊天空間", + "add_people": "新增夥伴", + "explore_rooms": "探索聊天室", + "new_room": "新聊天室", + "new_video_room": "新視訊聊天室", + "add_existing_room": "新增既有的聊天室", + "explore_public_rooms": "探索公開聊天室" }, "a11y": { "user_menu": "使用者選單", @@ -1874,7 +1542,8 @@ "one": "1 則未讀的訊息。" }, "unread_messages": "未讀的訊息。", - "jump_first_invite": "跳到第一個邀請。" + "jump_first_invite": "跳到第一個邀請。", + "room_name": "聊天室 %(name)s" }, "labs": { "video_rooms": "視訊聊天室", @@ -2066,7 +1735,22 @@ "space_a11y": "空間自動完成", "user_description": "使用者", "user_a11y": "使用者自動完成" - } + }, + "room_upgraded_link": "對話在此繼續。", + "room_upgraded_notice": "這個聊天室已被取代,且不再使用。", + "no_perms_notice": "您沒有權限在此聊天室貼文", + "send_button_voice_message": "傳送語音訊息", + "close_sticker_picker": "隱藏貼圖", + "voice_message_button": "語音訊息", + "poll_button_no_perms_title": "需要權限", + "poll_button_no_perms_description": "您沒有權限在此聊天室發起投票。", + "poll_button": "投票", + "mode_plain": "隱藏格式化", + "mode_rich_text": "顯示格式", + "formatting_toolbar_label": "格式化", + "format_italics": "斜體", + "format_insert_link": "插入連結", + "replying_title": "正在回覆" }, "Link": "連結", "Code": "代碼", @@ -2246,7 +1930,32 @@ "error_title": "無法啟用通知功能", "error_updating": "更新您的通知偏好設定時發生錯誤。請再試一次。", "push_targets": "通知目標", - "error_loading": "載入您的通知設定時發生錯誤。" + "error_loading": "載入您的通知設定時發生錯誤。", + "email_section": "電子郵件摘要", + "email_description": "接收錯過通知的電子郵件摘要", + "email_select": "選取您要將摘要傳送到的電子郵件地址。請在中管理您的電子郵件地址。", + "people_mentions_keywords": "人們、提及與關鍵字", + "mentions_keywords_only": "僅提及與關鍵字", + "labs_notice_prompt": "更新:我們簡化了通知設定,讓選項更容易找到。您過去選擇的一些自訂設定未在此處顯示,但它們仍然作用中。若繼續,您的某些設定可能會發生變化。取得更多資訊", + "desktop_notification_message_preview": "在桌面通知顯示訊息預覽", + "default_setting_section": "我想收到相關的通知(預設設定)", + "default_setting_description": "預設情況下,此設定將會套用於您所有的聊天室。", + "play_sound_for_section": "播放音效", + "play_sound_for_description": "預設情況下適用於所有裝置上的所有聊天室。", + "mentions_keywords": "提及與關鍵字", + "voip": "音訊與視訊通話", + "other_section": "我們認為您可能感興趣的其他事情:", + "invites": "已邀請至聊天室", + "room_activity": "出現新的聊天室活動、升級與狀態訊息", + "notices": "由機器人傳送的訊息", + "keywords": "聊天室中使用關鍵字時,顯示徽章 。", + "notify_at_room": "當有人使用 @room 提及時通知", + "notify_mention": "當有人使用 @displayname 或 %(mxid)s 提及時通知", + "notify_keyword": "當有人使用關鍵字時通知", + "keywords_prompt": "在此輸入關鍵字,或用於拼寫變體或暱稱", + "quick_actions_section": "快速動作", + "quick_actions_mark_all_read": "將所有訊息標記為已讀", + "quick_actions_reset": "重設為預設設定" }, "appearance": { "layout_irc": "IRC(實驗性)", @@ -2284,7 +1993,19 @@ "echo_cancellation": "迴聲消除", "noise_suppression": "噪音抑制", "enable_fallback_ice_server": "允許使用備用通話輔助伺服器(%(server)s)", - "enable_fallback_ice_server_description": "僅當您的家伺服器不提供時才適用。在通話期間,將會把您的 IP 位址分享給此伺服器。" + "enable_fallback_ice_server_description": "僅當您的家伺服器不提供時才適用。在通話期間,將會把您的 IP 位址分享給此伺服器。", + "missing_permissions_prompt": "尚未取得媒體權限,請點擊下方的按鈕來授權。", + "request_permissions": "請求媒體權限", + "audio_output": "音訊輸出", + "audio_output_empty": "未偵測到音訊輸出", + "audio_input_empty": "未偵測到麥克風", + "video_input_empty": "未偵測到網路攝影機", + "title": "語音與視訊", + "voice_section": "語音設定", + "voice_agc": "自動調整麥克風音量", + "video_section": "視訊設定", + "voice_processing": "語音處理", + "connection_section": "連線" }, "send_read_receipts_unsupported": "您的伺服器不支援停用傳送讀取回條。", "security": { @@ -2357,7 +2078,11 @@ "key_backup_in_progress": "正在備份 %(sessionsRemaining)s 把金鑰…", "key_backup_complete": "所有金鑰都已備份", "key_backup_algorithm": "演算法:", - "key_backup_inactive_warning": "您並未備份此裝置的金鑰。" + "key_backup_inactive_warning": "您並未備份此裝置的金鑰。", + "key_backup_active_version_none": "無", + "ignore_users_empty": "您沒有忽略的使用者。", + "ignore_users_section": "忽略使用者", + "e2ee_default_disabled_warning": "您的伺服器管理員已停用在私密聊天室與私人訊息中預設的端對端加密。" }, "preferences": { "room_list_heading": "聊天室清單", @@ -2477,7 +2202,8 @@ "one": "您確定您想要登出 %(count)s 個工作階段嗎?", "other": "您確定您想要登出 %(count)s 個工作階段嗎?" }, - "other_sessions_subsection_description": "為了最佳的安全性,請驗證您的工作階段並登出任何您無法識別或不再使用的工作階段。" + "other_sessions_subsection_description": "為了最佳的安全性,請驗證您的工作階段並登出任何您無法識別或不再使用的工作階段。", + "error_pusher_state": "無法設定推送程式狀態" }, "general": { "oidc_manage_button": "管理帳號", @@ -2499,7 +2225,46 @@ "add_msisdn_dialog_title": "新增電話號碼", "name_placeholder": "沒有顯示名稱", "error_saving_profile_title": "無法儲存您的設定檔", - "error_saving_profile": "無法完成操作" + "error_saving_profile": "無法完成操作", + "error_password_change_unknown": "未知密碼變更錯誤(%(stringifiedError)s)", + "error_password_change_403": "無法變更密碼。請問您的密碼正確嗎?", + "error_password_change_http": "%(errorMessage)s(HTTP 狀態 %(httpStatus)s)", + "error_password_change_title": "變更密碼錯誤", + "password_change_success": "您的密碼已成功變更。", + "emails_heading": "電子郵件地址", + "msisdns_heading": "電話號碼", + "password_change_section": "設定新帳號密碼…", + "external_account_management": "您的帳號詳細資訊在 %(hostname)s 中單獨管理。", + "discovery_needs_terms": "需同意身分伺服器(%(serverName)s)的使用條款,讓其他人可以使用電子郵件地址或電話號碼找到您。", + "deactivate_section": "停用帳號", + "account_management_section": "帳號管理", + "deactivate_warning": "停用帳號無法還原 — 請小心!", + "discovery_section": "探索", + "error_revoke_email_discovery": "無法撤回電子郵件的分享", + "error_share_email_discovery": "無法分享電子郵件", + "email_not_verified": "您的電子郵件地址尚未被驗證", + "email_verification_instructions": "點擊您收到的電子郵件中的連結以驗證然後再次點擊繼續。", + "error_email_verification": "無法驗證電子郵件。", + "discovery_email_verification_instructions": "驗證您收件匣中的連結", + "discovery_email_empty": "當您在上面加入電子郵件時將會出現探索選項。", + "error_revoke_msisdn_discovery": "無法撤回電話號碼的分享", + "error_share_msisdn_discovery": "無法分享電話號碼", + "error_msisdn_verification": "無法驗證電話號碼。", + "incorrect_msisdn_verification": "驗證碼錯誤", + "msisdn_verification_instructions": "請輸入透過簡訊傳送的驗證碼。", + "msisdn_verification_field_label": "驗證碼", + "discovery_msisdn_empty": "在上方加入電話號碼後,就會出現探索選項。", + "error_set_name": "無法設定顯示名稱", + "error_remove_3pid": "無法移除聯絡人資訊", + "remove_email_prompt": "移除 %(email)s?", + "error_invalid_email": "無效的電子郵件地址", + "error_invalid_email_detail": "不像是有效的電子郵件地址", + "error_add_email": "無法新增電子郵件地址", + "add_email_instructions": "我們已經傳送給您一封電子郵件以驗證您的地址。請遵照那裡的指示,然後點選下面的按鈕。", + "email_address_label": "電子郵件地址", + "remove_msisdn_prompt": "移除 %(phone)s?", + "add_msisdn_instructions": "文字訊息將會被傳送到 +%(msisdn)s。請輸入其中包含的驗證碼。", + "msisdn_label": "電話號碼" }, "sidebar": { "title": "側邊欄", @@ -2512,6 +2277,58 @@ "metaspaces_orphans_description": "將所有不屬於某個聊天空間的聊天室集中在同一個地方。", "metaspaces_home_all_rooms_description": "將您所有的聊天室顯示在首頁,即便它們位於同一個聊天空間。", "metaspaces_home_all_rooms": "顯示所有聊天室" + }, + "key_backup": { + "backup_in_progress": "您的金鑰正在備份(第一次備份會花費數分鐘)。", + "backup_starting": "正在開始備份…", + "backup_success": "成功!", + "create_title": "建立金鑰備份", + "cannot_create_backup": "無法建立金鑰備份", + "setup_secure_backup": { + "generate_security_key_title": "產生一把加密金鑰", + "generate_security_key_description": "我們將為您產生一把安全金鑰。請將其儲存在安全的地方,例如密碼管理員或保險箱。", + "enter_phrase_title": "輸入安全密語", + "description": "透過備份您伺服器上的加密金鑰,來防止失去對加密訊息與資料的存取權。", + "requires_password_confirmation": "輸入您的帳號密碼以確認升級:", + "requires_key_restore": "復原您的金鑰備份以升級您的加密", + "requires_server_authentication": "您必須透過伺服器驗證以確認升級。", + "session_upgrade_description": "升級此工作階段以驗證其他工作階段,給予其他工作階段存取加密訊息的權限,並為其他使用者標記它們為受信任。", + "enter_phrase_description": "輸入僅有您知道的安全密語,因為其用於保護您的資料。為了安全起見,您不應重複使用您的帳號密碼。", + "phrase_strong_enough": "很好!此安全密語看起來夠強。", + "pass_phrase_match_success": "相符!", + "use_different_passphrase": "使用不同的安全密語?", + "pass_phrase_match_failed": "不相符。", + "set_phrase_again": "返回重新設定。", + "enter_phrase_to_confirm": "再次輸入您的安全密語以確認。", + "confirm_security_phrase": "確認您的安全密語", + "security_key_safety_reminder": "由於安全金鑰是用來保護您的加密資料,請將其儲存在安全的地方,例如密碼管理員或保險箱等。", + "download_or_copy": "%(downloadButton)s 或 %(copyButton)s", + "backup_setup_success_description": "您已備份此裝置的金鑰。", + "backup_setup_success_title": "安全備份成功", + "secret_storage_query_failure": "無法查詢秘密儲存空間狀態", + "cancel_warning": "如果您現在取消,只要失去登入的存取權,就可能遺失加密訊息與資料。", + "settings_reminder": "您也可以在設定中設定安全備份並管理您的金鑰。", + "title_upgrade_encryption": "升級您的加密", + "title_set_phrase": "設定安全密語", + "title_confirm_phrase": "確認安全密語", + "title_save_key": "儲存您的安全金鑰", + "unable_to_setup": "無法設定秘密資訊儲存空間", + "use_phrase_only_you_know": "使用僅有您知道的安全密語,也可再儲存安全金鑰作為備份。" + } + }, + "key_export_import": { + "export_title": "匯出聊天室金鑰", + "export_description_1": "這個過程讓您可以匯出您在加密聊天室裡收到訊息的金鑰到一個本機檔案。您將可以在未來匯入檔案到其他的 Matrix 客戶端,這樣客戶端就可以解密此訊息。", + "export_description_2": "匯出的檔案將允許任何可以讀取該檔案的人解密您可以看到的任何加密訊息,因此您應該小心確保其安全。為了協助解決此問題,您應該在下面輸入一個唯一的密碼,該密碼僅用於加密匯出的資料。只能使用相同的密碼匯入資料。", + "enter_passphrase": "輸入安全密語", + "phrase_strong_enough": "很好!此密碼看起來夠強", + "confirm_passphrase": "確認安全密語", + "phrase_cannot_be_empty": "安全密語不能為空", + "phrase_must_match": "安全密語必須相符", + "import_title": "匯入聊天室金鑰", + "import_description_1": "這個過程讓您可以匯入您先前從其他 Matrix 客戶端匯出的加密金鑰。您將可以解密在其他客戶端可以解密的訊息。", + "import_description_2": "匯出檔案被安全密語所保護。您應該在這裡輸入安全密語來解密檔案。", + "file_to_import": "要匯入的檔案" } }, "devtools": { @@ -3023,7 +2840,19 @@ "collapse_reply_thread": "收折回覆討論串", "view_related_event": "檢視相關的事件", "report": "回報" - } + }, + "url_preview": { + "show_n_more": { + "one": "顯示 %(count)s 個其他預覽", + "other": "顯示 %(count)s 個其他預覽" + }, + "close": "關閉預覽" + }, + "read_receipt_title": { + "one": "已被 %(count)s 個人看過", + "other": "已被 %(count)s 個人看過" + }, + "read_receipts_label": "讀取回條" }, "slash_command": { "spoiler": "將指定訊息以劇透傳送", @@ -3290,7 +3119,14 @@ "permissions_section_description_room": "選取更改聊天室各部份的所需的角色", "add_privileged_user_heading": "新增特權使用者", "add_privileged_user_description": "給這個聊天室中的一個使用者或多個使用者更多的特殊權限", - "add_privileged_user_filter_placeholder": "搜尋此聊天室中的使用者…" + "add_privileged_user_filter_placeholder": "搜尋此聊天室中的使用者…", + "error_unbanning": "無法解除封鎖", + "banned_by": "被 %(displayName)s 封鎖", + "ban_reason": "原因", + "error_changing_pl_reqs_title": "變更權限等級要求錯誤", + "error_changing_pl_reqs_description": "變更聊天室權限等級時遇到錯誤。請確定您有足夠的權限並再試一次。", + "error_changing_pl_title": "變更權限等級錯誤", + "error_changing_pl_description": "變更使用者的權限等級時遇到錯誤。請確定您有足夠的權限並再試一次。" }, "security": { "strict_encryption": "不要從此工作階段傳送已加密的訊息給此聊天室中未驗證的工作階段", @@ -3345,7 +3181,9 @@ "join_rule_upgrade_updating_spaces": { "one": "正在更新空間…", "other": "正在更新空間…(%(count)s 中的第 %(progress)s 個)" - } + }, + "error_join_rule_change_title": "加入規則更新失敗", + "error_join_rule_change_unknown": "未知錯誤" }, "general": { "publish_toggle": "將這個聊天室公開到 %(domain)s 的聊天室目錄中?", @@ -3359,7 +3197,9 @@ "error_save_space_settings": "無法儲存聊天空間設定。", "description_space": "編輯您的聊天空間的設定。", "save": "儲存變更", - "leave_space": "離開聊天空間" + "leave_space": "離開聊天空間", + "aliases_section": "聊天室位址", + "other_section": "其他" }, "advanced": { "unfederated": "此聊天室無法被遠端的 Matrix 伺服器存取", @@ -3370,7 +3210,9 @@ "room_predecessor": "檢視 %(roomName)s 中較舊的訊息。", "room_id": "內部聊天室 ID", "room_version_section": "聊天室版本", - "room_version": "聊天室版本:" + "room_version": "聊天室版本:", + "information_section_space": "聊天空間資訊", + "information_section_room": "聊天室資訊" }, "delete_avatar_label": "刪除大頭照", "upload_avatar_label": "上傳大頭照", @@ -3384,11 +3226,32 @@ "history_visibility_anyone_space": "預覽聊天空間", "history_visibility_anyone_space_description": "允許人們在加入前預覽您的聊天空間。", "history_visibility_anyone_space_recommendation": "給公開聊天空間的推薦。", - "guest_access_label": "允許訪客存取" + "guest_access_label": "允許訪客存取", + "alias_section": "位址" }, "access": { "title": "存取", "description_space": "決定誰可以檢視並加入 %(spaceName)s。" + }, + "bridges": { + "description": "此聊天室已橋接訊息到以下平臺。取得更多詳細資訊。", + "empty": "此聊天室不會將訊息橋接至任何平台。取得更多資訊。", + "title": "橋接" + }, + "notifications": { + "uploaded_sound": "已上傳的音效", + "settings_link": "依照您在設定中設定的方式接收通知", + "sounds_section": "音效", + "notification_sound": "通知音效", + "custom_sound_prompt": "設定新的自訂音效", + "upload_sound_label": "上傳自訂音效", + "browse_button": "瀏覽" + }, + "voip": { + "enable_element_call_label": "啟用 %(brand)s 作為此聊天室的額外通話選項", + "enable_element_call_caption": "%(brand)s 提供端對端加密,但目前使用者數量較少。", + "enable_element_call_no_permissions_tooltip": "您沒有足夠的權限來變更此設定。", + "call_type_section": "通話類型" } }, "encryption": { @@ -3423,7 +3286,19 @@ "unverified_session_toast_accept": "是的,是我", "request_toast_detail": "從 %(ip)s 來的 %(deviceId)s", "request_toast_decline_counter": "忽略(%(counter)s)", - "request_toast_accept": "驗證工作階段" + "request_toast_accept": "驗證工作階段", + "no_key_or_device": "您似乎沒有安全金鑰或其他可以驗證的裝置。此裝置將無法存取舊的加密訊息。為了在此裝置上驗證您的身分,您必須重設您的驗證金鑰。", + "reset_proceed_prompt": "繼續重設", + "verify_using_key_or_phrase": "使用安全金鑰或密語進行驗證", + "verify_using_key": "使用安全金鑰進行驗證", + "verify_using_device": "用另一台裝置驗證", + "verification_description": "驗證您的身分來存取已加密的訊息並對其他人證明您的身分。", + "verification_success_with_backup": "您的新裝置已通過驗證。其可以存取您的加密訊息,其他使用者也會看到其為受信任的裝置。", + "verification_success_without_backup": "您的新裝置已通過驗證。其他使用者也會看到其為受信任的裝置。", + "verification_skip_warning": "如果不進行驗證,您將無法存取您的所有訊息,且可能會被其他人視為不信任。", + "verify_later": "我稍後驗證", + "verify_reset_warning_1": "重設您的驗證金鑰將無法復原。重設後,您將無法存取舊的加密訊息,之前任何驗證過您的朋友也會看到安全警告,直到您重新驗證。", + "verify_reset_warning_2": "請僅在您確定遺失了您其他所有裝置與安全金鑰時才繼續。" }, "old_version_detected_title": "偵測到舊的加密資料", "old_version_detected_description": "偵測到來自舊版 %(brand)s 的資料。這將會造成舊版的端對端加密失敗。在此版本中使用最近在舊版本交換的金鑰可能無法解密訊息。這也會造成與此版本的訊息交換失敗。若您遇到問題,請登出並重新登入。要保留訊息歷史,請匯出並重新匯入您的金鑰。", @@ -3444,7 +3319,19 @@ "cross_signing_ready_no_backup": "已準備好交叉簽署但金鑰未備份。", "cross_signing_untrusted": "您的帳號在秘密儲存空間中有交叉簽署的身分,但尚未被此工作階段信任。", "cross_signing_not_ready": "尚未設定交叉簽署。", - "not_supported": "<不支援>" + "not_supported": "<不支援>", + "new_recovery_method_detected": { + "title": "新復原方法", + "description_1": "偵測到新的安全密語以及安全訊息金鑰。", + "description_2": "此工作階段正在使用新的復原方法加密歷史。", + "warning": "如果您沒有設定新的復原方法,攻擊者可能會嘗試存取您的帳號。在設定中立刻變更您的密碼並設定新的復原方法。" + }, + "recovery_method_removed": { + "title": "已移除復原方法", + "description_1": "此工作階段偵測到您的安全密語以及安全訊息金鑰已被移除。", + "description_2": "如果您不小心這樣做了,您可以在此工作階段上設定安全訊息,這將會以新的復原方法重新加密此工作階段的訊息歷史。", + "warning": "如果您沒有移除復原方法,攻擊者可能會試圖存取您的帳號。請立刻在設定中變更您帳號的密碼並設定新的復原方式。" + } }, "emoji": { "category_frequently_used": "經常使用", @@ -3626,7 +3513,11 @@ "autodiscovery_unexpected_error_is": "解析身分伺服器設定時發生未預期的錯誤", "autodiscovery_hs_incompatible": "您的家伺服器太舊了,不支援所需的最低 API 版本。請聯絡您的伺服器擁有者,或是升級您的伺服器。", "incorrect_credentials_detail": "請注意,您正在登入 %(hs)s 伺服器,不是 matrix.org。", - "create_account_title": "建立帳號" + "create_account_title": "建立帳號", + "failed_soft_logout_homeserver": "因為家伺服器的問題,所以無法重新驗證", + "soft_logout_subheading": "清除個人資料", + "soft_logout_warning": "警告:您的個人資料(包含加密金鑰)仍儲存於此工作階段。若您使用完此工作階段或想要登入其他帳號,請清除它。", + "forgot_password_send_email": "寄信" }, "room_list": { "sort_unread_first": "先顯示有未讀訊息的聊天室", @@ -3643,7 +3534,23 @@ "notification_options": "通知選項", "failed_set_dm_tag": "無法設定私人訊息標籤", "failed_remove_tag": "無法從聊天室移除標籤 %(tagName)s", - "failed_add_tag": "無法新增標籤 %(tagName)s 到聊天室" + "failed_add_tag": "無法新增標籤 %(tagName)s 到聊天室", + "breadcrumbs_label": "最近造訪過的聊天室", + "breadcrumbs_empty": "沒有最近造訪過的聊天室", + "add_room_label": "新增聊天室", + "suggested_rooms_heading": "建議的聊天室", + "add_space_label": "新增聊天空間", + "join_public_room_label": "加入公開聊天室", + "joining_rooms_status": { + "one": "目前正在加入 %(count)s 個聊天室", + "other": "目前正在加入 %(count)s 個聊天室" + }, + "redacting_messages_status": { + "one": "目前正在移除 %(count)s 個聊天室中的訊息", + "other": "目前正在移除 %(count)s 個聊天室中的訊息" + }, + "space_menu_label": "%(spaceName)s 選單", + "home_menu_label": "家選項" }, "report_content": { "missing_reason": "請填寫為什麼您要回報。", @@ -3901,7 +3808,8 @@ "search_children": "搜尋 %(spaceName)s", "invite_link": "分享邀請連結", "invite": "邀請夥伴", - "invite_description": "使用電子郵件或使用者名稱邀請" + "invite_description": "使用電子郵件或使用者名稱邀請", + "invite_this_space": "邀請加入此聊天空間" }, "location_sharing": { "MapStyleUrlNotConfigured": "此家伺服器未設定來顯示地圖。", @@ -3957,7 +3865,8 @@ "lists_heading": "訂閱清單", "lists_description_1": "訂閱封鎖清單會讓您加入它!", "lists_description_2": "如果您不想這樣,請使用其他工具來忽略使用者。", - "lists_new_label": "聊天室 ID 或位址的封鎖清單" + "lists_new_label": "聊天室 ID 或位址的封鎖清單", + "rules_empty": "無" }, "create_space": { "name_required": "請輸入聊天空間名稱", @@ -4059,8 +3968,80 @@ "forget": "忘記聊天室", "mark_read": "標示為已讀", "notifications_default": "符合預設設定值", - "notifications_mute": "聊天室靜音" - } + "notifications_mute": "聊天室靜音", + "title": "聊天室選項" + }, + "invite_this_room": "邀請加入這個聊天室", + "header": { + "video_call_button_jitsi": "視訊通話 (Jitsi)", + "video_call_button_ec": "視訊通話 (%(brand)s)", + "video_call_ec_layout_freedom": "自由", + "video_call_ec_layout_spotlight": "聚焦", + "video_call_ec_change_layout": "變更排列", + "forget_room_button": "忘記聊天室", + "hide_widgets_button": "隱藏小工具", + "show_widgets_button": "顯示小工具", + "close_call_button": "關閉通話", + "video_room_view_chat_button": "檢視聊天時間軸" + }, + "error_3pid_invite_email_lookup": "無法透過電子郵件找到使用者", + "joining_space": "正在加入聊天空間…", + "joining_room": "正在加入聊天室…", + "joining": "正在加入…", + "rejecting": "正在回絕邀請…", + "join_title": "加入聊天室以參與", + "join_title_account": "加入與某個帳號的對話", + "join_button_account": "註冊", + "loading_preview": "正在載入預覽", + "kicked_from_room_by": "您已被 %(memberName)s 從 %(roomName)s 中移除", + "kicked_by": "您已被 %(memberName)s 移除", + "kick_reason": "理由:%(reason)s", + "forget_space": "忘記此聊天空間", + "forget_room": "忘記此聊天室", + "rejoin_button": "重新加入", + "banned_from_room_by": "您已被 %(memberName)s 從 %(roomName)s 封鎖", + "banned_by": "您已被 %(memberName)s 封鎖", + "3pid_invite_error_title_room": "您的 %(roomName)s 邀請出了點問題", + "3pid_invite_error_title": "您的邀請出了點問題。", + "3pid_invite_error_description": "嘗試驗證您的邀請時發生錯誤 (%(errcode)s)。您可以嘗試傳遞此資訊給邀請您的人。", + "3pid_invite_error_invite_subtitle": "您只能透過有效的邀請加入。", + "3pid_invite_error_invite_action": "無論如何都要嘗試加入", + "3pid_invite_error_public_subtitle": "您仍可加入此處。", + "join_the_discussion": "加入此討論", + "3pid_invite_email_not_found_account_room": "這個 %(roomName)s 的邀請已傳送給與您帳號無關聯的 %(email)s", + "3pid_invite_email_not_found_account": "此邀請已傳送到與您的帳號無關聯的 %(email)s", + "link_email_to_receive_3pid_invite": "在設定中連結此電子郵件與您的帳號以直接在 %(brand)s 中接收邀請。", + "invite_sent_to_email_room": "此 %(roomName)s 的邀請已傳送給 %(email)s", + "invite_sent_to_email": "此邀請已傳送至 %(email)s", + "3pid_invite_no_is_subtitle": "在設定中使用身分伺服器以直接在 %(brand)s 中接收邀請。", + "invite_email_mismatch_suggestion": "在設定中分享此電子郵件以直接在 %(brand)s 中接收邀請。", + "dm_invite_title": "您想要與 %(user)s 聊天嗎?", + "dm_invite_subtitle": " 想要聊天", + "dm_invite_action": "開始聊天", + "invite_title": "您想要加入 %(roomName)s 嗎?", + "invite_subtitle": " 已邀請您", + "invite_reject_ignore": "拒絕並忽略使用者", + "peek_join_prompt": "您正在預覽 %(roomName)s。想要加入嗎?", + "no_peek_join_prompt": "無法預覽 %(roomName)s。您想要加入嗎?", + "no_peek_no_name_join_prompt": "沒有預覽,您想要加入嗎?", + "not_found_title_name": "%(roomName)s 不存在。", + "not_found_title": "此聊天室或聊天空間不存在。", + "not_found_subtitle": "您確定您在正確的地方嗎?", + "inaccessible_name": "%(roomName)s 此時無法存取。", + "inaccessible": "目前無法存取此聊天室或聊天空間。", + "inaccessible_subtitle_1": "稍後再試,或是要求聊天室或聊天空間的管理員來檢查您是否有權存取。", + "inaccessible_subtitle_2": "嘗試存取聊天室或聊天空間時發生錯誤 %(errcode)s。若您認為到這個訊息是個錯誤,請遞交錯誤回報。", + "knock_prompt_name": "要求加入 %(roomName)s?", + "knock_prompt": "要求加入?", + "knock_subtitle": "您需要被授予存取此聊天室的權限才能檢視或參與對話。您可以在下面傳送加入請求。", + "knock_message_field_placeholder": "訊息(選擇性)", + "knock_send_action": "請求存取權", + "knock_sent": "已傳送加入請求", + "knock_sent_subtitle": "您的加入請求正在等待處理。", + "knock_cancel_action": "取消請求", + "join_failed_needs_invite": "要檢視 %(roomName)s,您需要邀請", + "view_failed_enable_video_rooms": "要檢視,請先在「實驗室」中啟用視訊聊天室", + "join_failed_enable_video_rooms": "要加入,請先在「實驗室」中啟用視訊聊天室" }, "file_panel": { "guest_note": "您必須註冊以使用此功能", @@ -4212,7 +4193,15 @@ "keyword_new": "新關鍵字", "class_global": "全域", "class_other": "其他", - "mentions_keywords": "提及與關鍵字" + "mentions_keywords": "提及與關鍵字", + "default": "預設", + "all_messages": "所有訊息", + "all_messages_description": "收到所有訊息的通知", + "mentions_and_keywords": "@提及與關鍵字", + "mentions_and_keywords_description": "僅在提及您與您在設定中列出的關鍵字時收到通知", + "mute_description": "不會收到任何通知", + "email_pusher_app_display_name": "電子郵件通知", + "message_didnt_send": "訊息未傳送。點擊以取得更多資訊。" }, "mobile_guide": { "toast_title": "使用應用程式以取得更好的體驗", @@ -4238,6 +4227,44 @@ "integration_manager": { "connecting": "正在連線至整合管理員…", "error_connecting_heading": "無法連線到整合管理員", - "error_connecting": "整合管理員已離線或無法存取您的家伺服器。" + "error_connecting": "整合管理員已離線或無法存取您的家伺服器。", + "use_im_default": "使用整合管理員 (%(serverName)s) 以管理聊天機器人、小工具與貼圖包。", + "use_im": "使用整合管理員以管理聊天機器人、小工具與貼圖包。", + "manage_title": "管理整合功能", + "explainer": "整合管理員會為您接收設定資料,修改小工具、傳送聊天室邀請並設定權限等級。" + }, + "identity_server": { + "url_not_https": "身分伺服器網址必須為 HTTPS 網址", + "error_invalid": "不是有效的身分伺服器(狀態碼 %(code)s)", + "error_connection": "無法連線到身分伺服器", + "checking": "正在檢查伺服器", + "change": "變更身分伺服器", + "change_prompt": "取消連線到身分伺服器 並連線到 ?", + "error_invalid_or_terms": "不接受服務條款或身分伺服器無效。", + "no_terms": "您所選擇的身分伺服器沒有任何服務條款。", + "disconnect": "中斷身分伺服器的連線", + "disconnect_server": "要中斷與身分伺服器 的連線嗎?", + "disconnect_offline_warning": "您應該從身分伺服器移除個人資料後再中斷連線。但可惜的是,身分伺服器 目前離線或無法連線。", + "suggestions": "您應該:", + "suggestions_1": "檢查您的瀏覽器,看有沒有任何可能阻擋身分伺服器的外掛程式(如 Privacy Badger)", + "suggestions_2": "聯絡身分伺服器 的管理員", + "suggestions_3": "稍候並再試一次", + "disconnect_anyway": "仍要中斷連線", + "disconnect_personal_data_warning_1": "你仍分享個人資料於身分伺服器.", + "disconnect_personal_data_warning_2": "我們建議您在取消連線前,從身分伺服器移除您的電子郵件地址與電話號碼。", + "url": "身分伺服器 (%(server)s)", + "description_connected": "您目前使用 來尋找聯絡人,以及被您的聯絡人找到。可以在下方變更身分伺服器。", + "change_server_prompt": "如果您不想要使用 來探索與被您現有的聯絡人探索,在下方輸入其他身分伺服器。", + "description_disconnected": "您目前未使用身分伺服器。若想要尋找聯絡人,或被您認識的聯絡人找到,請在下方加入伺服器。", + "disconnect_warning": "與您的身分伺服器中斷連線後,其他使用者就無法再探索到您,您也不能透過電子郵件地址或電話號碼邀請其他人。", + "description_optional": "使用身分伺服器是選擇性的。如果您選擇不要使用身分伺服器,您將無法被其他使用者探索,您也不能透過電子郵件或電話邀請其他人。", + "do_not_use": "不要使用身分伺服器", + "url_field_label": "輸入新的身分伺服器" + }, + "member_list": { + "invite_button_no_perms_tooltip": "您沒有權限邀請使用者", + "invited_list_heading": "已邀請", + "filter_placeholder": "過濾聊天室成員", + "power_label": "%(userName)s(權限等級 %(powerLevelNumber)s)" } } diff --git a/src/languageHandler.tsx b/src/languageHandler.tsx index 570819705b..28fa218c99 100644 --- a/src/languageHandler.tsx +++ b/src/languageHandler.tsx @@ -110,7 +110,7 @@ export function getUserLanguage(): string { * } * } */ -export type TranslationKey = Leaves; +export type TranslationKey = Leaves; // Function which only purpose is to mark that a string is translatable // Does not actually do anything. It's helpful for automatic extraction of translatable strings diff --git a/src/notifications/VectorPushRulesDefinitions.ts b/src/notifications/VectorPushRulesDefinitions.ts index fb81ac799e..5eb4d6030c 100644 --- a/src/notifications/VectorPushRulesDefinitions.ts +++ b/src/notifications/VectorPushRulesDefinitions.ts @@ -111,6 +111,7 @@ export const VectorPushRulesDefinitions: Record = { [DefaultTagID.Favourite]: { tags: ["m.favourite"], }, - // TODO https://github.com/vector-im/element-web/issues/23207 - // DefaultTagID.SavedItems, [DefaultTagID.DM]: { is_dm: true, is_invite: false, diff --git a/src/stores/room-list/models.ts b/src/stores/room-list/models.ts index d9f17cc271..1c19f82494 100644 --- a/src/stores/room-list/models.ts +++ b/src/stores/room-list/models.ts @@ -23,13 +23,11 @@ export enum DefaultTagID { DM = "im.vector.fake.direct", ServerNotice = "m.server_notice", Suggested = "im.vector.fake.suggested", - SavedItems = "im.vector.fake.saved_items", } export const OrderedDefaultTagIDs = [ DefaultTagID.Invite, DefaultTagID.Favourite, - DefaultTagID.SavedItems, DefaultTagID.DM, DefaultTagID.Untagged, DefaultTagID.LowPriority, diff --git a/src/utils/FontManager.ts b/src/utils/FontManager.ts index 089f800aad..7190646f65 100644 --- a/src/utils/FontManager.ts +++ b/src/utils/FontManager.ts @@ -31,10 +31,11 @@ function safariVersionCheck(ua: string): boolean { const safariVersionStr = safariVersionMatch[2]; const macOSVersion = macOSVersionStr.split("_").map((n) => parseInt(n, 10)); const safariVersion = safariVersionStr.split(".").map((n) => parseInt(n, 10)); - const colrFontSupported = macOSVersion[0] >= 10 && macOSVersion[1] >= 14 && safariVersion[0] >= 12; - // https://www.colorfonts.wtf/ states safari supports COLR fonts from this version on + const colrFontSupported = + macOSVersion[0] >= 10 && macOSVersion[1] >= 14 && safariVersion[0] >= 12 && safariVersion[0] < 17; + // https://www.colorfonts.wtf/ states Safari supports COLR fonts from this version on but Safari 17 breaks it logger.log( - `COLR support on Safari requires macOS 10.14 and Safari 12, ` + + `COLR support on Safari requires macOS 10.14 and Safari 12-16, ` + `detected Safari ${safariVersionStr} on macOS ${macOSVersionStr}, ` + `COLR supported: ${colrFontSupported}`, ); diff --git a/src/utils/pushRules/monitorSyncedPushRules.ts b/src/utils/pushRules/monitorSyncedPushRules.ts index 0af5e37a33..2b89484343 100644 --- a/src/utils/pushRules/monitorSyncedPushRules.ts +++ b/src/utils/pushRules/monitorSyncedPushRules.ts @@ -63,7 +63,9 @@ const monitorSyncedRule = async ( const primaryRuleVectorState = definition.ruleToVectorState(primaryRule); const outOfSyncRules = syncedRules.filter( - (syncedRule) => definition.ruleToVectorState(syncedRule) !== primaryRuleVectorState, + (syncedRule) => + syncedRule.enabled !== primaryRule.enabled || + definition.ruleToVectorState(syncedRule) !== primaryRuleVectorState, ); if (outOfSyncRules.length) { @@ -71,7 +73,7 @@ const monitorSyncedRule = async ( matrixClient, // eslint-disable-next-line camelcase, @typescript-eslint/naming-convention outOfSyncRules.map(({ rule_id }) => rule_id), - primaryRule.actions, + primaryRule.enabled ? primaryRule.actions : undefined, ); } }; diff --git a/test/Lifecycle-test.ts b/test/Lifecycle-test.ts index 2629540742..c44ea31d69 100644 --- a/test/Lifecycle-test.ts +++ b/test/Lifecycle-test.ts @@ -161,6 +161,8 @@ describe("Lifecycle", () => { accessToken, }; + const refreshToken = "test-refresh-token"; + const encryptedTokenShapedObject = { ciphertext: expect.any(String), iv: expect.any(String), @@ -285,6 +287,45 @@ describe("Lifecycle", () => { expect(MatrixClientPeg.start).toHaveBeenCalled(); }); + + describe("with a refresh token", () => { + beforeEach(() => { + initLocalStorageMock({ + ...localStorageSession, + mx_refresh_token: refreshToken, + }); + initIdbMock(idbStorageSession); + }); + + it("should persist credentials", async () => { + expect(await restoreFromLocalStorage()).toEqual(true); + + // refresh token from storage is re-persisted + expect(localStorage.setItem).toHaveBeenCalledWith("mx_has_refresh_token", "true"); + expect(StorageManager.idbSave).toHaveBeenCalledWith( + "account", + "mx_refresh_token", + refreshToken, + ); + }); + + it("should create new matrix client with credentials", async () => { + expect(await restoreFromLocalStorage()).toEqual(true); + + expect(MatrixClientPeg.replaceUsingCreds).toHaveBeenCalledWith({ + userId, + accessToken, + // refreshToken included in credentials + refreshToken, + homeserverUrl, + identityServerUrl, + deviceId, + freshLogin: false, + guest: false, + pickleKey: undefined, + }); + }); + }); }); describe("with a pickle key", () => { @@ -344,6 +385,47 @@ describe("Lifecycle", () => { pickleKey: expect.any(String), }); }); + + describe("with a refresh token", () => { + beforeEach(async () => { + initLocalStorageMock({}); + initIdbMock({}); + // setup storage with a session with encrypted token + await setLoggedIn({ + ...credentials, + refreshToken, + }); + }); + + it("should persist credentials", async () => { + expect(await restoreFromLocalStorage()).toEqual(true); + + // refresh token from storage is re-persisted + expect(localStorage.setItem).toHaveBeenCalledWith("mx_has_refresh_token", "true"); + expect(StorageManager.idbSave).toHaveBeenCalledWith( + "account", + "mx_refresh_token", + encryptedTokenShapedObject, + ); + }); + + it("should create new matrix client with credentials", async () => { + expect(await restoreFromLocalStorage()).toEqual(true); + + expect(MatrixClientPeg.replaceUsingCreds).toHaveBeenCalledWith({ + userId, + accessToken, + // refreshToken included in credentials + refreshToken, + homeserverUrl, + identityServerUrl, + deviceId, + freshLogin: false, + guest: false, + pickleKey: expect.any(String), + }); + }); + }); }); it("should show a toast if the matrix server version is unsupported", async () => { diff --git a/test/components/structures/LoggedInView-test.tsx b/test/components/structures/LoggedInView-test.tsx index 36598c9c98..a8cf7ffb34 100644 --- a/test/components/structures/LoggedInView-test.tsx +++ b/test/components/structures/LoggedInView-test.tsx @@ -16,7 +16,7 @@ limitations under the License. import React from "react"; import { render, RenderResult } from "@testing-library/react"; -import { ConditionKind, EventType, IPushRule, MatrixEvent, ClientEvent } from "matrix-js-sdk/src/matrix"; +import { ConditionKind, EventType, IPushRule, MatrixEvent, ClientEvent, PushRuleKind } from "matrix-js-sdk/src/matrix"; import { MediaHandler } from "matrix-js-sdk/src/webrtc/mediaHandler"; import { logger } from "matrix-js-sdk/src/logger"; @@ -81,6 +81,11 @@ describe("", () => { enabled: true, } as IPushRule; + const oneToOneRuleDisabled = { + ...oneToOneRule, + enabled: false, + }; + const groupRule = { conditions: [{ kind: ConditionKind.EventMatch, key: "type", pattern: "m.room.message" }], actions: StandardActions.ACTION_NOTIFY, @@ -221,6 +226,36 @@ describe("", () => { ); }); + it("updates all mismatched rules from synced rules when primary rule is disabled", async () => { + setPushRules([ + // poll 1-1 rules are synced with oneToOneRule + oneToOneRuleDisabled, // off + pollStartOneToOne, // on + pollEndOneToOne, // loud + // poll group rules are synced with groupRule + groupRule, // on + pollStartGroup, // loud + ]); + + getComponent(); + + await flushPromises(); + + // set to match primary rule + expect(mockClient.setPushRuleEnabled).toHaveBeenCalledWith( + "global", + PushRuleKind.Underride, + pollStartOneToOne.rule_id, + false, + ); + expect(mockClient.setPushRuleEnabled).toHaveBeenCalledWith( + "global", + PushRuleKind.Underride, + pollEndOneToOne.rule_id, + false, + ); + }); + it("catches and logs errors while updating a rule", async () => { mockClient.setPushRuleActions.mockRejectedValueOnce("oups").mockResolvedValueOnce({}); @@ -302,6 +337,31 @@ describe("", () => { ); }); + it("updates all mismatched rules from synced rules on a change to push rules account data when primary rule is disabled", async () => { + // setup a push rule state with mismatched rules + setPushRules([ + // poll 1-1 rules are synced with oneToOneRule + oneToOneRuleDisabled, // off + pollEndOneToOne, // loud + ]); + + getComponent(); + + await flushPromises(); + + mockClient.setPushRuleEnabled.mockClear(); + + mockClient.emit(ClientEvent.AccountData, pushRulesEvent); + + // set to match primary rule + expect(mockClient.setPushRuleEnabled).toHaveBeenCalledWith( + "global", + "underride", + pollEndOneToOne.rule_id, + false, + ); + }); + it("stops listening to account data events on unmount", () => { // setup a push rule state with mismatched rules setPushRules([ diff --git a/test/components/structures/ThreadPanel-test.tsx b/test/components/structures/ThreadPanel-test.tsx index 4691895826..b3025bb3ad 100644 --- a/test/components/structures/ThreadPanel-test.tsx +++ b/test/components/structures/ThreadPanel-test.tsx @@ -16,7 +16,6 @@ limitations under the License. import React from "react"; import { render, screen, fireEvent, waitFor } from "@testing-library/react"; -import "focus-visible"; // to fix context menus import { mocked } from "jest-mock"; import { MatrixClient, diff --git a/test/components/structures/__snapshots__/MatrixChat-test.tsx.snap b/test/components/structures/__snapshots__/MatrixChat-test.tsx.snap index 9f71bf91ce..a5280f599a 100644 --- a/test/components/structures/__snapshots__/MatrixChat-test.tsx.snap +++ b/test/components/structures/__snapshots__/MatrixChat-test.tsx.snap @@ -359,8 +359,7 @@ exports[` with an existing session onAction() room actions leave_r Cancel